diff --git a/.ci/actool.sh b/.ci/actool.sh new file mode 100755 index 0000000000..5be658d2bb --- /dev/null +++ b/.ci/actool.sh @@ -0,0 +1,22 @@ +#!/bin/sh -e + +# SPDX-FileCopyrightText: Copyright 2026 Eden Emulator Project +# SPDX-License-Identifier: GPL-3.0-or-later + +# SPDX-FileCopyrightText: Copyright 2026 crueter +# SPDX-License-Identifier: GPL-3.0-or-later + +_svg=dev.eden_emu.eden.svg +_icon=dist/eden.icon +_composed="$_icon/Assets/$_svg" +_svg="dist/$_svg" + +rm "$_composed" +cp "$_svg" "$_composed" + +xcrun actool "$_icon" \ + --compile dist \ + --platform macosx \ + --minimum-deployment-target 11.0 \ + --app-icon eden \ + --output-partial-info-plist /dev/null diff --git a/.ci/license-header.sh b/.ci/license-header.sh index 70a842e01d..6b19f91185 100755 --- a/.ci/license-header.sh +++ b/.ci/license-header.sh @@ -115,7 +115,7 @@ for file in $FILES; do *.cmake|*.sh|*CMakeLists.txt) begin="#" ;; - *.kt*|*.cpp|*.h) + *.kt*|*.cpp|*.h|*.qml) begin="//" ;; *) @@ -193,7 +193,7 @@ if [ "$UPDATE" = "true" ]; then begin="#" shell=true ;; - *.kt*|*.cpp|*.h) + *) begin="//" shell="false" ;; diff --git a/.gitignore b/.gitignore index 0be76d85cd..929b19aa48 100644 --- a/.gitignore +++ b/.gitignore @@ -20,6 +20,7 @@ log.txt # Generated source files src/common/scm_rev.cpp dist/english_plurals/generated_en.ts +*-toolchain.cmake # Project/editor files *.swp @@ -63,3 +64,4 @@ artifacts *.AppImage* /install* vulkansdk*.exe +*.tar.zst diff --git a/.patch/httplib/0002-fix-zstd.patch b/.patch/httplib/0002-fix-zstd.patch new file mode 100644 index 0000000000..f54485ea53 --- /dev/null +++ b/.patch/httplib/0002-fix-zstd.patch @@ -0,0 +1,89 @@ +From 509be32bbfa6eb95014860f7c9ea6d45c8ddaa56 Mon Sep 17 00:00:00 2001 +From: crueter +Date: Sun, 8 Mar 2026 15:11:12 -0400 +Subject: [PATCH] [cmake] Simplify zstd find logic, and support pre-existing + zstd target + +Some deduplication work on the zstd required/if-available logic. Also +adds support for pre-existing `zstd::libzstd` which is useful for +projects that bundle their own zstd in a way that doesn't get caught by +`CONFIG` + +Signed-off-by: crueter +--- + CMakeLists.txt | 46 ++++++++++++++++++++++++++-------------------- + 1 file changed, 26 insertions(+), 20 deletions(-) + +diff --git a/CMakeLists.txt b/CMakeLists.txt +index 1874e36be0..8d31198006 100644 +--- a/CMakeLists.txt ++++ b/CMakeLists.txt +@@ -241,28 +241,34 @@ endif() + # NOTE: + # zstd < 1.5.6 does not provide the CMake imported target `zstd::libzstd`. + # Older versions must be consumed via their pkg-config file. +-if(HTTPLIB_REQUIRE_ZSTD) +- find_package(zstd 1.5.6 CONFIG) +- if(NOT zstd_FOUND) +- find_package(PkgConfig REQUIRED) +- pkg_check_modules(zstd REQUIRED IMPORTED_TARGET libzstd) +- add_library(zstd::libzstd ALIAS PkgConfig::zstd) +- endif() +- set(HTTPLIB_IS_USING_ZSTD TRUE) +-elseif(HTTPLIB_USE_ZSTD_IF_AVAILABLE) +- find_package(zstd 1.5.6 CONFIG QUIET) +- if(NOT zstd_FOUND) +- find_package(PkgConfig QUIET) +- if(PKG_CONFIG_FOUND) +- pkg_check_modules(zstd QUIET IMPORTED_TARGET libzstd) +- +- if(TARGET PkgConfig::zstd) ++if (HTTPLIB_REQUIRE_ZSTD) ++ set(HTTPLIB_ZSTD_REQUESTED ON) ++ set(HTTPLIB_ZSTD_REQUIRED REQUIRED) ++elseif (HTTPLIB_USE_ZSTD_IF_AVAILABLE) ++ set(HTTPLIB_ZSTD_REQUESTED ON) ++ set(HTTPLIB_ZSTD_REQUIRED QUIET) ++endif() ++ ++if (HTTPLIB_ZSTD_REQUESTED) ++ if (TARGET zstd::libzstd) ++ set(HTTPLIB_IS_USING_ZSTD TRUE) ++ else() ++ find_package(zstd 1.5.6 CONFIG QUIET) ++ ++ if (NOT zstd_FOUND) ++ find_package(PkgConfig ${HTTPLIB_ZSTD_REQUIRED}) ++ pkg_check_modules(zstd ${HTTPLIB_ZSTD_REQUIRED} IMPORTED_TARGET libzstd) ++ ++ if (TARGET PkgConfig::zstd) + add_library(zstd::libzstd ALIAS PkgConfig::zstd) + endif() + endif() ++ ++ # This will always be true if zstd is required. ++ # If zstd *isn't* found when zstd is set to required, ++ # CMake will error out earlier in this block. ++ set(HTTPLIB_IS_USING_ZSTD ${zstd_FOUND}) + endif() +- # Both find_package and PkgConf set a XXX_FOUND var +- set(HTTPLIB_IS_USING_ZSTD ${zstd_FOUND}) + endif() + + # Used for default, common dirs that the end-user can change (if needed) +@@ -317,13 +323,13 @@ if(HTTPLIB_COMPILE) + $ + $ + ) +- ++ + # Add C++20 module support if requested + # Include from separate file to prevent parse errors on older CMake versions + if(CMAKE_VERSION VERSION_GREATER_EQUAL "3.28") + include(cmake/modules.cmake) + endif() +- ++ + set_target_properties(${PROJECT_NAME} + PROPERTIES + VERSION ${${PROJECT_NAME}_VERSION} diff --git a/.patch/mcl/0001-assert-macro.patch b/.patch/mcl/0001-assert-macro.patch deleted file mode 100644 index 2d7d0dd1b0..0000000000 --- a/.patch/mcl/0001-assert-macro.patch +++ /dev/null @@ -1,55 +0,0 @@ -diff --git a/include/mcl/assert.hpp b/include/mcl/assert.hpp -index f77dbe7..9ec0b9c 100644 ---- a/include/mcl/assert.hpp -+++ b/include/mcl/assert.hpp -@@ -23,8 +23,11 @@ template - - } // namespace mcl::detail - -+#ifndef UNREACHABLE - #define UNREACHABLE() ASSERT_FALSE("Unreachable code!") -+#endif - -+#ifndef ASSERT - #define ASSERT(expr) \ - [&] { \ - if (std::is_constant_evaluated()) { \ -@@ -37,7 +40,9 @@ template - } \ - } \ - }() -+#endif - -+#ifndef ASSERT_MSG - #define ASSERT_MSG(expr, ...) \ - [&] { \ - if (std::is_constant_evaluated()) { \ -@@ -50,13 +55,24 @@ template - } \ - } \ - }() -+#endif - -+#ifndef ASSERT_FALSE - #define ASSERT_FALSE(...) ::mcl::detail::assert_terminate("false", __VA_ARGS__) -+#endif - - #if defined(NDEBUG) || defined(MCL_IGNORE_ASSERTS) --# define DEBUG_ASSERT(expr) ASSUME(expr) --# define DEBUG_ASSERT_MSG(expr, ...) ASSUME(expr) -+# ifndef DEBUG_ASSERT -+# define DEBUG_ASSERT(expr) ASSUME(expr) -+# endif -+# ifndef DEBUG_ASSERT_MSG -+# define DEBUG_ASSERT_MSG(expr, ...) ASSUME(expr) -+# endif - #else --# define DEBUG_ASSERT(expr) ASSERT(expr) --# define DEBUG_ASSERT_MSG(expr, ...) ASSERT_MSG(expr, __VA_ARGS__) -+# ifndef DEBUG_ASSERT -+# define DEBUG_ASSERT(expr) ASSERT(expr) -+# endif -+# ifndef DEBUG_ASSERT_MSG -+# define DEBUG_ASSERT_MSG(expr, ...) ASSERT_MSG(expr, __VA_ARGS__) -+# endif - #endif diff --git a/CMakeLists.txt b/CMakeLists.txt index 11d97724de..42717c496d 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -70,7 +70,7 @@ endif() option(ENABLE_QT "Enable the Qt frontend" ON) option(ENABLE_QT_TRANSLATION "Enable translations for the Qt frontend" OFF) option(ENABLE_UPDATE_CHECKER "Enable update checker (for Qt and Android)" OFF) -# option(YUZU_USE_QT_MULTIMEDIA "Use QtMultimedia for Camera" OFF) +cmake_dependent_option(YUZU_USE_QT_MULTIMEDIA "Use QtMultimedia for Camera" OFF "NOT YUZU_USE_BUNDLED_QT" OFF) cmake_dependent_option(YUZU_USE_QT_WEB_ENGINE "Use QtWebEngine for web applet implementation" OFF "NOT YUZU_USE_BUNDLED_QT" OFF) set(YUZU_QT_MIRROR "" CACHE STRING "What mirror to use for downloading the bundled Qt libraries") cmake_dependent_option(YUZU_USE_BUNDLED_QT "Download bundled Qt binaries" "${MSVC}" "ENABLE_QT" OFF) @@ -143,8 +143,8 @@ if (MSVC AND ARCHITECTURE_x86) endif() if (CXX_CLANG_CL) + # clang-cl prints literally 10000+ warnings without this add_compile_options( - # clang-cl prints literally 10000+ warnings without this $<$:-Wno-unused-command-line-argument> $<$:-Wno-unsafe-buffer-usage> $<$:-Wno-unused-value> @@ -154,12 +154,12 @@ if (CXX_CLANG_CL) $<$:-Wno-deprecated-declarations> $<$:-Wno-cast-function-type-mismatch> $<$:/EHsc>) - # REQUIRED CPU features IN Windows-amd64 if (ARCHITECTURE_x86_64) add_compile_options( $<$:-msse4.1> - $<$:-mcx16>) + $<$:-mcx16> + ) endif() endif() @@ -196,7 +196,7 @@ option(YUZU_USE_BUNDLED_SIRIT "Download bundled sirit" ${BUNDLED_SIRIT_DEFAULT}) # FreeBSD 15+ has libusb, versions below should disable it cmake_dependent_option(ENABLE_LIBUSB "Enable the use of LibUSB" ON "WIN32 OR PLATFORM_LINUX OR PLATFORM_FREEBSD OR APPLE" OFF) -cmake_dependent_option(ENABLE_OPENGL "Enable OpenGL" ON "NOT WIN32 OR NOT ARCHITECTURE_arm64" OFF) +cmake_dependent_option(ENABLE_OPENGL "Enable OpenGL" ON "NOT (WIN32 AND ARCHITECTURE_arm64) AND NOT APPLE" OFF) mark_as_advanced(FORCE ENABLE_OPENGL) option(ENABLE_WEB_SERVICE "Enable web services (telemetry, etc.)" ON) @@ -395,13 +395,15 @@ if (Boost_ADDED) if (NOT MSVC OR CXX_CLANG) # boost sucks if (PLATFORM_SUN) - set(CMAKE_CXX_FLAGS "${CMAKE_CXX_FLAGS} -pthreads") - set(CMAKE_C_FLAGS "${CMAKE_C_FLAGS} -pthreads") + add_compile_options($<$:-pthreads>) endif() - target_compile_options(boost_heap INTERFACE -Wno-shadow) - target_compile_options(boost_icl INTERFACE -Wno-shadow) - target_compile_options(boost_asio INTERFACE -Wno-conversion -Wno-implicit-fallthrough) + target_compile_options(boost_heap INTERFACE $<$:-Wno-shadow>) + target_compile_options(boost_icl INTERFACE $<$:-Wno-shadow>) + target_compile_options(boost_asio INTERFACE + $<$:-Wno-conversion> + $<$:-Wno-implicit-fallthrough> + ) endif() endif() @@ -440,7 +442,7 @@ if (NOT YUZU_STATIC_ROOM) if (Opus_ADDED) if (MSVC AND CXX_CLANG) target_compile_options(opus PRIVATE - -Wno-implicit-function-declaration + $<$:-Wno-implicit-function-declaration> ) endif() endif() @@ -484,10 +486,10 @@ endfunction() # ============================================= if (APPLE) - # Umbrella framework for everything GUI-related - find_library(COCOA_LIBRARY Cocoa REQUIRED) - find_library(IOKIT_LIBRARY IOKit REQUIRED) - set(PLATFORM_LIBRARIES ${COCOA_LIBRARY} ${IOKIT_LIBRARY} ${COREVIDEO_LIBRARY}) + foreach(fw Carbon Metal Cocoa IOKit CoreVideo CoreMedia) + find_library(${fw}_LIBRARY ${fw} REQUIRED) + list(APPEND PLATFORM_LIBRARIES ${${fw}_LIBRARY}) + endforeach() elseif (WIN32) # Target Windows 10 add_compile_definitions(_WIN32_WINNT=0x0A00 WINVER=0x0A00) @@ -524,7 +526,6 @@ if (NOT YUZU_STATIC_ROOM) find_package(SPIRV-Tools) find_package(sirit) find_package(gamemode) - find_package(mcl) find_package(frozen) if (ARCHITECTURE_riscv64) @@ -577,9 +578,9 @@ if (ENABLE_QT) find_package(Qt6 CONFIG REQUIRED COMPONENTS Widgets Charts Concurrent) - # if (YUZU_USE_QT_MULTIMEDIA) - # find_package(Qt6 REQUIRED COMPONENTS Multimedia) - # endif() + if (YUZU_USE_QT_MULTIMEDIA) + find_package(Qt6 REQUIRED COMPONENTS Multimedia) + endif() if (PLATFORM_LINUX OR PLATFORM_FREEBSD) # yes Qt, we get it @@ -618,9 +619,9 @@ if (ENABLE_QT) if (PLATFORM_LINUX) list(APPEND YUZU_QT_COMPONENTS DBus) endif() - # if (YUZU_USE_QT_MULTIMEDIA) - # list(APPEND YUZU_QT_COMPONENTS Multimedia) - # endif() + if (YUZU_USE_QT_MULTIMEDIA) + list(APPEND YUZU_QT_COMPONENTS Multimedia) + endif() if (YUZU_USE_QT_WEB_ENGINE) list(APPEND YUZU_QT_COMPONENTS WebEngineCore WebEngineWidgets) endif() diff --git a/CMakeModules/GentooCross.cmake b/CMakeModules/GentooCross.cmake new file mode 100644 index 0000000000..7daff8ea2d --- /dev/null +++ b/CMakeModules/GentooCross.cmake @@ -0,0 +1,18 @@ +# SPDX-FileCopyrightText: Copyright 2026 Eden Emulator Project +# SPDX-License-Identifier: GPL-3.0-or-later + +set(CROSS_TARGET "powerpc64le" CACHE STRING "Cross-compilation target (aarch64, powerpc64le, riscv64, etc)") + +set(CMAKE_SYSROOT /usr/${CROSS_TARGET}-unknown-linux-gnu) + +set(CMAKE_C_COMPILER ${CROSS_TARGET}-unknown-linux-gnu-gcc) +set(CMAKE_CXX_COMPILER ${CROSS_TARGET}-unknown-linux-gnu-g++) + +# search programs in the host environment +set(CMAKE_FIND_ROOT_PATH_MODE_PROGRAM NEVER) + +# search headers and libraries in the target environment +set(CMAKE_FIND_ROOT_PATH_MODE_LIBRARY ONLY) +set(CMAKE_FIND_ROOT_PATH_MODE_INCLUDE ONLY) + +set(CMAKE_FIND_ROOT_PATH /usr/${CROSS_TARGET}-unknown-linux-gnu) diff --git a/README.md b/README.md index 3ae31151f7..44a2b4c28b 100644 --- a/README.md +++ b/README.md @@ -61,6 +61,10 @@ See the [sign-up instructions](docs/SIGNUP.md) for information on registration. Alternatively, if you wish to add translations, go to the [Eden project on Transifex](https://app.transifex.com/edenemu/eden-emulator) and review [the translations README](./dist/languages). +## Documentation + +We have a user manual! See our [User Handbook](./docs/user/README.md). + ## Building See the [General Build Guide](docs/Build.md) @@ -69,7 +73,9 @@ For information on provided development tooling, see the [Tools directory](./too ## Download -You can download the latest releases from [here](https://github.com/eden-emulator/Releases/releases). +You can download the latest releases from [here](https://git.eden-emu.dev/eden-emu/eden/releases). + +Save us some bandwidth! We have [mirrors available](./docs/user/ThirdParty.md#mirrors) as well. ## Support diff --git a/cpmfile.json b/cpmfile.json index 774f160360..1bb29afae4 100644 --- a/cpmfile.json +++ b/cpmfile.json @@ -46,9 +46,9 @@ "package": "ZLIB", "repo": "madler/zlib", "tag": "v%VERSION%", - "hash": "06eaa3a1eaaeb31f461a2283b03a91ed8eb2406e62cd97ea1c69836324909edeecd93edd03ff0bf593d9dde223e3376149134c5b1fe2e8688c258cadf8cd60ff", + "hash": "16fea4df307a68cf0035858abe2fd550250618a97590e202037acd18a666f57afc10f8836cbbd472d54a0e76539d0e558cb26f059d53de52ff90634bbf4f47d4", "version": "1.2", - "git_version": "1.3.1.2", + "git_version": "1.3.2", "options": [ "ZLIB_BUILD_SHARED OFF", "ZLIB_INSTALL OFF" @@ -87,8 +87,8 @@ "bundled": true }, "llvm-mingw": { - "repo": "misc/llvm-mingw", - "git_host": "git.crueter.xyz", + "repo": "eden-emu/llvm-mingw", + "git_host": "git.eden-emu.dev", "tag": "%VERSION%", "version": "20250828", "artifact": "clang-rt-builtins.tar.zst", @@ -98,9 +98,9 @@ "package": "VVL", "repo": "KhronosGroup/Vulkan-ValidationLayers", "tag": "vulkan-sdk-%VERSION%", - "git_version": "1.4.335.0", + "git_version": "1.4.341.0", "artifact": "android-binaries-%VERSION%.zip", - "hash": "48167c4a17736301bd08f9290f41830443e1f18cce8ad867fc6f289b49e18b40e93c9850b377951af82f51b5b6d7313aa6a884fc5df79f5ce3df82696c1c1244" + "hash": "8812ae84cbe49e6a3418ade9c458d3be6d74a3dffd319d4502007b564d580998056e8190414368ec11b27bc83993c7a0dad713c31bcc3d9553b51243efee3753" }, "quazip": { "package": "QuaZip-Qt6", diff --git a/dist/Assets.car b/dist/Assets.car index eb54881fac..9ae9bca8a4 100644 Binary files a/dist/Assets.car and b/dist/Assets.car differ diff --git a/dist/dev.eden_emu.eden.svg b/dist/dev.eden_emu.eden.svg index b125f4fb80..f88b52f625 100644 --- a/dist/dev.eden_emu.eden.svg +++ b/dist/dev.eden_emu.eden.svg @@ -6,191 +6,225 @@ viewBox="0 0 512 512" version="1.1" id="svg7" - sodipodi:docname="saintpatrick2026_named.svg" - inkscape:version="1.4.2 (ebf0e940d0, 2025-05-08)" - xml:space="preserve" - inkscape:export-filename="dev.eden_emu.eden.png" + sodipodi:docname="base.svg.2026_01_12_14_43_47.0.svg" + inkscape:version="1.4.2 (ebf0e94, 2025-05-08)" + inkscape:export-filename="base.svg.2026_01_12_14_43_47.0.svg" inkscape:export-xdpi="96" inkscape:export-ydpi="96" xmlns:inkscape="http://www.inkscape.org/namespaces/inkscape" xmlns:sodipodi="http://sodipodi.sourceforge.net/DTD/sodipodi-0.dtd" xmlns:xlink="http://www.w3.org/1999/xlink" xmlns="http://www.w3.org/2000/svg" - xmlns:svg="http://www.w3.org/2000/svg" - xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#" - xmlns:cc="http://creativecommons.org/ns#" - xmlns:dc="http://purl.org/dc/elements/1.1/"> - - - - - - - Madeline_Dev - mailto:madelvidel@gmail.com - - - 2025 - - 2025 Eden Emulator Project - https://git.eden-emu.dev - - - + xmlns:svg="http://www.w3.org/2000/svg"> + id="defs7"> + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/dist/eden.bmp b/dist/eden.bmp index 498d6f3893..888138ccf7 100644 Binary files a/dist/eden.bmp and b/dist/eden.bmp differ diff --git a/dist/eden.icns b/dist/eden.icns index 680800951d..82529ba224 100644 Binary files a/dist/eden.icns and b/dist/eden.icns differ diff --git a/dist/eden.ico b/dist/eden.ico index 187013ae63..45120ef312 100644 Binary files a/dist/eden.ico and b/dist/eden.ico differ diff --git a/dist/eden.icon/Assets/dev.eden_emu.eden.svg b/dist/eden.icon/Assets/dev.eden_emu.eden.svg new file mode 100644 index 0000000000..f88b52f625 --- /dev/null +++ b/dist/eden.icon/Assets/dev.eden_emu.eden.svg @@ -0,0 +1,230 @@ + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + + diff --git a/dist/eden.icon/icon.json b/dist/eden.icon/icon.json new file mode 100644 index 0000000000..1f1e7da516 --- /dev/null +++ b/dist/eden.icon/icon.json @@ -0,0 +1,37 @@ +{ + "fill" : { + "automatic-gradient" : "srgb:0.00000,0.00000,0.00000,1.00000" + }, + "groups" : [ + { + "layers" : [ + { + "fill" : "none", + "image-name" : "dev.eden_emu.eden.svg", + "name" : "dev.eden_emu.eden", + "position" : { + "scale" : 1.8, + "translation-in-points" : [ + 0, + 0 + ] + } + } + ], + "shadow" : { + "kind" : "neutral", + "opacity" : 0.5 + }, + "translucency" : { + "enabled" : true, + "value" : 0.5 + } + } + ], + "supported-platforms" : { + "circles" : [ + "watchOS" + ], + "squares" : "shared" + } +} \ No newline at end of file diff --git a/dist/languages/ar.ts b/dist/languages/ar.ts index 0e57052287..cdc169e6dc 100644 --- a/dist/languages/ar.ts +++ b/dist/languages/ar.ts @@ -377,146 +377,151 @@ This would ban both their forum username and their IP address. % - + Amiibo editor محرر أميبو - + Controller configuration إعدادات ذراع التحكم - + Data erase محو البيانات - + Error خطأ - + Net connect اتصال الشبكة - + Player select اختيار اللاعب - + Software keyboard لوحة المفاتيح البرمجية - + Mii Edit Mii تعديل الـ - + Online web الويب متصل - + Shop متجر - + Photo viewer عارض الصور - + Offline web الويب غير متصل - + Login share مشاركة تسجيل الدخول - + Wifi web auth مصادقة الويب واي فاي - + My page صفحتي - + Enable Overlay Applet تمكين الطبقة للتطبيق الصغير - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + تمكين التطبيق الصغير المدمج في Horizon. اضغط مع الاستمرار على زر الشاشة الرئيسية لمدة 1 ثانية لإظهاره. + + + Output Engine: محرك الإخراج: - + Output Device: جهاز الإخراج: - + Input Device: جهاز الإدخال: - + Mute audio كتم الصوت - + Volume: الصوت: - + Mute audio when in background كتم الصوت عندما تكون في الخلفية - + Multicore CPU Emulation محاكاة وحدة المعالجة المركزية متعددة النواة - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. يزيد هذا الخيار من استخدام خيط محاكاة وحدة المعالجة المركزية من 1 إلى الحد الأقصى وهو 4. هذا الخيار مخصص بشكل أساسي لتصحيح الأخطاء، ولا ينبغي تعطيله. - + Memory Layout تخطيط الذاكرة - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - يزيد حجم ذاكرة الوصول العشوائي RAM المُحاكاة من 4 جيجابايت للوحة إلى 8/6 جيجابايت لمجموعة التطوير. -لا يؤثر ذلك على الأداء/الاستقرار، ولكنه قد يسمح بتحميل تعديلات نسيجيه عالية الدقة. + يزيد من حجم ذاكرة الوصول العشوائي المُحاكاة. +لا يؤثر على الأداء أو الاستقرار، ولكنه قد يسمح بتحميل تعديلات نسيج عالية الدقة. - + Limit Speed Percent الحد من السرعة في المئة - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -524,6 +529,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + سرعة تيربو + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + عند الضغط على مفتاح الاختصار لسرعة التوربو، سيتم تحديد السرعة بهذه النسبة المئوية. + + + + Slow Speed + سرعة بطيئة + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + عند الضغط على مفتاح الاختصار للسرعة البطيئة، سيتم تحديد السرعة بهذه النسبة المئوية. + Synchronize Core Speed @@ -537,159 +562,159 @@ Can help reduce stuttering at lower framerates. يساعد في تقليل التلعثم عند معدلات الإطارات المنخفضة. - + Accuracy: الدقة: - + Change the accuracy of the emulated CPU (for debugging only). تغيير دقة وحدة المعالجة المركزية المحاكية (للتصحيح فقط). - - + + Backend: الخلفية: - + CPU Overclock رفع تردد المعالج - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. يزيد من سرعة وحدة المعالجة المركزية المحاكية لإزالة بعض محددات الإطارات في الثانية. قد تشهد وحدات المعالجة المركزية الأضعف انخفاضًا في الأداء، وقد تعمل بعض الألعاب بشكل غير صحيح. استخدم المعزز (1700 ميجاهرتز) للتشغيل بأعلى سرعة ساعة أصلية لجهاز سويتش، أو السريع (2000 ميجاهرتز) للتشغيل بسرعة ساعة مضاعفة. - + Custom CPU Ticks علامات وحدة المعالجة المركزية المخصصة - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. تعيين قيمة مخصصة لدقات وحدة المعالجة المركزية. القيم الأعلى يمكن أن تزيد الأداء، ولكنها قد تسبب حالات توقف تام. يوصى باستخدام نطاق 77-21000. - + Virtual Table Bouncing Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort يرفض (عن طريق محاكاة عودة بقيمة 0) أي وظائف تؤدي إلى إيقاف عملية التخزين المسبق - + Enable Host MMU Emulation (fastmem) (fastmem) المضيف MMU تمكين محاكاة - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. يُسرّع هذا التحسين وصول برنامج الضيف إلى الذاكرة. يؤدي تفعيله إلى قراءة/كتابة ذاكرة الضيف مباشرةً في الذاكرة، واستخدام وحدة ذاكرة الجهاز المضيف MMU. أما تعطيله، فيُجبر جميع عمليات الوصول إلى الذاكرة على استخدام محاكاة وحدة ذاكرة الجهاز البرمجية MMU. - + Unfuse FMA (improve performance on CPUs without FMA) إلغاء استخدام FMA (تحسين الأداء على وحدات المعالجة المركزية بدون FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. أصلاً FMA يعمل هذا الخيار على تحسين السرعة عن طريق تقليل دقة تعليمات الضرب والإضافة المدمجة على وحدات المعالجة المركزية التي لا تدعم - + Faster FRSQRTE and FRECPE FRSQRTE و FRECPE أسرع - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. يعمل هذا الخيار على تحسين سرعة بعض وظائف النقاط العائمة التقريبية باستخدام تقريبات أصلية أقل دقة. - + Faster ASIMD instructions (32 bits only) أسرع (32 بت فقط) ASIMD تعليمات - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. يعمل هذا الخيار على تحسين سرعة وظائف النقطة العائمة ASIMD ذات 32 بت من خلال التشغيل باستخدام أوضاع تقريب غير صحيحة. - + Inaccurate NaN handling NaN معالجة غير دقيقة لـ - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. NaN يعمل هذا الخيار على تحسين السرعة عن طريق إزالة فحص. يرجى ملاحظة أن هذا يقلل أيضًا من دقة بعض تعليمات النقاط العائمة. - + Disable address space checks تعطيل عمليات التحقق من مساحة العنوان - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. يعمل هذا الخيار على تحسين السرعة من خلال إلغاء فحص الأمان قبل كل عملية ذاكرة. قد يؤدي تعطيله إلى السماح بتنفيذ تعليمات برمجية عشوائية. - + Ignore global monitor - تجاهل المراقبة العالمية + تجاهل الشاشة العالمية - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. يُحسّن هذا الخيار السرعة بالاعتماد فقط على دلالات cmpxchg لضمان سلامة تعليمات الوصول الحصري. يُرجى ملاحظة أن هذا قد يؤدي إلى توقفات وحالات تسابق أخرى. - + API: واجهة برمجة التطبيقات: - + Changes the output graphics API. Vulkan is recommended. يُغيّر واجهة برمجة تطبيقات الرسومات الناتجة. Vulkan يُنصح باستخدام - + Device: جهاز: - + This setting selects the GPU to use (Vulkan only). (Vulkan فقط) يحدد هذا الإعداد وحدة معالجة الرسومات التي سيتم استخدامها - + Resolution: الدقة: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -698,27 +723,27 @@ Options lower than 1X can cause artifacts. قد تؤدي الخيارات الأقل من 1X إلى حدوث تشوهات. - + Window Adapting Filter: مرشح تكييف النافذة: - + FSR Sharpness: FSR حدة: - + Determines how sharpened the image will look using FSR's dynamic contrast. FSR يقوم بتحديد مدى وضوح الصورة باستخدام التباين الديناميكي لـ - + Anti-Aliasing Method: طريقة مضاد التعرج: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -727,12 +752,12 @@ FXAA can produce a more stable picture in lower resolutions. يُمكن لـ FXAA إنتاج صورة أكثر ثباتًا بدقة أقل. - + Fullscreen Mode: وضع ملء الشاشة: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -741,12 +766,12 @@ Exclusive fullscreen may offer better performance and better Freesync/Gsync supp قد يوفر وضع ملء الشاشة الحصري أداءً أفضل ودعمًا أفضل لتقنيتي Freesync/Gsync. - + Aspect Ratio: نسبة العرض إلى الارتفاع: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -755,24 +780,24 @@ Also controls the aspect ratio of captured screenshots. كما يتحكم في نسبة العرض إلى الارتفاع للقطات الشاشة الملتقطة. - + Use persistent pipeline cache استخدام ذاكرة التخزين المؤقتة الدائمة للأنابيب - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. يسمح بحفظ التظليلات في وحدة التخزين لتحميلها بشكل أسرع عند تشغيل اللعبة في المرات التالية. لا يُقصد من تعطيله سوى تصحيح الأخطاء. - + Optimize SPIRV output SPIRV تحسين مخرجات - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -783,24 +808,24 @@ This feature is experimental. هذه الميزة تجريبية. - + NVDEC emulation: NVDEC محاكاة: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. يُحدد كيفية فك تشفير الفيديوهات.يمكن استخدام وحدة المعالجة المركزية CPU أو وحدة معالجة الرسومات GPU لفك التشفير، أو عدم فك التشفير إطلاقًا (شاشة سوداء على الفيديوهات).في معظم الحالات، يُوفر فك تشفير وحدة معالجة الرسومات GPU أفضل أداء. - + ASTC Decoding Method: ASTC طريقة فك تشفير: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -812,12 +837,12 @@ stuttering but may present artifacts. وحدة المعالجة المركزية بشكل غير متزامن: استخدمها لفك تشفير قوام ASTC عند الطلب. يزيل هذا الخيار تقطع فك تشفير ASTC، ولكنه قد يُظهر بعض العيوب. - + ASTC Recompression Method: ASTC طريقة إعادة ضغط: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -825,34 +850,44 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3: سيتم إعادة ضغط الصيغة الوسيطة إلى صيغة BC1 أو BC3، مما يوفر مساحة على ذاكرة الوصول العشوائي للفيديو VRAM ولكنه يُضعف جودة الصورة. - + + Frame Pacing Mode (Vulkan only) + (Vulkan فقط) وضع توقيت الإطارات + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + يتحكم في كيفية إدارة المحاكي لسرعة الإطارات لتقليل التقطع وجعل معدل الإطارات أكثر سلاسة واتساقًا. + + + VRAM Usage Mode: VRAM وضع استهلاك: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. يُحدد ما إذا كان ينبغي على المُحاكي تفضيل توفير الذاكرة أو الاستفادة القصوى من ذاكرة الفيديو المُتاحة لتحسين الأداء. قد يؤثر الوضع المُكثّف على أداء تطبيقات أخرى، مثل برامج التسجيل. - + Skip CPU Inner Invalidation تخطي إبطال وحدة المعالجة المركزية الداخلية - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. يتخطى بعض عمليات إبطال ذاكرة التخزين المؤقتة أثناء تحديثات الذاكرة، مما يقلل من استخدام وحدة المعالجة المركزية ويحسّن زمن الوصول. قد يؤدي هذا إلى أعطال مؤقتة. - + VSync Mode: VSync وضع: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -863,12 +898,12 @@ Immediate (no synchronization) presents whatever is available and can exhibit te يُظهر الوضع الفوري (بدون مزامنة) كل ما هو متاح، وقد يُظهر تمزقًا. - + Sync Memory Operations مزامنة عمليات الذاكرة - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -877,87 +912,99 @@ Unreal Engine 4 games often see the most significant changes thereof. التغييرات الأكثر أهمية Unreal Engine 4 غالبًا ما تشهد ألعاب. - + Enable asynchronous presentation (Vulkan only) (Vulkan فقط) تمكين العرض التقديمي غير المتزامن - + Slightly improves performance by moving presentation to a separate CPU thread. تحسين الأداء بشكل طفيف عن طريق نقل العرض التقديمي إلى مؤشر ترابط منفصل في وحدة المعالجة المركزية. - + Force maximum clocks (Vulkan only) (Vulkan فقط) فرض الحد الأقصى للساعات - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. يعمل في الخلفية أثناء انتظار أوامر الرسومات لمنع وحدة معالجة الرسومات من خفض سرعة الساعة. - + Anisotropic Filtering: الترشيح المتباين الخواص: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. يتحكم بجودة عرض الملمس بزوايا مائلة. من الآمن ضبطه على 16x على معظم وحدات معالجة الرسومات. - + GPU Mode: وضع وحدة معالجة الرسومات: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. يتحكم في وضع محاكاة وحدة معالجة الرسومات.تُعرض معظم الألعاب بشكل جيد في الوضعين السريع أو المتوازن، ولكن الوضع الدقيق لا يزال مطلوبًا لبعض الألعاب.تميل الجسيمات إلى العرض بشكل صحيح فقط في الوضع الدقيق. - + DMA Accuracy: DMA دقة: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. الدقة الآمنة تعمل على إصلاح المشكلات في بعض الألعاب ولكنها قد تؤدي إلى انخفاض الأداء DMA يتحكم في دقة - + Enable asynchronous shader compilation تفعيل تجميع التظليل غير المتزامن - + May reduce shader stutter. قد يقلل من تقطع التظليل. - + Fast GPU Time وقت معالجة الرسومات السريع - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. يزيد من سرعة وحدة معالجة الرسومات المحاكية لزيادة الدقة الديناميكية ومسافة العرض.استخدم 256 للحصول على أقصى أداء و 512 للحصول على أقصى دقة للرسومات. - + + GPU Unswizzle + إلغاء ترتيب بيانات وحدة معالجة الرسومات + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + باستخدام حوسبة وحدة معالجة الرسومات BCn 3D يسرع فك تشفير نسيج. +قم بتعطيله في حالة حدوث أعطال أو مشاكل في الرسومات. + + + GPU Unswizzle Max Texture Size الحد الأقصى لحجم النسيج في وحدة معالجة الرسومات بعد إعادة ترتيب البيانات - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. @@ -966,48 +1013,48 @@ Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size حجم تدفق إلغاء ترتيب بيانات وحدة معالجة الرسومات - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. يحدد الحد الأقصى لكمية بيانات النسيج (بالميغابايت) التي تتم معالجتها لكل إطار. يمكن أن تقلل القيم الأعلى من التقطع أثناء تحميل النسيج، ولكنها قد تؤثر على اتساق الإطارات. - + GPU Unswizzle Chunk Size حجم كتلة إلغاء ترتيب بيانات وحدة معالجة الرسومات - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. يُحدد هذا الخيار عدد شرائح العمق التي تتم معالجتها في عملية إرسال واحدة. زيادة هذا الخيار قد تُحسّن الإنتاجية على وحدات معالجة الرسومات المتطورة، ولكنها قد تُسبب أخطاء في إعادة تعيين وقت الاستجابة أو انقطاع الاتصال ببرنامج التشغيل على الأجهزة ذات المواصفات الأقل. - + Use Vulkan pipeline cache Vulkan استخدام ذاكرة التخزين المؤقتة لخط أنابيب - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. يُفعّل ذاكرة التخزين المؤقت لخطوط الأنابيب الخاصة ببائع وحدة معالجة الرسومات. بتخزين ملفات ذاكرة التخزين المؤقتة للخطوط الداخلية Vulkan يمكن أن يؤدي هذا الخيار إلى تحسين وقت تحميل التظليل بشكل كبير في الحالات التي لا يقوم فيها برنامج تشغيل. - + Enable Compute Pipelines (Intel Vulkan Only) (Intel Vulkan فقط) تمكين خطوط أنابيب الحوسبة - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1016,183 +1063,206 @@ Compute pipelines are always enabled on all other drivers. خطوط أنابيب الحوسبة مفعلة دائمًا على جميع برامج التشغيل الأخرى. - + Enable Reactive Flushing تمكين التنظيف التفاعلي - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. يستخدم التنظيف التفاعلي بدلاً من التنظيف التنبئي، مما يسمح بمزامنة الذاكرة بشكل أكثر دقة. - + Sync to framerate of video playback المزامنة مع معدل الإطارات لتشغيل الفيديو - + Run the game at normal speed during video playback, even when the framerate is unlocked. قم بتشغيل اللعبة بالسرعة العادية أثناء تشغيل الفيديو، حتى عندما يكون معدل الإطارات مفتوحًا. - + Barrier feedback loops حلقات ردود الفعل الحاجزة - + Improves rendering of transparency effects in specific games. يحسن عرض تأثيرات الشفافية في بعض الألعاب المحددة. - + + Enable buffer history + تمكين سجل التخزين المؤقت + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + يُتيح هذا الخيار الوصول إلى حالات التخزين المؤقت السابقة. وقد يُحسّن جودة العرض وثبات الأداء في بعض الألعاب. + + + Fix bloom effects إصلاح تأثيرات التوهج - + Removes bloom in Burnout. يزيل التوهج في وضع الاحتراق. - + + Enable Legacy Rescale Pass + تفعيل ميزة إعادة التحجيم القديمة + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + قد يصلح مشاكل إعادة القياس في بعض الألعاب بالاعتماد على سلوك من التنفيذ السابق. +حل لسلوك قديم يصلح تشوهات الخطوط على بطاقات AMD وIntel الرسومية، ووميض النسيج الرمادي على بطاقات Nvidia الرسومية في لعبة Luigi's Mansion 3. + + + Extended Dynamic State الحالة الديناميكية الموسعة - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. يتحكم في عدد الميزات التي يمكن استخدامها في الحالة الديناميكية الموسعة.تسمح الحالات الأعلى بمزيد من الميزات ويمكن أن تزيد من الأداء، ولكنها قد تسبب مشكلات رسومية إضافية. - + Vertex Input Dynamic State حالة ديناميكية لإدخال الرأس - + Enables vertex input dynamic state feature for better quality and performance. يتيح ميزة الحالة الديناميكية لإدخال الرأس لتحسين الجودة والأداء. - + Provoking Vertex استفزاز قمة الرأس - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. يُحسّن الإضاءة ومعالجة الرؤوس في بعض الألعاب. تدعم هذه الإضافة أجهزة Vulkan 1.0+‎ فقط. - + Descriptor Indexing فهرسة الوصف - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. يُحسّن معالجة الملمس والذاكرة المؤقتة وطبقة ترجمة ماكسويل. تدعم بعض أجهزة Vulkan الإصدار 1.1+‎ وجميع أجهزة 1.2+‎ هذه الإضافة. - + Sample Shading تظليل العينة - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. يسمح لمظلل الأجزاء بالتنفيذ لكل عينة في جزء متعدد العينات بدلاً من مرة واحدة لكل جزء. يحسن جودة الرسومات على حساب الأداء. القيم الأعلى تحسن الجودة ولكنها تقلل من الأداء. - + RNG Seed مولد الأرقام العشوائية - + Controls the seed of the random number generator. Mainly used for speedrunning. يتحكم في بذرة مولد الأرقام العشوائية. يُستخدم بشكل رئيسي في سباقات السرعة. - + Device Name اسم الجهاز - + The name of the console. اسم وحدة التحكم. - + Custom RTC Date: المخصص RTC تاريخ: - + This option allows to change the clock of the console. Can be used to manipulate time in games. يتيح لك هذا الخيار تغيير ساعة وحدة التحكم. يمكن استخدامه للتحكم بالوقت في الألعاب. - + The number of seconds from the current unix time عدد الثواني من وقت يونكس الحالي - + Language: اللغة: - + This option can be overridden when region setting is auto-select يمكن تجاوز هذا الخيار عند تحديد إعداد المنطقة تلقائيًا - + Region: المنطقة: - + The region of the console. منطقة وحدة التحكم. - + Time Zone: المنطقة الزمنية: - + The time zone of the console. المنطقة الزمنية لوحدة التحكم. - + Sound Output Mode: وضع إخراج الصوت: - + Console Mode: وضع وحدة التحكم: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1201,998 +1271,1049 @@ Setting to Handheld can help improve performance for low end systems. يُمكن أن يُساعد الضبط على الوضع المحمول على تحسين أداء الأجهزة منخفضة المواصفات. - + + Unit Serial + الرقم التسلسلي للوحدة + + + + Battery Serial + الرقم التسلسلي للبطارية + + + + Debug knobs + مقابض تصحيح الأخطاء + + + Prompt for user profile on boot المطالبة بملف تعريف المستخدم عند التشغيل - + Useful if multiple people use the same PC. مفيد إذا كان هناك عدة أشخاص يستخدمون نفس الكمبيوتر. - + Pause when not in focus توقف عند عدم التركيز - + Pauses emulation when focusing on other windows. يوقف المحاكاة عند التركيز على نوافذ أخرى. - + Confirm before stopping emulation تأكيد قبل إيقاف المحاكاة - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. يتجاوز المطالبات التي تطلب تأكيد إيقاف المحاكاة. يؤدي تمكينه إلى تجاوز هذه المطالبات والخروج مباشرة من المحاكاة. - + Hide mouse on inactivity إخفاء الماوس عند عدم النشاط - + Hides the mouse after 2.5s of inactivity. يخفي الماوس بعد 2.5 ثانية من عدم النشاط. - + Disable controller applet تعطيل تطبيق التحكم - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. يُعطّل استخدام أداة التحكم في البرامج المُحاكاة قسرًا. عند محاولة أي برنامج فتح أداة التحكم، تُغلق فورًا. - + Check for updates التحقق من توفر التحديثات - + Whether or not to check for updates upon startup. ما إذا كان يجب التحقق من التحديثات عند بدء التشغيل أم لا. - + Enable Gamemode تمكين وضع اللعبة - + Force X11 as Graphics Backend كخلفية رسومات X11 فرض - + Custom frontend الواجهة الأمامية المخصصة - + Real applet تطبيق صغير حقيقي - + Never أبداً - + On Load عند التحميل - + Always دائماً - + CPU وحدة المعالجة المركزية - + GPU وحدة معالجة الرسومات - + CPU Asynchronous وحدة المعالجة المركزية غير المتزامنة - + Uncompressed (Best quality) Uncompressed (أفضل جودة) - + BC1 (Low quality) BC1 (جودة منخفضة) - + BC3 (Medium quality) BC3 (جودة متوسطة) - - Conservative - محافظ - - - - Aggressive - عدواني - - - - Vulkan - Vulkan - - - - OpenGL GLSL - OpenGL GLSL - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - Null - لا شيء - - - - Fast - سريع - - - - Balanced - متوازن - - - - - Accurate - دقه - - - - - Default - افتراضي - - - - Unsafe (fast) - غير آمن (سريع) - - - - Safe (stable) - آمن (مستقر) - - - + + Auto تلقائي - + + 30 FPS + 30 إطارًا في الثانية + + + + 60 FPS + 60 إطارًا في الثانية + + + + 90 FPS + 90 إطارًا في الثانية + + + + 120 FPS + 120 إطارًا في الثانية + + + + Conservative + محافظ + + + + Aggressive + عدواني + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + Null + لا شيء + + + + Fast + سريع + + + + Balanced + متوازن + + + + + Accurate + دقه + + + + + Default + افتراضي + + + + Unsafe (fast) + غير آمن (سريع) + + + + Safe (stable) + آمن (مستقر) + + + Unsafe غير آمن - + Paranoid (disables most optimizations) جنون العظمة (يعطل معظم التحسينات) - + Debugging تصحيح الأخطاء - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed نافذة بلا حدود - + Exclusive Fullscreen شاشة كاملة حصرية - + No Video Output لا يوجد إخراج فيديو - + CPU Video Decoding فك تشفير فيديو وحدة المعالجة المركزية - + GPU Video Decoding (Default) فك تشفير فيديو وحدة معالجة الرسومات (افتراضي) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [تجريبي] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [تجريبي] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [تجريبي] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [تجريبي] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [تجريبي] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian Gaussian - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Area - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None لا شيء - + FXAA FXAA - + SMAA SMAA - + Default (16:9) (16:9) افتراضي - + Force 4:3 4:3 فرض - + Force 21:9 21:9 فرض - + Force 16:10 16:10 فرض - + Stretch to Window تمديد إلى النافذة - + Automatic تلقائي - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) اليابانية (日本語) - + American English الإنجليزية الأمريكية - + French (français) الفرنسية (français) - + German (Deutsch) الألمانية (Deutsch) - + Italian (italiano) الإيطالية (Italiano) - + Spanish (español) الإسبانية (español) - + Chinese الصينية - + Korean (한국어) الكورية (한국어) - + Dutch (Nederlands) الهولندية (Nederlands) - + Portuguese (português) البرتغالية (Português) - + Russian (Русский) الروسية (Русский) - + Taiwanese تايواني - + British English الإنكليزية البريطانية - + Canadian French الكندية الفرنسية - + Latin American Spanish أمريكا اللاتينية الإسبانية - + Simplified Chinese الصينية المبسطة - + Traditional Chinese (正體中文) الصينية التقليدية (正體中文) - + Brazilian Portuguese (português do Brasil) البرتغالية البرازيلية (português do Brasil) - - Serbian (српски) - الصربية (српски) + + Polish (polska) + البولندية (polska) - - + + Thai (แบบไทย) + التايلاندية (แบบไทย) + + + + Japan اليابان - + USA الولايات المتحدة الأمريكية - + Europe أوروبا - + Australia أستراليا - + China الصين - + Korea كوريا - + Taiwan تايوان - + Auto (%1) Auto select time zone تلقائي (%1) - + Default (%1) Default time zone افتراضي (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egypt - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Iceland - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Poland - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Turkey - + UCT UCT - + Universal عالمي - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono أحادي - + Stereo مجسم - + Surround محيطي - + 4GB DRAM (Default) 4GB DRAM (افتراضي) - + 6GB DRAM (Unsafe) 6GB DRAM (غير آمنة) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (غير آمنة) - + 12GB DRAM (Unsafe) 12GB DRAM (غير آمنة) - + Docked الإرساء - + Handheld محمول - - + + Off تعطيل - + Boost (1700MHz) تعزيز (1700 ميجا هرتز) - + Fast (2000MHz) سريع (2000 ميجاهرتز) - + Always ask (Default) اسأل دائمًا (افتراضي) - + Only if game specifies not to stop فقط إذا حددت اللعبة عدم التوقف - + Never ask لا تسأل أبدا - - + + Medium (256) متوسط (256) - - + + High (512) عالي (512) - + Very Small (16 MB) صغير جدًا (16 ميغابايت) - + Small (32 MB) صغير (32 ميغابايت) - + Normal (128 MB) قياسي (128 ميغابايت) - + Large (256 MB) كبير (256 ميغابايت) - + Very Large (512 MB) كبير جدًا (512 ميغابايت) - + Very Low (4 MB) منخفض جدًا (4 ميغابايت) - + Low (8 MB) منخفض (8 ميغابايت) - + Normal (16 MB) قياسي (16 ميغابايت) - + Medium (32 MB) متوسط (32 ميغابايت) - + High (64 MB) عالي (64 ميغابايت) - + Very Low (32) منخفض جدًا (32) - + Low (64) منخفض (64) - + Normal (128) قياسي (128) - + Disabled معطل - + ExtendedDynamicState 1 الحالة الديناميكية الممتدة 1 - + ExtendedDynamicState 2 الحالة الديناميكية الممتدة 2 - + ExtendedDynamicState 3 الحالة الديناميكية الممتدة 3 + + + Tree View + عرض الشجرة + + + + Grid View + عرض الشبكة + ConfigureApplets @@ -2226,7 +2347,7 @@ When a program attempts to open the controller applet, it is immediately closed. Configure Infrared Camera - إعداد كاميرا الأشعة فوق الحمراء + إعدادات كاميرا الأشعة فوق الحمراء @@ -2264,7 +2385,7 @@ When a program attempts to open the controller applet, it is immediately closed. استعادة الإعدادات الافتراضية - + Auto تلقائي @@ -2715,81 +2836,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + استخدام dev.keys + + + Enable Debug Asserts تمكين تأكيدات التصحيح - + Debugging تصحيح الأخطاء - + Battery Serial: رقم تسلسلي للبطارية: - + Bitmask for quick development toggles قناع بت للتبديل السريع بين أوضاع التطوير - + Set debug knobs (bitmask) ضبط أزرار تصحيح الأخطاء (قناع البت) - + 16-bit debug knob set for quick development toggles مجموعة أزرار تصحيح أخطاء 16 بت للتبديل السريع بين أوضاع التطوير - + (bitmask) (قناع البت) - + Debug Knobs: أزرار تصحيح الأخطاء: - + Unit Serial: الرقم التسلسلي للوحدة: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. قم بتمكين هذه الخيار لإخراج أحدث قائمة أوامر صوتية تم إنشاؤها إلى وحدة التحكم. يؤثر فقط على الألعاب التي تستخدم عارض الصوت. - + Dump Audio Commands To Console** تفريغ أوامر الصوت إلى وحدة التحكم - + Flush log output on each line مسح إخراج السجل على كل سطر - + Enable FS Access Log FS تمكين سجل وصول - + Enable Verbose Reporting Services** تمكين خدمات التقارير التفصيلية - + Censor username in logs اخفي اسم المستخدم في السجلات - + **This will be reset automatically when Eden closes. **سيتم إعادة تعيين هذا تلقائيًا عند إغلاق إيدن. @@ -2799,7 +2925,7 @@ When a program attempts to open the controller applet, it is immediately closed. Configure Debug Controller - إعداد تصحيح أخطاء ذراع التحكم + إعدادات تصحيح أخطاء ذراع التحكم @@ -2850,13 +2976,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio الصوت - + CPU المعالج @@ -2872,13 +2998,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General عام - + Graphics الرسومات @@ -2899,7 +3025,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls ذراع التحكم @@ -2915,7 +3041,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System النظام @@ -3033,58 +3159,58 @@ When a program attempts to open the controller applet, it is immediately closed. إعادة تعيين الذاكرة المؤقتة للبيانات الوصفية - + Select Emulated NAND Directory... حدد مجلد الذاكرة الداخلية المحاكاة... - + Select Emulated SD Directory... حدد مجلد بطاقة الذاكرة الذي تمت محاكاته - - + + Select Save Data Directory... حدد مجلد بيانات الحفظ... - + Select Gamecard Path... أختر مسار بطاقة اللعبة - + Select Dump Directory... حدد مجلد التفريغ - + Select Mod Load Directory... حدد مجلد تحميل التعديل - + Save Data Directory مجلد بيانات الحفظ - + Choose an action for the save data directory: اختر إجراءً لمجلد بيانات الحفظ: - + Set Custom Path تعيين مسار مخصص - + Reset to NAND إعادة ضبط إلى الذاكرة الداخلية - + Save data exists in both the old and new locations. Old: %1 @@ -3095,7 +3221,7 @@ WARNING: This will overwrite any conflicting saves in the new location! البيانات المحفوظة موجودة في كل من الموقعين القديم والجديد.القديم: %1الجديد: %2هل ترغب في نقل الملفات المحفوظة من الموقع القديم؟تحذير: سيؤدي هذا إلى استبدال أي ملفات حفظ متعارضة في الموقع الجديد! - + Would you like to migrate your save data to the new location? From: %1 @@ -3103,28 +3229,28 @@ To: %2 هل ترغب في نقل بياناتك المحفوظة إلى الموقع الجديد؟من: %1الى: %2 - + Migrate Save Data نقل البيانات الحفظ - + Migrating save data... نقل بيانات الحفظ... - + Cancel إلغاء - + Migration Failed فشل عملية النقل - + Failed to create destination directory. فشل في إنشاء مجلد الوجهة. @@ -3135,12 +3261,12 @@ To: %2 فشل نقل بيانات الحفظ:%1 - + Migration Complete اكتملت عملية النقل - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3161,20 +3287,55 @@ Would you like to delete the old save data? عام - + + External Content + محتوى خارجي + + + + Add directories to scan for DLCs and Updates without installing to NAND + إضافة مجلدات لفحصها بحثًا عن المحتوى القابل للتنزيل والتحديثات دون تثبيتها على الذاكرة الداخلية + + + + Add Directory + إضافة مجلد + + + + Remove Selected + إزالة ما تم اختياره + + + Reset All Settings إعادة تعيين جميع الإعدادات - + Eden إيدن - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? سيؤدي ذلك إلى إعادة تعيين جميع الإعدادات وإزالة جميع التكوينات الخاصة بكل لعبة. لن يؤدي ذلك إلى حذف مجلدات الألعاب أو ملفات التعريف أو ملفات تعريف الإدخال. هل تريد المتابعة؟ + + + Select External Content Directory... + حدد مجلد المحتوى الخارجي... + + + + Directory Already Added + تمت إضافة المجلد مسبقًا + + + + This directory is already in the list. + هذا المجلد موجود بالفعل في القائمة. + ConfigureGraphics @@ -3204,33 +3365,33 @@ Would you like to delete the old save data? :لون الخلفية - + % FSR sharpening percentage (e.g. 50%) % - + Off معطل - + VSync Off VSync معطل - + Recommended مستحسن - + On مفعل - + VSync On VSync مفعل @@ -3281,13 +3442,13 @@ Would you like to delete the old save data? Vulkan ملحقات - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. تم تعطيل الحالة الديناميكية الممتدة على نظام macOS بسبب مشكلات توافق MoltenVK التي تتسبب في ظهور شاشات سوداء. @@ -3398,7 +3559,7 @@ Would you like to delete the old save data? ConfigureInput - إعداد الإدخال + إعدادات الإدخال @@ -3478,7 +3639,7 @@ Would you like to delete the old save data? Configure - الإعداد + الإعدادات @@ -3551,7 +3712,7 @@ Would you like to delete the old save data? Configure Input - إعداد الإدخال + إعدادات الإدخال @@ -3682,7 +3843,7 @@ Would you like to delete the old save data? Configure - الإعداد + الإعدادات @@ -3825,7 +3986,7 @@ Would you like to delete the old save data? Configure Input - إعداد الإدخال + إعدادات الإدخال @@ -3859,7 +4020,7 @@ Would you like to delete the old save data? - + Left Stick العصا اليسرى @@ -3969,14 +4130,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3989,22 +4150,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -4061,7 +4222,7 @@ Would you like to delete the old save data? - + Right Stick العصا اليمنى @@ -4073,7 +4234,7 @@ Would you like to delete the old save data? Configure - الإعداد + الإعدادات @@ -4230,88 +4391,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Sega Genesis - + Start / Pause Start / Pause - + Z Z - + Control Stick عصا التحكم - + C-Stick C-عصا - + Shake! هزّ! - + [waiting] [انتظار] - + New Profile ملف تعريف جديد - + Enter a profile name: أدخل اسم ملف التعريف: - - + + Create Input Profile إنشاء ملف تعريف الإدخال - + The given profile name is not valid! اسم ملف التعريف المحدد غير صالح! - + Failed to create the input profile "%1" "%1" فشل في إنشاء ملف تعريف الإدخال - + Delete Input Profile حذف ملف تعريف الإدخال - + Failed to delete the input profile "%1" "%1" فشل في مسح ملف تعريف الإدخال - + Load Input Profile تحميل ملف تعريف الإدخال - + Failed to load the input profile "%1" "%1" فشل في تحميل ملف تعريف الإدخال - + Save Input Profile حفظ ملف تعريف الإدخال - + Failed to save the input profile "%1" "%1" فشل في حفظ ملف تعريف الإدخال @@ -4339,7 +4500,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Configure Motion / Touch - إعداد الحركة / اللمس + إعدادات الحركة / اللمس @@ -4361,7 +4522,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Configure - الإعداد + الإعدادات @@ -4452,7 +4613,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Configuring - الإعداد + الإعدادات @@ -4485,7 +4646,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Configure mouse panning - إعداد حركة الماوس + إعدادات حركة الماوس @@ -4606,11 +4767,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode تمكين وضع الطيران - - - None - لا شيء - ConfigurePerGame @@ -4665,52 +4821,57 @@ Current values are %1% and %2% respectively. بعض الإعدادات متوفرة فقط عندما لا تكون اللعبة قيد التشغيل. - + Add-Ons الإضافات - + System النظام - + CPU المعالج - + Graphics الرسومات - + Adv. Graphics الرسومات المتقدمة - + Ext. Graphics الرسومات الخارجية - + Audio الصوت - + Input Profiles ملفات تعريف الإدخال - + Network الشبكة + Applets + التطبيقات الصغيرة + + + Properties خصائص @@ -4728,15 +4889,115 @@ Current values are %1% and %2% respectively. الإضافات - + + Import Mod from ZIP + استيراد التعديل من ملف مضغوط + + + + Import Mod from Folder + استيراد التعديل من مجلد + + + Patch Name اسم التصحيح - + Version الإصدار + + + Mod Install Succeeded + تم تثبيت التعديل بنجاح + + + + Successfully installed all mods. + تم تثبيت جميع التعديلات بنجاح. + + + + Mod Install Failed + فشل تثبيت التعديل + + + + Failed to install the following mods: + %1 +Check the log for details. + فشل تثبيت التعديلات التالية: + %1 +تحقق من السجل للحصول على التفاصيل. + + + + Mod Folder + مجلد التعديلات + + + + Zipped Mod Location + موقع التعديل المضغوط + + + + Zipped Archives (*.zip) + (*.zip) موقع التعديل المضغوط + + + + Invalid Selection + اختيار غير صالح + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + يمكن حذف الإضافات والغش والتصحيحات فقط. +لحذف التحديثات المثبتة على الذاكرة الداخلية، انقر بزر الماوس الأيمن على اللعبة في قائمة الألعاب ثم اختر إزالة -> إزالة التحديث المثبت. + + + + You are about to delete the following installed mods: + + أنت على وشك حذف التعديلات المثبتة التالية: + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + +بمجرد حذفها، لا يمكن استعادتها. هل أنت متأكد 100% من رغبتك في حذفها؟ + + + + Delete add-on(s)? + حذف التعديل(ات)؟ + + + + Successfully deleted + تم الحذف بنجاح + + + + Successfully deleted all selected mods. + تم حذف جميع التعديلات المحددة بنجاح. + + + + &Delete + &حذف + + + + &Open in File Manager + &فتح في مدير الملفات + ConfigureProfileManager @@ -4784,80 +5045,80 @@ Current values are %1% and %2% respectively. %2 - + Users المستخدمين - + Error deleting image خطأ في حذف الصورة - + Error occurred attempting to overwrite previous image at: %1. %1 حدث خطأ أثناء محاولة الكتابة فوق الصورة السابقة في - + Error deleting file خطأ في حذف الملف - + Unable to delete existing file: %1. %1 غير قادر على حذف الملف الموجود - + Error creating user image directory خطأ في إنشاء مجلد صورة المستخدم - + Unable to create directory %1 for storing user images. غير قادر على إنشاء الدليل %1 لتخزين صور المستخدم. - + Error saving user image خطأ في حفظ صورة المستخدم - + Unable to save image to file غير قادر على حفظ الصورة في الملف - + &Edit - + &تعديل - + &Delete - + &حذف - + Edit User - + تعديل المستخدم ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. حذف هذا المستخدم؟ سيتم حذف جميع بيانات الحفظ الخاصة بالمستخدم. - + Confirm Delete تأكيد الحذف - + Name: %1 UUID: %2 الاسم: %1 @@ -4869,7 +5130,7 @@ UUID: %2 Configure Ring Controller - إعداد حلقة وحدة التحكم + إعدادات حلقة وحدة التحكم @@ -4964,7 +5225,7 @@ UUID: %2 Configuring - الإعداد + الإعدادات @@ -5059,17 +5320,22 @@ UUID: %2 إيقاف التنفيذ مؤقتا أثناء التحميل - + + Show recording dialog + عرض مربع حوار التسجيل + + + Script Directory مجلد السكربت - + Path المسار - + ... ... @@ -5082,7 +5348,7 @@ UUID: %2 TAS تخصيص - + Select TAS Load Directory... TAS حدد مجلد تحميل... @@ -5092,7 +5358,7 @@ UUID: %2 Configure Touchscreen Mappings - إعداد تعيينات شاشة اللمس + إعدادات تعيينات شاشة اللمس @@ -5184,7 +5450,7 @@ Drag points to change position, or double-click table cells to edit values. Configure Touchscreen - إعداد شاشة اللمس + إعدادات شاشة اللمس @@ -5220,64 +5486,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None لاشيء - - Small (32x32) - صغير (32*32) - - - - Standard (64x64) - قياسي (64*64) - - - - Large (128x128) - كبير (128*128) - - - - Full Size (256x256) - الحجم الكامل (256*256) - - - + Small (24x24) صغير (24*24) - + Standard (48x48) قياسي (48*48) - + Large (72x72) كبير (72*72) - + Filename اسم الملف - + Filetype نوع الملف - + Title ID معرف العنوان - + Title Name اسم العنوان @@ -5346,71 +5591,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - :حجم أيقونة اللعبة - - - Folder Icon Size: :حجم أيقونة المجلد - + Row 1 Text: :نص السطر 1 - + Row 2 Text: :نص السطر 2 - + Screenshots لقطات الشاشة - + Ask Where To Save Screenshots (Windows Only) السؤال عن مكان حفظ لقطات الشاشة (ويندوز فقط) - + Screenshots Path: :مسار لقطات الشاشة - + ... ... - + TextLabel تسمية النص - + Resolution: :الدقة - + Select Screenshots Path... أختر مسار لقطات الشاشة - + <System> <System> - + English الإنجليزية - + Auto (%1 x %2, %3 x %4) Screenshot width value تلقائي (%1 x %2, %3 x %4) @@ -5421,7 +5661,7 @@ Drag points to change position, or double-click table cells to edit values. Configure Vibration - إعداد الاهتزاز + إعدادات الاهتزاز @@ -5544,20 +5784,20 @@ Drag points to change position, or double-click table cells to edit values.عرض اللعبة الحالية في حالة ديسكورد الخاصة بك - - + + All Good Tooltip كل شيء جيد - + Must be between 4-20 characters Tooltip يجب أن يكون بين 4-20 حرفًا - + Must be 48 characters, and lowercase a-z Tooltip يجب أن يكون 48 حرفًا، وبأحرف صغيرة من a إلى z @@ -5589,27 +5829,27 @@ Drag points to change position, or double-click table cells to edit values.حذف أي بيانات أمر لا رجعة فيه! - + Shaders التظليل - + UserNAND UserNAND - + SysNAND SysNAND - + Mods التعديلات - + Saves الحفظ @@ -5647,7 +5887,7 @@ Drag points to change position, or double-click table cells to edit values.استيراد البيانات لهذا المجلد. قد يستغرق هذا بعض الوقت، وسيؤدي إلى حذف جميع البيانات الموجودة! - + Calculating... يتم الحساب... @@ -5670,12 +5910,12 @@ Drag points to change position, or double-click table cells to edit values.<html><head/><body><p>المشاريع التي تجعل إيدن ممكنة</p></body></html> - + Dependency التبعية - + Version الإصدار @@ -5851,44 +6091,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL غير متوفر! - + OpenGL shared contexts are not supported. OpenGL لا يتم دعم السياقات المشتركة - + Eden has not been compiled with OpenGL support. OpenGL لم يتم تجميع إيدن بدعم - - + + Error while initializing OpenGL! OpenGL حدث خطأ أثناء تهيئة - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. أو قد لا يكون لديك أحدث برنامج تشغيل للرسومات OpenGL قد لا تدعم بطاقة الرسومات الخاصة بك - + Error while initializing OpenGL 4.6! OpenGL 4.6 حدث خطأ أثناء تهيئة - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 أو قد لا يكون لديك أحدث برنامج تشغيل للرسومات OpenGL 4.6 قد لا تدعم بطاقة الرسومات الخاصة بك.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 قد لا تدعم وحدة معالجة الرسومات لديك ملحقًا واحدًا أو أكثر من ملحقات OpenGL المطلوبة. يُرجى التأكد من تثبيت أحدث برنامج تشغيل للرسومات.<br><br>GL Renderer:<br>1%<br><br>إضافات غير مدعومة: <br>2% @@ -5896,203 +6136,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + &إضافة مجلد ألعاب جديد + + + Favorite مفضلة - + Start Game بدء اللعبة - + Start Game without Custom Configuration بدء اللعبة بدون الإعدادات المخصصة - + Open Save Data Location فتح موقع بيانات الحفظ - + Open Mod Data Location فتح موقع بيانات التعديلات - + Open Transferable Pipeline Cache ذاكرة التخزين المؤقتة المفتوحة القابلة للتحويل - + Link to Ryujinx Ryujinx ربط بـ - + Remove إزالة - + Remove Installed Update إزالة التحديث المثبت - + Remove All Installed DLC إزالة جميع المحتويات القابلة للتنزيل المثبتة - + Remove Custom Configuration إزالة الإعدادات المخصصة - + Remove Cache Storage إزالة تخزين ذاكرة التخزين المؤقتة - + Remove OpenGL Pipeline Cache OpenGL إزالة ذاكرة التخزين المؤقتة لخط أنابيب - + Remove Vulkan Pipeline Cache Vulkan إزالة ذاكرة التخزين المؤقتة لخط أنابيب - + Remove All Pipeline Caches إزالة جميع ذاكرات التخزين المؤقتة لخط الأنابيب - + Remove All Installed Contents إزالة كافة المحتويات المثبتة - + Manage Play Time إدارة زمن اللعب - + Edit Play Time Data تعديل بيانات زمن التشغيل - + Remove Play Time Data إزالة بيانات زمن اللعب - - + + Dump RomFS RomFS تفريغ - + Dump RomFS to SDMC SDMC إلى RomFS تفريغ - + Verify Integrity التحقق من السلامة - + Copy Title ID to Clipboard نسخ معرف العنوان إلى الحافظة - + Navigate to GameDB entry انتقل إلى إدخال قاعدة بيانات الألعاب - + Create Shortcut إنشاء إختصار - + Add to Desktop إضافة إلى سطح المكتب - + Add to Applications Menu إضافة إلى قائمة التطبيقات - + Configure Game - إعداد اللعبة + إعدادات اللعبة - + Scan Subfolders مسح الملفات الداخلية - + Remove Game Directory إزالة مجلد اللعبة - + ▲ Move Up ▲ نقل للأعلى - + ▼ Move Down ▼ نقل للأسفل - + Open Directory Location فتح موقع المجلد - + Clear مسح - + Name الاسم - + Compatibility التوافق - + Add-ons الإضافات - + File type نوع الملف - + Size الحجم - + Play time زمن اللعب @@ -6100,62 +6345,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame في اللعبة - + Game starts, but crashes or major glitches prevent it from being completed. تبدأ اللعبة، لكن الأعطال أو الأخطاء الرئيسية تمنعها من الاكتمال. - + Perfect مثالي - + Game can be played without issues. يمكن لعب اللعبة بدون مشاكل. - + Playable قابل للعب - + Game functions with minor graphical or audio glitches and is playable from start to finish. تحتوي وظائف اللعبة على بعض الأخطاء الرسومية أو الصوتية البسيطة ويمكن تشغيلها من البداية إلى النهاية. - + Intro/Menu مقدمة/القائمة - + Game loads, but is unable to progress past the Start Screen. يتم تحميل اللعبة، ولكنها غير قادرة على التقدم بعد شاشة البدء. - + Won't Boot لا تشتغل - + The game crashes when attempting to startup. تعطل اللعبة عند محاولة بدء التشغيل. - + Not Tested لم تختبر - + The game has not yet been tested. لم يتم اختبار اللعبة بعد. @@ -6163,7 +6408,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list انقر نقرًا مزدوجًا لإضافة مجلد جديد إلى قائمة الألعاب @@ -6171,17 +6416,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 من %n نتيجة (نتائج)%1 من %n نتيجة (نتائج)%1 من %n نتيجة (نتائج)%1 من %n نتيجة (نتائج)%1 من %n نتيجة (نتائج)%1 من %n نتيجة (نتائج) - + Filter: :تصفية - + Enter pattern to filter أدخل النمط المطلوب لتصفية النتائج @@ -6257,12 +6502,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error خطأ - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: فشل في الإعلان عن الغرفة في الردهة العامة. من أجل استضافة غرفة بشكل عام، يجب أن يكون لديك حساب إيدن صالح مُكوَّن في المحاكاة -> الإعدادات -> الويب. إذا كنت لا ترغب في نشر الغرفة في الردهة العامة، فاختر "غير مدرجة" بدلاً من ذلك. @@ -6272,19 +6517,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute كتم الصوت/إلغاء كتم الصوت - - - - - - - - @@ -6307,154 +6544,180 @@ Debug Message: + + + + + + + + + + + Main Window النافذة الرئيسية - + Audio Volume Down خفض مستوى الصوت - + Audio Volume Up رفع مستوى الصوت - + Capture Screenshot لقطة شاشة - + Change Adapting Filter تغيير مرشح التكيف - + Change Docked Mode تغيير وضع الإرساء - + Change GPU Mode تغيير وضع وحدة معالجة الرسومات - + Configure - الإعداد + الإعدادات - + Configure Current Game - إعداد اللعبة الحالية + إعدادات اللعبة الحالية - + Continue/Pause Emulation استأنف/إيقاف مؤقت للمحاكاة - + Exit Fullscreen الخروج من وضع ملء الشاشة - + Exit Eden خروج من إيدن - + Fullscreen ملء الشاشة - + Load File تحميل الملف - + Load/Remove Amiibo تحميل/إزالة أميبو - - Multiplayer Browse Public Game Lobby - تصفح قائمة الألعاب العامة متعددة اللاعبين + + Browse Public Game Lobby + تصفح قائمة الألعاب العامة - - Multiplayer Create Room - إنشاء غرفة متعددة اللاعبين + + Create Room + إنشاء غرفة - - Multiplayer Direct Connect to Room - الاتصال المباشر بغرفة اللعب متعددة اللاعبين + + Direct Connect to Room + اتصال مباشر بالغرفة - - Multiplayer Leave Room - مغادرة الغرفة متعددة اللاعبين + + Leave Room + مغادرة الغرفة - - Multiplayer Show Current Room - عرض الغرفة الحالية متعددة اللاعبين + + Show Current Room + عرض الغرفة الحالية - + Restart Emulation إعادة تشغيل المحاكاة - + Stop Emulation إيقاف المحاكاة - + TAS Record TAS سجل - + TAS Reset TAS إعادة تعيين - + TAS Start/Stop TAS بدء/إيقاف - + Toggle Filter Bar تبديل شريط التصفية - + Toggle Framerate Limit تبديل حد معدل الإطارات - + + Toggle Turbo Speed + تبديل سرعة تيربو + + + + Toggle Slow Speed + تبديل السرعة البطيئة + + + Toggle Mouse Panning تحريك الماوس - + Toggle Renderdoc Capture Renderdoc تبديل التقاط - + Toggle Status Bar تبديل شريط الحالة + + + Toggle Performance Overlay + تبديل طبقة الأداء + InstallDialog @@ -6507,22 +6770,22 @@ Debug Message: 5m 4s الوقت المقدر - + Loading... جارٍ التحميل... - + Loading Shaders %1 / %2 %1 / %2 جارٍ تحميل التظليل - + Launching... يتم التشغيل... - + Estimated Time %1 %1 الوقت المقدر @@ -6571,42 +6834,42 @@ Debug Message: تحديث القائمة - + Password Required to Join كلمة المرور مطلوبة للإنظمام - + Password: :كلمة المرور - + Players اللاعبين - + Room Name اسم الغرفة - + Preferred Game اللعبة المفضلة - + Host المستضيف - + Refreshing تحديث - + Refresh List تحديث القائمة @@ -6655,714 +6918,776 @@ Debug Message: + &Game List Mode + &وضع قائمة الألعاب + + + + Game &Icon Size + اللعبة وحجم الأيقونة + + + Reset Window Size to &720p 720p إعادة تعيين حجم النافذة إلى - + Reset Window Size to 720p 720p إعادة تعيين حجم النافذة إلى - + Reset Window Size to &900p 900p إعادة تعيين حجم النافذة إلى - + Reset Window Size to 900p 900p إعادة تعيين حجم النافذة إلى - + Reset Window Size to &1080p 1080p إعادة تعيين حجم النافذة إلى - + Reset Window Size to 1080p 1080p إعادة تعيين حجم النافذة إلى - + &Multiplayer &متعدد اللاعبين - + &Tools &أدوات - + Am&iibo أم&يبو - + Launch &Applet تشغيل &التطبيق المصغر - + &TAS &TAS - + &Create Home Menu Shortcut &إنشاء اختصار لقائمة الشاشة الرئيسية - + Install &Firmware تثبيت &الفيرموير - + &Help &مساعدة - + &Install Files to NAND... &تثبيت الملفات في الذاكرة الداخلية - + L&oad File... ت&حميل ملف - + Load &Folder... تحميل &مجلد - + E&xit خ&روج - - + + &Pause &إيقاف مؤقت - + &Stop &إيقاف - + &Verify Installed Contents &التحقق من المحتويات المثبتة - + &About Eden &حول إيدن - + Single &Window Mode وضع &النافذة الواحدة - + Con&figure... الإع&دادات - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet تمكين الطبقة للعرض التطبيق الصغير - + Show &Filter Bar عرض &شريط التصفية - + Show &Status Bar عرض &شريط الحالة - + Show Status Bar عرض شريط الحالة - + &Browse Public Game Lobby &تصفح قائمة الألعاب العامة - + &Create Room &إنشاء غرفة - + &Leave Room &مغادرة الغرفة - + &Direct Connect to Room &الاتصال المباشر بالغرفة - + &Show Current Room &عرض الغرفة الحالية - + F&ullscreen م&لء الشاشة - + &Restart &إعادة التشغيل - + Load/Remove &Amiibo... تحميل/إزالة &أميبو - + &Report Compatibility &تقرير التوافق - + Open &Mods Page صفحة &التعديلات - + Open &Quickstart Guide &دليل البدء السريع - + &FAQ &الأسئلة الشائعة - + &Capture Screenshot &التقاط لقطة للشاشة - + &Album &الألبوم - + &Set Nickname and Owner &تعيين الاسم المستعار والمالك - + &Delete Game Data حذف بيانات اللعبة - + &Restore Amiibo &استعادة أميبو - + &Format Amiibo &تنسيق أميبو - + &Mii Editor - &محرر Mii + &Mii محرر - + &Configure TAS... &TAS إعدادات - + Configure C&urrent Game... - إعداد اللعبة ال&حالية + إعدادات اللعبة ال&حالية - - + + &Start &بدء - + &Reset &إعادة تعيين - - + + R&ecord ت&سجيل - + Open &Controller Menu &قائمة ذراع التحكم - + Install Decryption &Keys تثبيت &مفاتيح فك التشفير - + &Home Menu &القائمة الرئيسية - + &Desktop &سطح المكتب - + &Application Menu &قائمة التطبيقات - + &Root Data Folder &مجلد البيانات الرئيسي - + &NAND Folder &مجلد الذاكرة الداخلية - + &SDMC Folder &مجلد بطاقة الذاكرة - + &Mod Folder &مجلد التعديلات - + &Log Folder &مجلد السجلات - + From Folder - من المجلد + من مجلد - + From ZIP من ملف مضغوط - + &Eden Dependencies &تبعيات إيدن - + &Data Manager &مدير البيانات - + + &Tree View + &عرض الشجرة + + + + &Grid View + &عرض الشبكة + + + + Game Icon Size + حجم أيقونة اللعبة + + + + + + None + لا شيء + + + + Show Game &Name + عرض اللعبة والاسم + + + + Show &Performance Overlay + عرض &طبقة الأداء + + + + Small (32x32) + صغير (32x32) + + + + Standard (64x64) + قياسي (64x64) + + + + Large (128x128) + كبير (128x128) + + + + Full Size (256x256) + حجم كامل (256x256) + + + Broken Vulkan Installation Detected Vulkan تم الكشف عن تلف في تثبيت - + Vulkan initialization failed during boot. أثناء التشغيل Vulkan فشل تهيئة. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping تشغيل لعبة - + Loading Web Applet... جارٍ تحميل تطبيق الويب... - - + + Disable Web Applet تعطيل تطبيق الويب - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) قد يؤدي تعطيل أداة الويب إلى سلوك غير محدد، ويجب استخدامه فقط مع لعبة Super Mario 3D All-Stars. هل أنت متأكد من رغبتك في تعطيل أداة الويب؟ (يمكن إعادة تفعيلها في إعدادات التصحيح.) - + The amount of shaders currently being built كمية التظليلات التي يتم بناؤها حاليًا - + The current selected resolution scaling multiplier. مضاعف قياس الدقة المحددة حالياً. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Switch سرعة المحاكاة الحالية. تشير القيم الأعلى أو الأقل من 100٪ إلى أن المحاكاة تعمل بشكل أسرع أو أبطأ من. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. عدد الإطارات في الثانية التي تعرضها اللعبة حاليًا. يختلف هذا العدد من لعبة إلى أخرى ومن مشهد إلى آخر. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. الوقت المستغرق لمحاكاة إطار على جهاز سويتش، بدون احتساب تحديد الإطارات أو المزامنة العمودية. لمحاكاة بسرعة كاملة، يجب أن يكون هذا في حدود 16.67 مللي ثانية كحد أقصى. - + Unmute إلغاء كتم الصوت - + Mute كتم الصوت - + Reset Volume إعادة تعيين مستوى الصوت - + &Clear Recent Files &مسح الملفات الحديثة - + &Continue &متابعة - + Warning: Outdated Game Format تحذير: تنسيق اللعبة قديم - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. أنت تستخدم تنسيق مجلد ROM المُفكك لهذه اللعبة، وهو تنسيق قديم استُبدل بآخر مثل NCA وNAX وXCI وNSP. تفتقر مجلدات ROM المُفككة إلى الأيقونات والبيانات الوصفية ودعم التحديثات. <br>لتوضيح تنسيقات Switch المختلفة التي يدعمها Eden، يُرجى مراجعة دليل المستخدم. لن تظهر هذه الرسالة مرة أخرى. - - + + Error while loading ROM! ROM خطأ أثناء تحميل - + The ROM format is not supported. غير مدعوم ROM تنسيق. - + An error occurred initializing the video core. حدث خطأ أثناء تهيئة نواة الفيديو. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. واجه إيدن خطأً أثناء تشغيل نواة الفيديو. عادةً ما يكون السبب هو برامج تشغيل وحدة معالجة الرسومات القديمة، بما في ذلك المدمجة منها. يُرجى مراجعة السجل لمزيد من التفاصيل. لمزيد من المعلومات حول الوصول إلى السجل، يُرجى زيارة الصفحة التالية: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>كيفيه رفع سجلات الإخطاء</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. حدث خطأ أثناء تحميل ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Discord/Stoat يرجى إعادة تحميل ملفاتك أو طلب المساعدة على - + An unknown error occurred. Please see the log for more details. حدث خطأ غير معروف. يرجى الاطلاع على السجل لمزيد من التفاصيل. - + (64-bit) (64-bit) - + (32-bit) (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... جارٍ إغلاق البرنامج... - + Save Data بيانات الحفظ - + Mod Data بيانات التعديل - + Error Opening %1 Folder خطأ في فتح المجلد %1 - - + + Folder does not exist! المجلد غير موجود! - + Remove Installed Game Contents? إزالة محتويات اللعبة المثبتة؟ - + Remove Installed Game Update? إزالة تحديث اللعبة المثبت؟ - + Remove Installed Game DLC? إزالة المحتوى القابل للتنزيل المثبت للعبة؟ - + Remove Entry إزالة الإدخال - + Delete OpenGL Transferable Shader Cache? OpenGL Shader حذف ذاكرة التخزين المؤقتة القابلة للنقل لـ - + Delete Vulkan Transferable Shader Cache? Vulkan Shader حذف ذاكرة التخزين المؤقتة القابلة للنقل لـ - + Delete All Transferable Shader Caches? حذف جميع مخازن ذاكرة التظليل القابلة للنقل؟ - + Remove Custom Game Configuration? إزالة إعدادات اللعبة المخصص؟ - + Remove Cache Storage? إزالة ذاكرة التخزين المؤقتة؟ - + Remove File إزالة الملف - + Remove Play Time Data إزالة بيانات زمن اللعب - + Reset play time? إعادة تعيين زمن اللعب؟ - - + + RomFS Extraction Failed! RomFS فشل استخراج - + There was an error copying the RomFS files or the user cancelled the operation. أو قام المستخدم بإلغاء العملية RomFS حدث خطأ أثناء نسخ ملفات - + Full كامل - + Skeleton Skeleton - + Select RomFS Dump Mode RomFS حدد وضع تفريغ - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. الرجاء تحديد الطريقة التي تريد بها تفريغ RomFS. <br>سيتم نسخ جميع الملفات إلى المجلد الجديد في أثناء <br>قيام الهيكل العظمي بإنشاء بنية المجلد فقط. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root لا توجد مساحة فارغة كافية في %1 لاستخراج نظام الملفات RomFS. يُرجى تحرير مساحة أو اختيار مجلد تفريغ آخر من: المحاكاة > التكوين > النظام > نظام الملفات > تفريغ الجذر. - + Extracting RomFS... RomFS استخراج... - - + + Cancel إلغاء - + RomFS Extraction Succeeded! بنجاح RomFS تم استخراج! - + The operation completed successfully. تمت العملية بنجاح. - + Error Opening %1 خطأ في فتح %1 - + Select Directory حدد المجلد - + Properties خصائص - + The game properties could not be loaded. تعذر تحميل خصائص اللعبة. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. تبديل الملف القابل للتنفيذ (%1);;جميع الملفات (*.*) - + Load File تحميل الملف - + Open Extracted ROM Directory المستخرج ROM فتح ملف - + Invalid Directory Selected تم تحديد مجلد غير صالح - + The directory you have selected does not contain a 'main' file. لا يحتوي المجلد الذي حددته على ملف رئيسي - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files تثبيت الملفات - + %n file(s) remaining %n ملف (ملفات) متبقية%n ملف (ملفات) متبقية%n ملف (ملفات) متبقية%n ملف (ملفات) متبقية%n ملف (ملفات) متبقية%n ملف (ملفات) متبقية - + Installing file "%1"... تثبيت الملف ”%1“... - - + + Install Results نتائج التثبيت - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. لتجنب أي تعارضات محتملة، ننصح المستخدمين بعدم تثبيت الألعاب الأساسية على الذاكرة الداخلية. يرجى استخدام هذه الميزة فقط لتثبيت التحديثات والمحتوى القابل للتنزيل. - + %n file(s) were newly installed %n تم تثبيت ملف (ملفات) جديدة @@ -7374,7 +7699,7 @@ Please, only use this feature to install updates and DLC. - + %n file(s) were overwritten %n تم استبدال ملف (ملفات) @@ -7386,7 +7711,7 @@ Please, only use this feature to install updates and DLC. - + %n file(s) failed to install %n فشل تثبيت ملف (ملفات) @@ -7398,214 +7723,214 @@ Please, only use this feature to install updates and DLC. - + System Application تطبيق النظام - + System Archive أرشيف النظام - + System Application Update تحديث تطبيق النظام - + Firmware Package (Type A) حزمة الفيرموير (النوع أ) - + Firmware Package (Type B) حزمة الفيرموير (النوع ب) - + Game لعبة - + Game Update تحديث اللعبة - + Game DLC الخاص باللعبة DLC الـ - + Delta Title Delta عنوان - + Select NCA Install Type... NCA حدد نوع تثبيت... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) يرجى تحديد نوع اللعبة التي ترغب في تثبيت NCA عليها: (في معظم الحالات، يكون الإعداد الافتراضي "لعبة" مناسبًا.) - + Failed to Install فشل التثبيت - + The title type you selected for the NCA is invalid. غير صالح NCA نوع العنوان الذي حددته لـ. - + File not found لم يتم العثور على الملف - + File "%1" not found لم يتم العثور على الملف "%1" - + OK موافق - + Function Disabled الوظيفة معطلة - + Compatibility list reporting is currently disabled. Check back later! تقارير قائمة التوافق معطلة حاليًا. يرجى التحقق لاحقًا! - + Error opening URL خطأ في فتح الرابط - + Unable to open the URL "%1". تعذر فتح الرابط ”%1“ - + TAS Recording TAS تسجيل - + Overwrite file of player 1? الكتابة فوق ملف اللاعب 1؟ - + Invalid config detected تم اكتشاف إعدادات غير صالح - + Handheld controller can't be used on docked mode. Pro controller will be selected. لا يمكن استخدام وحدة التحكم المحمولة في وضع الإرساء. سيتم اختيار وحدة تحكم احترافية. - - + + Amiibo أميبو - - + + The current amiibo has been removed تمت إزالة أميبو الحالي. - + Error خطأ - - + + The current game is not looking for amiibos اللعبة الحالية لا تبحث عن أميبو - + Amiibo File (%1);; All Files (*.*) جميع الملفات (%1)؛؛ ملف أميبو (*.*) - + Load Amiibo تحميل أميبو - + Error loading Amiibo data خطأ أثناء تحميل بيانات أميبو - + The selected file is not a valid amiibo الملف المحدد ليس أميبو صالح - + The selected file is already on use الملف المحدد قيد الاستخدام بالفعل - + An unknown error occurred حدث خطأ غير معروف - - + + Keys not installed المفاتيح غير مثبتة - - + + Install decryption keys and restart Eden before attempting to install firmware. قم بتثبيت مفاتيح فك التشفير وأعد تشغيل إيدن قبل محاولة تثبيت الفيرموير. - + Select Dumped Firmware Source Location حدد موقع مصدر الفيرموير المفرغة - + Select Dumped Firmware ZIP حدد ملف الفيرموير المضغوط الذي تم تفريغه - + Zipped Archives (*.zip) Zipped Archives (*.zip) - + Firmware cleanup failed فشل مسح الفيرموير - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 @@ -7614,155 +7939,155 @@ OS reported error: %1 أبلغ نظام التشغيل عن خطأ: %1 - + No firmware available لا يوجد فيرموير متوفر - + Firmware Corrupted الفيرموير تالف - + Unknown applet تطبيق غير معروف - + Applet doesn't map to a known value. لا يرتبط التطبيق المصغر بقيمة معروفة. - + Record not found لم يتم العثور على السجل - + Applet not found. Please reinstall firmware. لم يتم العثور على التطبيق المصغر. يرجى إعادة تثبيت الفيرموير. - + Capture Screenshot التقاط لقطة شاشة - + PNG Image (*.png) PNG Image (*.png) - + Update Available تحديث متوفر - - Download the %1 update? - تنزيل التحديث %1؟ + + Download %1? + تنزيل 1%؟ - + TAS state: Running %1/%2 حالة TAS: تشغيل %1/%2 - + TAS state: Recording %1 حالة TAS: تسجيل %1 - + TAS state: Idle %1/%2 حالة TAS: خامل %1/%2 - + TAS State: Invalid حالة TAS: غير صالحة - + &Stop Running &إيقاف التشغيل - + Stop R&ecording إيقاف ال&تسجيل - + Building: %n shader(s) بناء: %n تظليل(ات)بناء: %n تظليل(ات)بناء: %n تظليل(ات)بناء: %n تظليل(ات)بناء: %n تظليل(ات)بناء: %n تظليل(ات) - + Scale: %1x %1 is the resolution scaling factor الدقة: %1x - + Speed: %1% / %2% السرعة: %1% / %2% - + Speed: %1% السرعة: %1% - + Game: %1 FPS اللعبة: %1 FPS - + Frame: %1 ms الإطار: %1 ms - + FSR FSR - + NO AA NO AA - + VOLUME: MUTE الصوت: كتم الصوت - + VOLUME: %1% Volume percentage (e.g. 50%) %1% :الصوت - + Derivation Components Missing مكونات الاشتقاق مفقودة - + Decryption keys are missing. Install them now? - + مفاتيح فك التشفير مفقودة. هل تريد تثبيتها الآن؟ - + Wayland Detected! Wayland تم الكشف عن - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7773,59 +8098,74 @@ Would you like to force it for future launches? هل ترغب في فرض استخدامه في عمليات التشغيل المستقبلية؟ - + Use X11 X11 استخدم - + Continue with Wayland Wayland متابعة مع - + Don't show again لا تعرض مرة أخرى - + Restart Required إعادة التشغيل مطلوبة - + Restart Eden to apply the X11 backend. X11 أعد تشغيل إيدن لتطبيق الخلفية - + + Slow + بطيء + + + + Turbo + تيربو + + + + Unlocked + إلغاء القفل + + + Select RomFS Dump Target RomFS حدد هدف تفريغ - + Please select which RomFS you would like to dump. الذي تريد تفريغه RomFS الرجاء تحديد - + Are you sure you want to close Eden? هل أنت متأكد من أنك تريد إغلاق إيدن؟ - - - + + + Eden إيدن - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. هل أنت متأكد من أنك تريد إيقاف المحاكاة؟ سيتم فقدان أي تقدم لم يتم حفظه. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? @@ -7833,11 +8173,6 @@ Would you like to bypass this and exit anyway? هل ترغب في تجاوز هذا والخروج على أي حال؟ - - - None - لا شيء - FXAA @@ -7864,27 +8199,27 @@ Would you like to bypass this and exit anyway? Bicubic - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Gaussian @@ -7939,22 +8274,22 @@ Would you like to bypass this and exit anyway? Vulkan - + OpenGL GLSL OpenGL GLSL - + OpenGL SPIRV OpenGL SPIRV - + OpenGL GLASM OpenGL GLASM - + Null لا شيء @@ -7962,14 +8297,14 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 فشل ربط المجلد القديم. قد تحتاج إلى إعادة التشغيل باستخدام امتيازات المسؤول في ويندوز. أصدر نظام التشغيل خطأ: %1 - + Note that your configuration and data will be shared with %1. @@ -7986,7 +8321,7 @@ If this is not desirable, delete the following files: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7997,11 +8332,24 @@ If you wish to clean up the files which were left in the old data location, you %1 - + Data was migrated successfully. تم نقل البيانات بنجاح. + + ModSelectDialog + + + Dialog + حوار + + + + The specified folder or archive contains the following mods. Select which ones to install. + يحتوي المجلد أو الأرشيف المحدد على التعديلات التالية. حدد التعديلات التي تريد تثبيتها. + + ModerationDialog @@ -8132,127 +8480,127 @@ Proceed anyway? New User - + مستخدم جديد Change Avatar - + تغيير الصورة الرمزية Set Image - + تعيين الصورة UUID - + معرف فريد عالمي Eden - + إيدن Username - + اسم المستخدم UUID must be 32 hex characters (0-9, A-F) - + يجب أن يكون UUID مكونًا من 32 حرفًا سداسيًا عشريًا (0-9، A-F) Generate - + إنشاء - + Select User Image - + اختر صورة المستخدم - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + تنسيقات الصور (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + لا يوجد فيرموير متوفر - + Please install the firmware to use firmware avatars. - + يرجى تثبيت الفيرموير لاستخدام صور الرمزية للفيرموير. - - + + Error loading archive - + خطأ في تحميل الأرشيف - + Archive is not available. Please install/reinstall firmware. - + الأرشيف غير متوفر. يُرجى تثبيت/إعادة تثبيت الفيرموير. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + تعذر العثور على نظام ملفات ROMFS. قد يكون ملفك أو مفاتيح فك التشفير تالفة. - + Error extracting archive - + خطأ في استخراج الأرشيف - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + تعذر استخراج نظام ملفات ROMFS. قد يكون ملفك أو مفاتيح فك التشفير تالفة. - + Error finding image directory - + خطأ في العثور على مجلد الصور - + Failed to find image directory in the archive. - + فشل في العثور على مجلد الصور في الأرشيف. - + No images found - + لم يتم العثور على صور - + No avatar images were found in the archive. - + لم يتم العثور على صور رمزية في الأرشيف - - + + All Good Tooltip - + كل شيء جيد - + Must be 32 hex characters (0-9, a-f) Tooltip - + يجب أن تتكون من 32 حرفًا سداسيًا عشريًا (0-9، a-f) - + Must be between 1 and 32 characters Tooltip - + يجب أن يتكون من 1 إلى 32 حرفًا @@ -8288,6 +8636,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + نموذج + + + + Frametime + زمن الإطار + + + + 0 ms + 0 مللي ثانية + + + + + Min: 0 + الحد الأدنى: 0 + + + + + Max: 0 + الحد الأقصى: 0 + + + + + Avg: 0 + المتوسط: 0 + + + + FPS + معدل الإطارات في الثانية + + + + 0 fps + 0 إطار في الثانية + + + + %1 fps + %1 معدل الإطارات في الثانية + + + + + Avg: %1 + المتوسط: %1 + + + + + Min: %1 + الحد الأدنى: %1 + + + + + Max: %1 + الحد الأقصى: %1 + + + + %1 ms + %1 مللي ثانية + + PlayerControlPreview @@ -8301,60 +8723,35 @@ p, li { white-space: pre-wrap; } Select - + اختر Cancel - + إلغاء Background Color - + لون الخلفية Select Firmware Avatar - + حدد الصورة الرمزية للفيرموير QObject - - Installed SD Titles - عناوين المثبتة على بطاقة الذاكرة - - - - Installed NAND Titles - عناوين المثبتة على الذاكرة الداخلية - - - - System Titles - عناوين النظام - - - - Add New Game Directory - إضافة مجلد ألعاب جديد - - - - Favorites - المفضلة - - - - - + + + Migration الترحيل - + Clear Shader Cache مسح ذاكرة التخزين المؤقتة للتظليل @@ -8389,19 +8786,19 @@ p, li { white-space: pre-wrap; } لا - + You can manually re-trigger this prompt by deleting the new config directory: %1 يمكنك إعادة تشغيل هذه المطالبة يدويًا عن طريق حذف دليل التكوين الجديد: %1 - + Migrating الترحيل - + Migrating, this may take a while... جارٍ الترحيل، قد يستغرق هذا بعض الوقت... @@ -8792,6 +9189,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 يلعب %2 + + + Play Time: %1 + زمن اللعب: %1 + + + + Never Played + لم تُلعب قط + + + + Version: %1 + الإصدار: %1 + + + + Version: 1.0.0 + الإصدار: 1.0.0 + + + + Installed SD Titles + عناوين المثبتة على بطاقة الذاكرة + + + + Installed NAND Titles + عناوين المثبتة على الذاكرة الداخلية + + + + System Titles + عناوين النظام + + + + Add New Game Directory + إضافة مجلد ألعاب جديد + + + + Favorites + المفضلة + QtAmiiboSettingsDialog @@ -8909,47 +9351,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware تتطلب اللعبة الفيرموير - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. اللعبة التي تحاول تشغيلها تتطلب فيرموير للتشغيل أو لتجاوز قائمة الفتح. يُرجى <a href='https://yuzu-mirror.github.io/help/quickstart'>تفريغ فيرموير وتثبيتها</a>، أو اضغط "حسنًا" للعب على أي حال - + Installing Firmware... تثبيت الفيرموير... - - - - - + + + + + Cancel إلغاء - + Firmware Install Failed فشل تثبيت الفيرموير - + Firmware Install Succeeded تم تثبيت الفيرموير بنجاح - + Firmware integrity verification failed! فشل التحقق من سلامة الفيرموير! - - + + Verification failed for the following files: %1 @@ -8958,204 +9400,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... جارٍ التحقق من السلامة... - - + + Integrity verification succeeded! تم التحقق من السلامة بنجاح! - - + + The operation completed successfully. اكتملت العملية بنجاح. - - + + Integrity verification failed! فشل التحقق من السلامة! - + File contents may be corrupt or missing. قد تكون محتويات الملف تالفة أو مفقودة. - + Integrity verification couldn't be performed تعذر إجراء التحقق من السلامة - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. تم إلغاء تثبيت الفيرموير، قد يكون الفيرموير في حالة سيئة أو تآلف. تعذر التحقق من صحة محتويات الملف. - + Select Dumped Keys Location حدد موقع المفاتيح المفرغة - + Decryption Keys install succeeded تم تثبيت مفاتيح فك التشفير بنجاح - + Decryption Keys install failed فشل تثبيت مفاتيح فك التشفير - + Orphaned Profiles Detected! تم الكشف عن ملفات تعريف مهملة! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> قد تحدث أمور سيئة غير متوقعة إذا لم تقرأ هذا<br>!لقد اكتشف إيدن مجلدات الحفظ التالية بدون ملف تعريف مرفق:<br>%1<br><br>ملفات التعريف التالية صالحة:<br>%2<br><br>انقر على ”موافق“ لفتح مجلد الحفظ وإصلاح ملفات التعريف الخاصة بك.<br>تلميح: انسخ محتويات المجلد الأكبر أو آخر مجلد تم تعديله إلى مكان آخر، واحذف جميع ملفات التعريف اليتيمة، وانقل المحتويات المنسوخة إلى ملف التعريف الصحيح.<br><br>هل ما زلت تشعر بالارتباك؟ انظر إلى <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>صفحة المساعدة</a>.<br> - + Really clear data? مسح البيانات بالفعل؟ - + Important data may be lost! قد يتم فقدان بيانات مهمة! - + Are you REALLY sure? هل أنت متأكد حقًا؟ - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. بمجرد حذفها، لن تتمكن من استعادة بياناتك! قم بذلك فقط إذا كنت متأكدًا بنسبة 100٪ أنك تريد حذف هذه البيانات. - + Clearing... إزالة... - + Select Export Location حدد موقع التصدير - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Zipped Archives (*.zip) - + Exporting data. This may take a while... تصدير البيانات. قد يستغرق هذا بعض الوقت... - + Exporting التصدير - + Exported Successfully تم التصدير بنجاح - + Data was exported successfully. تم تصدير البيانات بنجاح. - + Export Cancelled تم إلغاء التصدير - + Export was cancelled by the user. تم إلغاء التصدير من قبل المستخدم. - + Export Failed فشل التصدير - + Ensure you have write permissions on the targeted directory and try again. تأكد من أن لديك أذونات الكتابة على المجلد المحدد وحاول مرة أخرى. - + Select Import Location حدد موقع الاستيراد - + Import Warning تحذير الاستيراد - + All previous data in this directory will be deleted. Are you sure you wish to proceed? سيتم حذف جميع البيانات السابقة في هذا المجلد. هل أنت متأكد من رغبتك في المتابعة؟ - + Importing data. This may take a while... استيراد البيانات. قد يستغرق هذا بعض الوقت... - + Importing استيراد - + Imported Successfully تم الاستيراد بنجاح - + Data was imported successfully. تم استيراد البيانات بنجاح. - + Import Cancelled تم إلغاء الاستيراد - + Import was cancelled by the user. تم إلغاء الاستيراد من قبل المستخدم. - + Import Failed فشل الاستيراد - + Ensure you have read permissions on the targeted directory and try again. تأكد من أن لديك أذونات قراءة على المجلد المحدد وحاول مرة أخرى. @@ -9163,22 +9605,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data بيانات الحفظ المرتبطة - + Save data has been linked. تم ربط بيانات الحفظ. - + Failed to link save data فشل ربط بيانات الحفظ - + Could not link directory: %1 To: @@ -9189,48 +9631,48 @@ To: %2 - + Already Linked تم الربط بالفعل - + This title is already linked to Ryujinx. Would you like to unlink it? هل تريد إلغاء الارتباط؟ Ryujinxهذا العنوان مرتبط بالفعل بـ - + Failed to unlink old directory فشل إلغاء ربط المجلد القديم - - + + OS returned error: %1 أعاد نظام التشغيل خطأ: %1 - + Failed to copy save data فشل نسخ بيانات الحفظ - + Unlink Successful إلغاء الارتباط تم بنجاح - + Successfully unlinked Ryujinx save data. Save data has been kept intact. بنجاح تم الاحتفاظ ببيانات الحفظ سليمة Ryujinx تم فصل بيانات حفظ - + Could not find Ryujinx installation Ryujinx تعذر العثور على تثبيت - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9242,18 +9684,18 @@ Would you like to manually select a portable folder to use? المحمول Ryujinx موقع - + Not a valid Ryujinx directory غير صالح Ryujinx مجلد - + The specified directory does not contain valid Ryujinx data. صالحة Ryujinx المجلد المحدد لا يحتوي على بيانات - - + + Could not find Ryujinx save data Ryujinx تعذر العثور على بيانات حفظ @@ -9261,229 +9703,287 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents خطأ في إزالة المحتويات - + Error Removing Update خطأ في إزالة التحديث - + Error Removing DLC خطأ في إزالة المحتوى القابل للتنزيل - - - - - - + + + + + + Successfully Removed تم الإزالة بنجاح - + Successfully removed the installed base game. تمت إزالة اللعبة الأساسية المثبتة بنجاح. - + The base game is not installed in the NAND and cannot be removed. اللعبة الأساسية غير مثبتة في ذاكرة الداخلية ولا يمكن إزالتها. - + Successfully removed the installed update. تمت إزالة التحديث المثبت بنجاح. - + There is no update installed for this title. لا يوجد تحديث مثبت لهذا العنوان. - + There are no DLCs installed for this title. لا يوجد محتوى قابل للتنزيل مثبت لهذا العنوان. - + Successfully removed %1 installed DLC. تمت إزالة المحتوى القابل للتنزيل المثبت %1 بنجاح. - - + + Error Removing Transferable Shader Cache Transferable Shader حدث خطأ أثناء إزالة ذاكرة - - + + A shader cache for this title does not exist. لا يوجد ذاكرة تخزين مؤقتة للتظليل لهذا العنوان. - + Successfully removed the transferable shader cache. تم إزالة ذاكرة التخزين المؤقتة للتظليل القابلة للنقل بنجاح. - + Failed to remove the transferable shader cache. فشل في إزالة ذاكرة التخزين المؤقتة للتظليل القابلة للنقل. - + Error Removing Vulkan Driver Pipeline Cache Vulkan حدث خطأ أثناء إزالة ذاكرة التخزين المؤقتة لخط أنابيب برنامج تشغيل - + Failed to remove the driver pipeline cache. فشل في إزالة ذاكرة التخزين المؤقتة لخط أنابيب برنامج التشغيل. - - + + Error Removing Transferable Shader Caches Transferable Shader حدث خطأ أثناء إزالة ذاكرة - + Successfully removed the transferable shader caches. تم إزالة ذاكرة التخزين المؤقتة للتظليل القابلة للنقل بنجاح. - + Failed to remove the transferable shader cache directory. فشل في إزالة مجلد ذاكرة التخزين المؤقتة للتظليل القابل للتحويل. - - + + Error Removing Custom Configuration خطأ في إزالة التهيئة المخصصة - + A custom configuration for this title does not exist. لا يوجد إعدادات مخصص لهذا العنوان. - + Successfully removed the custom game configuration. تمت إزالة إعدادات اللعبة المخصص بنجاح. - + Failed to remove the custom game configuration. فشل إزالة إعدادات اللعبة المخصص. - + Reset Metadata Cache إعادة تعيين ذاكرة التخزين المؤقتة للبيانات الوصفية - + The metadata cache is already empty. ذاكرة التخزين المؤقتة للبيانات الوصفية فارغة بالفعل. - + The operation completed successfully. اكتملت العملية بنجاح. - + The metadata cache couldn't be deleted. It might be in use or non-existent. تعذر حذف ذاكرة التخزين المؤقتة للبيانات الوصفية. قد تكون قيد الاستخدام أو غير موجودة. - + Create Shortcut إنشاء اختصار - + Do you want to launch the game in fullscreen? هل تريد تشغيل اللعبة في وضع ملء الشاشة؟ - + Shortcut Created تم إنشاء الاختصار - + Successfully created a shortcut to %1 تم إنشاء اختصار بنجاح إلى %1 - + Shortcut may be Volatile! قد يكون الاختصار متقلبًا! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? سيؤدي هذا إلى إنشاء اختصار لصورة التطبيق الحالية. قد لا يعمل هذا بشكل جيد إذا قمت بالتحديث. هل تريد المتابعة؟ - + Failed to Create Shortcut فشل في إنشاء اختصار - + Failed to create a shortcut to %1 فشل إنشاء اختصار إلى %1 - + Create Icon إنشاء أيقونة - + Cannot create icon file. Path "%1" does not exist and cannot be created. لا يمكن إنشاء ملف الرمز. المسار ”%1“ غير موجود ولا يمكن إنشاؤه. - + No firmware available لا يوجد فيرموير متوفر - + Please install firmware to use the home menu. يرجى تثبيت الفيرموير لاستخدام القائمة الرئيسية. - + Home Menu Applet القائمة الرئيسية - + Home Menu is not available. Please reinstall firmware. القائمة الرئيسية غير متوفرة. يرجى إعادة تثبيت الفيرموير. + + QtCommon::Mod + + + Mod Name + اسم التعديل + + + + What should this mod be called? + ما الاسم المناسب لهذا التعديل؟ + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/التصحيح + + + + Cheat + الغش + + + + Mod Type + نوع التعديل + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + تعذر الكشف عن نوع التعديل تلقائيًا. يرجى تحديد نوع التعديل الذي قمت بتنزيله يدويًا. + + عادةً ما تكون تعديلات (.pchtxt) ولكن التصحيحات .RomFS معظم التعديلات هي ExeFS. + + + + + Mod Extract Failed + فشل استخراج التعديل + + + + Failed to create temporary directory %1 + %1 فشل إنشاء مجلد المؤقت + + + + Zip file %1 is empty + الملف المضغوط 1% فارغ + + QtCommon::Path - + Error Opening Shader Cache خطأ في فتح ذاكرة التخزين المؤقتة للتظليل - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. فشل إنشاء أو فتح ذاكرة التخزين المؤقتة للتظليل لهذا العنوان، تأكد من أن دليل بيانات التطبيق لديك يحتوي على أذونات الكتابة. @@ -9491,84 +9991,84 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! يحتوي على بيانات حفظ اللعبة. لا تحذفه إلا إذا كنت تعرف ما تفعله! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. يمكن إزالته بأمان بشكل عام Vulkan و OpenGL يحتوي على ذاكرات التخزين المؤقتة لخطوط أنابيب - + Contains updates and DLC for games. يحتوي على تحديثات ومحتوى قابل للتنزيل للألعاب. - + Contains firmware and applet data. يحتوي على بيانات الفيرموير والتطبيقات. - + Contains game mods, patches, and cheats. يحتوي على تعديلات اللعبة والتصحيحات والغش. - + Decryption Keys were successfully installed تم تثبيت مفاتيح فك التشفير بنجاح - + Unable to read key directory, aborting تعذر قراءة مجلد المفاتيح، جارٍ الإلغاء - + One or more keys failed to copy. فشل نسخ مفتاح واحد أو أكثر. - + Verify your keys file has a .keys extension and try again. وحاول مرة أخرى keys تأكد من أن ملف المفاتيح لديك يحتوي على امتداد - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. تعذّر تهيئة مفاتيح فك التشفير. تأكد من تحديث أدوات التفريغ لديك، ثم أعد تفريغ المفاتيح. - + Successfully installed firmware version %1 تم تثبيت إصدار الفيرموير %1 بنجاح - + Unable to locate potential firmware NCA files المحتملة للفيرموير NCA تعذر تحديد موقع ملفات - + Failed to delete one or more firmware files. فشل في حذف ملف واحد أو أكثر من ملفات الفيرموير. - + One or more firmware files failed to copy into NAND. فشل نسخ ملف واحد أو أكثر من ملفات الفيرموير إلى الذاكرة الداخلية - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. تم إلغاء تثبيت الفيرموير، فقد يكون في حالة سيئة أو تالفًا. أعد تشغيل إيدن أو أعد تثبيت الفيرموير. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - الفيرموير مفقود. يلزم وجود فيرموير لتشغيل بعض الألعاب واستخدام القائمة الرئيسية. يُنصح باستخدام الإصدار 19.0.1 أو إصدار أقدم، لأن الإصدار 20.0.0+ ما زال تجريبيًا. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + الفيرموير مفقود. الفيرموير مطلوب لتشغيل بعض الألعاب واستخدام القائمة الرئيسية. @@ -9590,60 +10090,60 @@ This may take a while. قد يستغرق هذا بعض الوقت. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. يوصى جميع المستخدمين بمسح ذاكرة التخزين المؤقتة للتظليل. لا تقم بإلغاء تحديد الخيار إلا إذا كنت تعرف ما تفعله. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. يحتفظ بدليل البيانات القديم. يُنصح بهذا إذا لم تكن لديك مساحة كافية وترغب في الاحتفاظ ببيانات منفصلة للمحاكي القديم. - + Deletes the old data directory. This is recommended on devices with space constraints. يحذف مجلد البيانات القديم. يُنصح بهذا على الأجهزة ذات المساحة المحدودة. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. يُنشئ رابط نظام ملفات بين المجلد القديم ومجلد إيدن. يُنصح بهذا إذا كنت ترغب في مشاركة البيانات بين المحاكيات. - + Ryujinx title database does not exist. غير موجودة Ryujinx قاعدة بيانات عناوين - + Invalid header on Ryujinx title database. Ryujinx رأس غير صالح في قاعدة بيانات عناوين - + Invalid magic header on Ryujinx title database. Ryujinx رأس سحري غير صالح في قاعدة بيانات عناوين - + Invalid byte alignment on Ryujinx title database. Ryujinx محاذاة بايت غير صالحة في قاعدة بيانات عناوين - + No items found in Ryujinx title database. Ryujinx لم يتم العثور على أي عناصر في قاعدة بيانات عناوين - + Title %1 not found in Ryujinx title database. Ryujinx العنوان %1 غير موجود في قاعدة بيانات عناوين @@ -9684,7 +10184,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9697,7 +10197,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons جوي كون ثنائي @@ -9710,7 +10210,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon جوي كون اليسرى @@ -9723,7 +10223,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon جوي كون اليمنى @@ -9752,7 +10252,7 @@ This is recommended if you want to share data between emulators. - + Handheld محمول @@ -9800,7 +10300,7 @@ This is recommended if you want to share data between emulators. Configure - الإعداد + الإعدادات @@ -9873,32 +10373,32 @@ This is recommended if you want to share data between emulators. لا توجد اذرع تحكم كافية - + GameCube Controller GameCube ذراع تحكم - + Poke Ball Plus Poke Ball Plus - + NES Controller ذراع تحكم NES - + SNES Controller ذراع تحكم SNES - + N64 Controller ذراع تحكم N64 - + Sega Genesis Sega Genesis @@ -10053,13 +10553,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK موافق - + Cancel إلغاء @@ -10096,12 +10596,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be إلغاء - + Failed to link save data فشل ربط بيانات الحفظ - + OS returned error: %1 أعاد نظام التشغيل خطأ: %1 @@ -10137,7 +10637,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be :ثواني - + Total play time reached maximum. وصل إجمالي زمن التشغيل إلى الحد الأقصى. diff --git a/dist/languages/ca.ts b/dist/languages/ca.ts index 3d192751b5..ed5fca660a 100644 --- a/dist/languages/ca.ts +++ b/dist/languages/ca.ts @@ -4,12 +4,12 @@ About Eden - + Sobre Eden <html><head/><body><p><span style=" font-size:28pt;">Eden</span></p></body></html> - + <html><head/><body><p><span style=" font-size:28pt;">Eden</span></p></body></html> @@ -31,12 +31,12 @@ li.checked::marker { content: "\2612"; } <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html> - + <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Lloc web</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Codi font</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Col·laboradors</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Llicència</span></a></p></body></html> <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; is a trademark of Nintendo. Eden is not affiliated with Nintendo in any way.</span></p></body></html> - + <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; és una marca registrada de Nintendo. Eden no està afiliada a Nintendo de cap manera.</span></p></body></html> @@ -49,7 +49,7 @@ li.checked::marker { content: "\2612"; } Cancel - Cancel·la + Cancel·lar @@ -102,7 +102,7 @@ li.checked::marker { content: "\2612"; } %1 has left - %1 ha marxat + %1 s'ha marxat @@ -112,17 +112,17 @@ li.checked::marker { content: "\2612"; } %1 has been banned - %1 ha sigut banejat + %1 ha sigut vetat %1 has been unbanned - %1 ha sigut desbanejat + %1 ha sigut desvetat View Profile - Veure perfil + Veure el perfil @@ -133,7 +133,7 @@ li.checked::marker { content: "\2612"; } When you block a player, you will no longer receive chat messages from them.<br><br>Are you sure you would like to block %1? - Quan bloquejes a un jugador, no seràs capaç de rebre missatges de xat d'ell.<br><br> Estàs segur que vols bloquejar %1? + Quan bloquejes a un jugador, no seràs capaç de rebre missatges del xat d'ell.<br><br> Està segur que vol bloquejar a %1? @@ -143,7 +143,7 @@ li.checked::marker { content: "\2612"; } Ban - Ban + Vetar @@ -153,19 +153,19 @@ li.checked::marker { content: "\2612"; } Are you sure you would like to <b>kick</b> %1? - Estàs segur que vols expulsar a %1? + Està segur que vol <b>expulsar</b> a %1? Ban Player - Banejar jugador + Vetar jugador Are you sure you would like to <b>kick and ban</b> %1? This would ban both their forum username and their IP address. - Estàs segur que vols expulsar i banejar a %1? Aixó banejaria tant el seu nom d'usuari del forum com la seva adreça IP. + Està segur de que vol expulsar i vetar a %1? Aixó vetará tant el seu nom d'usuari del forum com la seva adreça IP. @@ -188,7 +188,7 @@ This would ban both their forum username and their IP address. Leave Room - Abandonar sala + Abandonar la sala @@ -214,7 +214,7 @@ This would ban both their forum username and their IP address. Report Compatibility - Informeu sobre la compatibilitat + Informar sobre la compatibilitat @@ -225,7 +225,7 @@ This would ban both their forum username and their IP address. Report Game Compatibility - Informeu sobre la compatibilitat del joc + Informar sobre la compatibilitat del joc @@ -240,7 +240,7 @@ This would ban both their forum username and their IP address. Yes The game starts to output video or audio - Si El joc comença a produïr video o audio + Sí El joc comença a produïr video o audio @@ -250,12 +250,12 @@ This would ban both their forum username and their IP address. Yes The game gets past the intro/menu and into gameplay - Sí El joc supera la introducció/menú i entra en la part jugable. + Sí El joc supera la introducció/menú i entra en la part jugable. No The game crashes or freezes while loading or using the menu - No El joc pot fallar o es bloqueja mentre es carrega o s'utilitza el menú + No El joc falla o es bloqueja mentre es carrega o s'utilitza el menú @@ -265,12 +265,12 @@ This would ban both their forum username and their IP address. Yes The game works without crashes - Sí El joc funciona sense errors + Sí El joc funciona sense errors No The game crashes or freezes during gameplay - No El joc pot fallar o es pot bloquejar durant la part jugable. + No El joc falla o es bloqueja durant la part jugable. @@ -280,12 +280,12 @@ This would ban both their forum username and their IP address. Yes The game can be finished without any workarounds - Sí El joc es pot acabar sense ninguna configuració extra especifica . + Sí El joc es pot acabar sense ninguna configuració extra especifica No The game can't progress past a certain area - No El joc no pot avançar més enllà d'una zona determinada + No El joc no pot avançar més enllà d'una zona determinada @@ -295,17 +295,17 @@ This would ban both their forum username and their IP address. Major The game has major graphical errors - Important El joc té errors gràfics importants + Major El joc té errors gràfics importants Minor The game has minor graphical errors - Menys important El joc té errors gràfics menors + Menor El joc té errors gràfics menors None Everything is rendered as it looks on the Nintendo Switch - Cap Tot es renderitzat com es veu a la Nintendo Switch + Cap Tot es renderitzat com es veu a la Nintendo Switch @@ -315,17 +315,17 @@ This would ban both their forum username and their IP address. Major The game has major audio errors - Important El joc té errors d'àudio majors + Major El joc té errors greus d'àudio Minor The game has minor audio errors - Menys important El joc té errors d'àudio menors + Menor El joc té errors lleus d'àudio None Audio is played perfectly - Cap L'àudio és reproduit perfectament + Cap L'àudio es reprodueix perfectament @@ -366,153 +366,178 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Editor d'Amiibo + + + + Controller configuration + Configuració del comandament - Controller configuration - - - - Data erase - + Error Error - + Net connect - + Player select - + Software keyboard - + Mii Edit - + Editor de Mii + + + + Online web + Web en línia - Online web - + Shop + Botiga - Shop - + Photo viewer + Àlbum - Photo viewer - + Offline web + Web fora de línia - Offline web - - - - Login share - + Wifi web auth - + My page - + La meva pàgina - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Motor de sortida: - - - Output Device: - Dispositiu de Sortida: - - Input Device: - Dispositiu d'Entrada: + Output Device: + Dispositiu de sortida: + Input Device: + Dispositiu d'entrada: + + + Mute audio Silenciar àudio - + Volume: Volum: - + Mute audio when in background Silenciar l'àudio quan estigui en segon plà - + Multicore CPU Emulation Emulació de CPU multinucli - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Limitar percentatge de velocitat - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Velocitat turbo + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + Velocitat lenta + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed - + Sincronitzar la velocitat dels nuclis @@ -521,229 +546,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Precisió: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + Motor: - + CPU Overclock - + Overclock de la CPU - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Ticks del CPU personalitzats - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Desactivar FMA (millora el rendiment en CPUs sense FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE FRSQRTE i FRECPE més ràpid - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Aquest paràmetre millora la velocitat d'algunes funcions de coma flotant, amb l'ús d'aproximacions natives menys precises. - + Faster ASIMD instructions (32 bits only) Instruccions ASIMD més ràpides (només 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Gestió imprecisa NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Desactiva les comprovacions d'espai d'adreces - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorar monitorització global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Dispositiu: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Resolució: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Filtre d'adaptació de finestra: - + FSR Sharpness: - + Nitidesa FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: - Mètode d'anti-aliasing + Mètode de suavitzat de vores - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Mode pantalla completa: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Relació d'aspecte: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Optimitzar la sortida de SPIRV - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -751,24 +776,24 @@ This feature is experimental. - + NVDEC emulation: Emulació NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -777,45 +802,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - + Mode de sincronització vertical: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -823,1317 +858,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. - + Anisotropic Filtering: Filtrat anisotròpic: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Mode de la GPU: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Precisió DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed Llavor de GNA - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name - Nom del Dispositiu + Nom del dispositiu - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + Idioma: - + This option can be overridden when region setting is auto-select - + Region: Regió: - + The region of the console. - + Time Zone: Zona horària: - + The time zone of the console. - + Sound Output Mode: - + Console Mode: - + Mode de la consola - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Ocultar el cursor del ratolí en cas d'inactivitat - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - Activa el mode Joc + Activa el mode joc - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + Mai - + On Load - + Always - + Sempre - + CPU CPU - + GPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) - + BC3 (Medium quality) - - Conservative - - - - - Aggressive - - - - - Vulkan - - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - Precís - - - - - Default - Valor predeterminat - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Auto - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + Conservador + + + + Aggressive + Agressiu + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (Ensamblat d'ombrejadors, només NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (Experimental, només AMD/Mesa) + + + + Null + Nul + + + + Fast + Ràpid + + + + Balanced + Equilibrat + + + + + Accurate + Precís + + + + + Default + Valor predeterminat + + + + Unsafe (fast) + Insegur (ràpid) + + + + Safe (stable) + Segur (estable) + + + Unsafe Insegur - + Paranoid (disables most optimizations) Paranoic (desactiva la majoria d'optimitzacions) - + Debugging - + Depuració - + Dynarmic - + Dynarmic - + NCE - + NCE - + Borderless Windowed Finestra sense vores - + Exclusive Fullscreen Pantalla completa exclusiva - + No Video Output Sense sortida de vídeo - + CPU Video Decoding Descodificació de vídeo a la CPU - + GPU Video Decoding (Default) - Descodificació de vídeo a la GPU (Valor Predeterminat) + Descodificació de vídeo a la GPU (Valor predeterminat) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) - + 7X (5040p/7560p) - + 8X (5760p/8640p) - + 8X (5760p/8640p) - + Nearest Neighbor Veí més proper - + Bilinear Bilineal - + Bicubic Bicúbic - + Gaussian Gaussià - + Lanczos - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Super resolució AMD FidelityFX - + Area - + Àrea - + MMPX - + MMPX - + Zero-Tangent - + Tangència zero - + B-Spline - + B-Spline - + Mitchell - + Mitchell - + Spline-1 - + Spline-1 - - + + None Cap - + FXAA FXAA - + SMAA - + SMAA - + Default (16:9) Valor predeterminat (16:9) - + Force 4:3 Forçar 4:3 - + Force 21:9 Forçar 21:9 - + Force 16:10 - + Stretch to Window Estirar a la finestra - + Automatic Automàtic - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 32x - + 64x - + 64x - + Japanese (日本語) Japonès (日本語) - + American English - + Anglès americà - + French (français) Francès (français) - + German (Deutsch) Alemany (Deutsch) - + Italian (italiano) Italià (italiano) - + Spanish (español) Castellà (español) - + Chinese Xinès - + Korean (한국어) Coreà (한국어) - + Dutch (Nederlands) Holandès (Nederlands) - + Portuguese (português) Portuguès (português) - + Russian (Русский) Rus (Русский) - + Taiwanese Taiwanès - + British English Anglès britànic - + Canadian French Francès canadenc - + Latin American Spanish Espanyol llatinoamericà - + Simplified Chinese Xinès simplificat - + Traditional Chinese (正體中文) Xinès tradicional (正體中文) - + Brazilian Portuguese (português do Brasil) Portuguès brasiler (português do Brasil) - - Serbian (српски) - + + Polish (polska) + Polonès (polska) - - + + Thai (แบบไทย) + Tailandès (แบบไทย) + + + + Japan Japó - + USA EUA - + Europe Europa - + Australia Austràlia - + China Xina - + Korea Corea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Per defecte (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egipte - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hong Kong - + HST HST - + Iceland Islàndia - + Iran Iran - + Israel Isreal - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Líbia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polònia - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Turquia - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Estèreo - + Surround Envoltant - + 4GB DRAM (Default) - + 4GB DRAM (Insegur) - + 6GB DRAM (Unsafe) - + 6GB DRAM (Insegur) - + 8GB DRAM - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 10GB DRAM (Insegur) - + 12GB DRAM (Unsafe) - + 12GB DRAM (Insegur) - + Docked - Acoblada + Sobretaula - + Handheld Portàtil - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop Tan sols si el joc especifica no parar - + Never ask - + No preguntar mai - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2145,7 +2264,7 @@ When a program attempts to open the controller applet, it is immediately closed. Applets - + Applets @@ -2205,7 +2324,7 @@ When a program attempts to open the controller applet, it is immediately closed. Restaurar els valors predeterminats - + Auto Auto @@ -2655,81 +2774,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Activar alertes de depuració - + Debugging Depuració - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Habilita això per imprimir l'última llista d'ordres d'àudio a la consola. Només afecta els jocs que utilitzin el renderitzador d'àudio. - + Dump Audio Commands To Console** Buidar Ordres d'Àudio a la Consola - + Flush log output on each line - + Enable FS Access Log Activar registre d'accés al FS - + Enable Verbose Reporting Services** Activa els serveis d'informes detallats** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2790,13 +2914,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Àudio - + CPU CPU @@ -2812,13 +2936,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General General - + Graphics Gràfics @@ -2839,7 +2963,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Controls @@ -2855,7 +2979,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Sistema @@ -2973,58 +3097,58 @@ When a program attempts to open the controller applet, it is immediately closed. Reiniciar cache de metadades - + Select Emulated NAND Directory... Seleccioni el directori de NAND emulat... - + Select Emulated SD Directory... Seleccioni el directori de SD emulat... - - + + Select Save Data Directory... - + Select Gamecard Path... Seleccioni la ruta del cartutx de joc... - + Select Dump Directory... Seleccioni el directori de bolcat... - + Select Mod Load Directory... Seleccioni el directori de càrrega de mods... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3035,7 +3159,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3043,28 +3167,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Cancel·lar - + Migration Failed - + Failed to create destination directory. @@ -3075,12 +3199,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3101,19 +3225,54 @@ Would you like to delete the old save data? General - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Reiniciar tots els paràmetres - + Eden + Eden + + + + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? + Això restablirà tota la configuració i eliminarà totes les configuracions dels jocs. No eliminarà ni els directoris de jocs, ni els perfils, ni els perfils dels controladors. Procedir? + + + + Select External Content Directory... - - This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? - Això restablirà tota la configuració i eliminarà totes les configuracions dels jocs. No eliminarà ni els directoris de jocs, ni els perfils, ni els perfils dels controladors. Procedir? + + Directory Already Added + + + + + This directory is already in the list. + @@ -3144,33 +3303,33 @@ Would you like to delete the old save data? Color de fons: - + % FSR sharpening percentage (e.g. 50%) % - + Off Apagat - + VSync Off Vsync Apagat - + Recommended Recomanat - + On Encés - + VSync On VSync Encés @@ -3221,13 +3380,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3604,7 +3763,7 @@ Would you like to delete the old save data? Touchscreen - Pantalla Tàctil + Panell tàctil @@ -3799,7 +3958,7 @@ Would you like to delete the old save data? - + Left Stick Palanca esquerra @@ -3909,14 +4068,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3929,22 +4088,22 @@ Would you like to delete the old save data? - + Plus Més - + ZR ZR - - + + R R @@ -4001,7 +4160,7 @@ Would you like to delete the old save data? - + Right Stick Palanca dreta @@ -4170,88 +4329,88 @@ Per invertir els eixos, primer moveu el joystick verticalment i després horitzo Sega Genesis - + Start / Pause Inici / Pausa - + Z Z - + Control Stick Palanca de control - + C-Stick C-Stick - + Shake! Sacseja! - + [waiting] [esperant] - + New Profile Nou perfil - + Enter a profile name: Introdueixi un nom de perfil: - - + + Create Input Profile Crear perfil d'entrada - + The given profile name is not valid! El nom de perfil introduït no és vàlid! - + Failed to create the input profile "%1" Error al crear el perfil d'entrada "%1" - + Delete Input Profile Eliminar perfil d'entrada - + Failed to delete the input profile "%1" Error al eliminar el perfil d'entrada "%1" - + Load Input Profile Carregar perfil d'entrada - + Failed to load the input profile "%1" Error al carregar el perfil d'entrada "%1" - + Save Input Profile Guardar perfil d'entrada - + Failed to save the input profile "%1" Error al guardar el perfil d'entrada "%1" @@ -4357,7 +4516,7 @@ Per invertir els eixos, primer moveu el joystick verticalment i després horitzo Eden - + Eden @@ -4545,11 +4704,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - Cap - ConfigurePerGame @@ -4604,52 +4758,57 @@ Current values are %1% and %2% respectively. Algunes configuracions són disponibles només quan el joc no està corrent. - + Add-Ons Complements - + System Sistema - + CPU CPU - + Graphics Gràfics - + Adv. Graphics Gràfics avanç. - + Ext. Graphics - + Audio Àudio - + Input Profiles Perfils d'entrada - + Network + Applets + Applets + + + Properties Propietats @@ -4667,15 +4826,110 @@ Current values are %1% and %2% respectively. Complements - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nom del pegat - + Version Versió + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4723,62 +4977,62 @@ Current values are %1% and %2% respectively. %2 - + Users Usuaris - + Error deleting image Error al eliminar la imatge - + Error occurred attempting to overwrite previous image at: %1. Error al intentar sobreescriure la imatge anterior a: %1. - + Error deleting file Error al eliminar el fitxer - + Unable to delete existing file: %1. No es pot eliminar el fitxer existent: %1. - + Error creating user image directory Error al crear el directori d'imatges de l'usuari - + Unable to create directory %1 for storing user images. No es pot crear el directori %1 per emmagatzemar imatges d’usuari. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4786,17 +5040,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Esborrar aquest usuari? Totes les dades de guardat seran eliminades. - + Confirm Delete Confirmar eliminació - + Name: %1 UUID: %2 Nom: %1 @@ -4998,17 +5252,22 @@ UUID: %2 Pausar execució durant les càrregues - + + Show recording dialog + + + + Script Directory Directori d'scripts - + Path Ruta - + ... ... @@ -5021,7 +5280,7 @@ UUID: %2 Configuració TAS - + Select TAS Load Directory... Selecciona el directori de càrrega TAS... @@ -5159,64 +5418,43 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les ConfigureUI - - - + + None Cap - - Small (32x32) - Petit (32x32) - - - - Standard (64x64) - Estàndard (64x64) - - - - Large (128x128) - Gran (128x128) - - - - Full Size (256x256) - Tamany complet (256x256) - - - + Small (24x24) Petit (24x24) - + Standard (48x48) Estàndard (48x48) - + Large (72x72) Gran (72x72) - + Filename Nom de l'arxiu - + Filetype Tipus d'arxiu - + Title ID ID del títol - + Title Name Nom del títol @@ -5285,71 +5523,66 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les - Game Icon Size: - Tamany de les icones dels jocs - - - Folder Icon Size: Tamany de les icones de les carpetes - + Row 1 Text: Text de la fila 1: - + Row 2 Text: Text de la fila 2: - + Screenshots Captures de pantalla - + Ask Where To Save Screenshots (Windows Only) Preguntar on guardar les captures de pantalla (només Windows) - + Screenshots Path: Ruta de les captures de pantalla: - + ... ... - + TextLabel - + Resolution: Resolució: - + Select Screenshots Path... Seleccioni el directori de les Captures de Pantalla... - + <System> <System> - + English Anglès - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5483,20 +5716,20 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les Mostrar el joc actual al seu estat de Discord - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5528,27 +5761,27 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5586,7 +5819,7 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les - + Calculating... @@ -5609,14 +5842,14 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les - + Dependency - + Version - + Versió @@ -5782,50 +6015,50 @@ Please go to Configure -> System -> Network and make a selection. Error - + Error GRenderWindow - - + + OpenGL not available! OpenGL no disponible! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Error al inicialitzar OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. La seva GPU no suporta OpenGL, o no té instal·lat els últims controladors gràfics. - + Error while initializing OpenGL 4.6! Error inicialitzant OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 La seva GPU no suporta OpenGL 4.6, o no té instal·lats els últims controladors gràfics.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 És possible que la seva GPU no suporti una o més extensions necessàries d'OpenGL. Si us plau, asseguris de tenir els últims controladors de la tarjeta gràfica.<br><br>GL Renderer:<br>%1<br><br>Extensions no suportades:<br>%2 @@ -5833,203 +6066,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Preferit - + Start Game Iniciar el joc - + Start Game without Custom Configuration Iniciar el joc sense la configuració personalitzada - + Open Save Data Location Obrir la ubicació dels arxius de partides guardades - + Open Mod Data Location Obrir la ubicació dels mods - + Open Transferable Pipeline Cache Obrir cache transferible de shaders de canonada - + Link to Ryujinx - + Remove Eliminar - + Remove Installed Update Eliminar actualització instal·lada - + Remove All Installed DLC Eliminar tots els DLC instal·lats - + Remove Custom Configuration Eliminar configuració personalitzada - + Remove Cache Storage - + Remove OpenGL Pipeline Cache Eliminar cache de canonada d'OpenGL - + Remove Vulkan Pipeline Cache Eliminar cache de canonada de Vulkan - + Remove All Pipeline Caches Eliminar totes les caches de canonada - + Remove All Installed Contents Eliminar tots els continguts instal·lats - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Bolcar RomFS - + Dump RomFS to SDMC Bolcar RomFS a SDMC - + Verify Integrity - + Copy Title ID to Clipboard Copiar la ID del títol al porta-retalls - + Navigate to GameDB entry Navegar a l'entrada de GameDB - + Create Shortcut - + Add to Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders Escanejar subdirectoris - + Remove Game Directory Eliminar directori de jocs - + ▲ Move Up ▲ Moure amunt - + ▼ Move Down ▼ Move avall - + Open Directory Location Obre ubicació del directori - + Clear Esborrar - + Name Nom - + Compatibility Compatibilitat - + Add-ons Complements - + File type Tipus d'arxiu - + Size Mida - + Play time @@ -6037,62 +6275,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Perfecte - + Game can be played without issues. - + Playable - + Game functions with minor graphical or audio glitches and is playable from start to finish. - + Intro/Menu Intro / Menú - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot No engega - + The game crashes when attempting to startup. El joc es bloqueja al intentar iniciar. - + Not Tested No provat - + The game has not yet been tested. Aquest joc encara no ha estat provat. @@ -6100,7 +6338,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Faci doble clic per afegir un nou directori a la llista de jocs @@ -6108,17 +6346,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 de %n resultat(s)%1 de %n resultat(s) - + Filter: Filtre: - + Enter pattern to filter Introdueixi patró per a filtrar @@ -6194,12 +6432,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Error - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6208,19 +6446,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6243,154 +6473,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot Captura de pantalla - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen - + Exit Eden - + Fullscreen Pantalla Completa - + Load File Carregar arxiu - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6443,22 +6699,22 @@ Debug Message: Temps estimat 5m 4s - + Loading... Carregant... - + Loading Shaders %1 / %2 Carregant shaders %1 / %2 - + Launching... Engegant... - + Estimated Time %1 Temps estimat %1 @@ -6507,42 +6763,42 @@ Debug Message: - + Password Required to Join - + Password: - + Players Jugadors - + Room Name Nom de la sala - + Preferred Game - + Host - + Refreshing - + Refresh List @@ -6591,1091 +6847,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Reiniciar el tamany de la finestra a &720p - + Reset Window Size to 720p Reiniciar el tamany de la finestra a 720p - + Reset Window Size to &900p Reiniciar el tamany de la finestra a &900p - + Reset Window Size to 900p Reiniciar el tamany de la finestra a 900p - + Reset Window Size to &1080p Reiniciar el tamany de la finestra a &1080p - + Reset Window Size to 1080p Reiniciar el tamany de la finestra a 1080p - + &Multiplayer - + &Tools &Eines - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Ajuda - + &Install Files to NAND... &instal·lar arxius a la NAND... - + L&oad File... C&arregar arxiu... - + Load &Folder... Carregar &carpeta... - + E&xit S&ortir - - + + &Pause &Pausar - + &Stop &Aturar - + &Verify Installed Contents - + &About Eden - + Single &Window Mode Mode una sola &finestra - + Con&figure... Con&figurar... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Mostrar la barra de &filtre - + Show &Status Bar Mostrar la barra d'&estat - + Show Status Bar Mostrar barra d'estat - + &Browse Public Game Lobby - + &Create Room - + &Leave Room - + &Direct Connect to Room - + &Show Current Room - + F&ullscreen P&antalla completa - + &Restart &Reiniciar - + Load/Remove &Amiibo... Carregar/Eliminar &Amiibo... - + &Report Compatibility &Informar de compatibilitat - + Open &Mods Page Obrir la pàgina de &mods - + Open &Quickstart Guide Obre la guia d'&inici ràpid - + &FAQ &Preguntes freqüents - + &Capture Screenshot &Captura de pantalla - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... &Configurar TAS... - + Configure C&urrent Game... Configurar joc a&ctual... - - + + &Start &Iniciar - + &Reset &Reiniciar - - + + R&ecord E&nregistrar - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + Cap + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + Petit (32x32) + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (64-bit) - + (32-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + Cancel·lar - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Escala: %1x - + Speed: %1% / %2% - + Velocitat: %1% / %2% - + Speed: %1% - + Velocitat: %1% - + Game: %1 FPS - + Joc: %1 FPS - + Frame: %1 ms - + Fotograma: %1 ms - + FSR - + FSR - + NO AA - + SENSE AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + VOLUMEN: %1% - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7683,78 +8001,88 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + Lent + + + + Turbo + Turbo + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA - + FXAA SMAA - + SMAA @@ -7764,42 +8092,42 @@ Would you like to bypass this and exit anyway? Bilinear - + Bilineal Bicubic - + Bicúbic - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian - + Gaussià Lanczos - + Lanczos @@ -7809,7 +8137,7 @@ Would you like to bypass this and exit anyway? Area - + Àrea @@ -7819,12 +8147,12 @@ Would you like to bypass this and exit anyway? Docked - + Sobretaula Handheld - + Portàtil @@ -7844,39 +8172,39 @@ Would you like to bypass this and exit anyway? Vulkan - - - - - OpenGL GLSL - + Vulkan - OpenGL SPIRV - - - - - OpenGL GLASM - + OpenGL GLSL + OpenGL GLSL + OpenGL SPIRV + OpenGL SPIRV + + + + OpenGL GLASM + OpenGL GLASM + + + Null - + Nul MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7887,7 +8215,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7895,11 +8223,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -7941,7 +8282,7 @@ If you wish to clean up the files which were left in the old data location, you IP Address - + Adreça IP @@ -8028,7 +8369,7 @@ Proceed anyway? New User - + Nou usuari @@ -8048,7 +8389,7 @@ Proceed anyway? Eden - + Eden @@ -8066,86 +8407,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8184,6 +8525,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + 0 ms + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + FPS + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + %1 ms + + PlayerControlPreview @@ -8202,7 +8617,7 @@ p, li { white-space: pre-wrap; } Cancel - + Cancel·lar @@ -8218,39 +8633,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Títols instal·lats a la SD - - - - Installed NAND Titles - Títols instal·lats a la NAND - - - - System Titles - Títols del sistema - - - - Add New Game Directory - Afegir un nou directori de jocs - - - - Favorites - Preferits - - - - - + + + Migration - + Clear Shader Cache @@ -8274,27 +8664,29 @@ p, li { white-space: pre-wrap; } - + + + No - + No - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8685,6 +9077,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 + + + Play Time: %1 + + + + + Never Played + Mai jugat + + + + Version: %1 + Versió: %1 + + + + Version: 1.0.0 + Versió: 1.0.0 + + + + Installed SD Titles + Títols instal·lats a la SD + + + + Installed NAND Titles + Títols instal·lats a la NAND + + + + System Titles + Títols del sistema + + + + Add New Game Directory + Afegir un nou directori de jocs + + + + Favorites + Preferits + QtAmiiboSettingsDialog @@ -8726,7 +9163,7 @@ p, li { white-space: pre-wrap; } Owner - + Propietari @@ -8736,7 +9173,7 @@ p, li { white-space: pre-wrap; } dd/MM/yyyy - + dd/MM/yyyy @@ -8746,7 +9183,7 @@ p, li { white-space: pre-wrap; } dd/MM/yyyy - + dd/MM/yyyy @@ -8802,250 +9239,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Cancel·lar - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exportant - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9053,22 +9490,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9076,48 +9513,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9129,18 +9566,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9148,229 +9585,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet + Applet del menú d'inici + + + + Home Menu is not available. Please reinstall firmware. + + + + + QtCommon::Mod + + + Mod Name - - Home Menu is not available. Please reinstall firmware. + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9378,83 +9871,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9475,56 +9968,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9565,7 +10058,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Controlador Pro @@ -9578,7 +10071,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Joycons duals @@ -9591,7 +10084,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon esquerra @@ -9604,7 +10097,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon dret @@ -9633,7 +10126,7 @@ This is recommended if you want to share data between emulators. - + Handheld Portàtil @@ -9754,32 +10247,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Controlador de GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Controlador NES - + SNES Controller Controlador SNES - + N64 Controller Controlador N64 - + Sega Genesis Sega Genesis @@ -9934,13 +10427,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK D'acord - + Cancel Cancel·lar @@ -9972,15 +10465,15 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Cancel - + Cancel·lar - + Failed to link save data - + OS returned error: %1 @@ -10003,20 +10496,20 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Hours: - + Hores: Minutes: - + Minuts: Seconds: - + Segons: - + Total play time reached maximum. diff --git a/dist/languages/cs.ts b/dist/languages/cs.ts index 145497b553..0d748e0215 100644 --- a/dist/languages/cs.ts +++ b/dist/languages/cs.ts @@ -4,7 +4,7 @@ About Eden - + O aplikaci Eden @@ -366,149 +366,174 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Controller configuration - + Data erase - + Error - + Net connect - + Player select - + Software keyboard - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Výstupní Engine: - + Output Device: Výstupní Zařízení: - + Input Device: Vstupní Zařízení: - + Mute audio Ztlumit zvuk - + Volume: Hlasitost: - + Mute audio when in background Ztlumit zvuk, když je aplikace v pozadí - + Multicore CPU Emulation Vícejádrová emulace CPU - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout Rozložení Paměti - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Omezení rychlosti v procentech - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -521,229 +546,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Přesnost: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Rozložit FMA instrukce (zlepší výkon na CPU bez FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE Rychlejší FRSQRTE a FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Rychlejší instrukce ASIMD (Pouze 32 bitové) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Nepřesné zpracování NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Zakázat kontrolu adres paměti - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorovat globální hlídač. - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Zařízení: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Rozlišení: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: - + FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Režim celé obrazovky: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Poměr stran: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -751,24 +776,24 @@ This feature is experimental. - + NVDEC emulation: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -777,45 +802,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -823,1317 +858,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. - + Anisotropic Filtering: Anizotropní filtrování: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Název Zařízení - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Jazyk: - + This option can be overridden when region setting is auto-select - + Region: Region: - + The region of the console. - + Time Zone: Časové Pásmo: - + The time zone of the console. - + Sound Output Mode: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Potvrzení před zastavením emulace - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Skrýt myš při neaktivitě - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) - + BC3 (Medium quality) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - Přesné - - - - - Default - Výchozí - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Automatické - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + Přesné + + + + + Default + Výchozí + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Nebezpečné - + Paranoid (disables most optimizations) Paranoidní (zakáže většinu optimizací) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Okno bez okrajů - + Exclusive Fullscreen Exkluzivní - + No Video Output - + CPU Video Decoding - + GPU Video Decoding (Default) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) - + 3X (2160p/3240p) - + 4X (2880p/4320p) - + 5X (3600p/5400p) - + 6X (4320p/6480p) - + 7X (5040p/7560p) - + 8X (5760p/8640p) - + Nearest Neighbor - + Bilinear Bilineární - + Bicubic - + Gaussian - + Lanczos - + ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Žádné - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Výchozí (16:9) - + Force 4:3 Vynutit 4:3 - + Force 21:9 Vynutit 21:9 - + Force 16:10 - + Stretch to Window Roztáhnout podle okna - + Automatic - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japonština (日本語) - + American English - + French (français) Francouzština (français) - + German (Deutsch) Nemčina (Deutsch) - + Italian (italiano) Italština (Italiano) - + Spanish (español) Španělština (español) - + Chinese Čínština - + Korean (한국어) Korejština (한국어) - + Dutch (Nederlands) Holandština (Nederlands) - + Portuguese (português) Portugalština (português) - + Russian (Русский) Ruština (Русский) - + Taiwanese Tajwanština - + British English Britská Angličtina - + Canadian French Kanadská Francouzština - + Latin American Spanish Latinsko Americká Španělština - + Simplified Chinese Zjednodušená Čínština - + Traditional Chinese (正體中文) Tradiční Čínština (正體中文) - + Brazilian Portuguese (português do Brasil) Brazilská Portugalština (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japonsko - + USA USA - + Europe Evropa - + Australia Austrálie - + China Čína - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone - + Default (%1) Default time zone - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egypt - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Island - + Iran Iran - + Israel Israel - + Jamaica Jamajka - + Kwajalein Kwajalein - + Libya Lybie - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polsko - + Portugal Portugalsko - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Turecko - + UCT UCT - + Universal Univerzální - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Zadokovaná - + Handheld Příruční - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) Vždy se zeptat (Výchozí) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2205,7 +2324,7 @@ When a program attempts to open the controller applet, it is immediately closed. Vrátit výchozí nastavení - + Auto Automatické @@ -2647,81 +2766,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Povolit Debug Asserts - + Debugging Ladění - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. - + Dump Audio Commands To Console** - + Flush log output on each line - + Enable FS Access Log - + Enable Verbose Reporting Services** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2782,13 +2906,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Zvuk - + CPU CPU @@ -2804,13 +2928,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Obecné - + Graphics Grafika @@ -2831,7 +2955,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Ovládání @@ -2847,7 +2971,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Systém @@ -2965,58 +3089,58 @@ When a program attempts to open the controller applet, it is immediately closed. Resetovat mezipaměť metadat - + Select Emulated NAND Directory... Vyberte emulovanou NAND složku... - + Select Emulated SD Directory... Vyberte emulovanou SD složku... - - + + Select Save Data Directory... - + Select Gamecard Path... Vyberte cestu ke Gamecard... - + Select Dump Directory... Vyberte složku pro vysypání... - + Select Mod Load Directory... Vyberte složku pro Mod Load... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3027,7 +3151,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3035,28 +3159,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3067,12 +3191,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3093,20 +3217,55 @@ Would you like to delete the old save data? Obecné - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Resetovat všechna nastavení - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Toto vyresetuje všechna nastavení a odstraní konfigurace pro jednotlivé hry. Složky s hrami a profily zůstanou zachovány. Přejete si pokračovat? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3136,33 +3295,33 @@ Would you like to delete the old save data? Barva Pozadí: - + % FSR sharpening percentage (e.g. 50%) % - + Off - + VSync Off - + Recommended - + On - + VSync On @@ -3213,13 +3372,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3791,7 +3950,7 @@ Would you like to delete the old save data? - + Left Stick Levá Páčka @@ -3901,14 +4060,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3921,22 +4080,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -3993,7 +4152,7 @@ Would you like to delete the old save data? - + Right Stick Pravá páčka @@ -4162,88 +4321,88 @@ Pro převrácení os nejprve posuňte joystick vertikálně, poté horizontáln - + Start / Pause Start / Pause - + Z Z - + Control Stick Control Stick - + C-Stick C-Stick - + Shake! Shake! - + [waiting] [čekání] - + New Profile Nový profil - + Enter a profile name: Zadejte název profilu: - - + + Create Input Profile Vytvořit profil vstupu - + The given profile name is not valid! Zadaný název profilu není platný! - + Failed to create the input profile "%1" Nepodařilo se vytvořit profil vstupu "%1" - + Delete Input Profile Odstranit profil vstupu - + Failed to delete the input profile "%1" Nepodařilo se odstranit profil vstupu "%1" - + Load Input Profile Načíst profil vstupu - + Failed to load the input profile "%1" Nepodařilo se načíst profil vstupu "%1" - + Save Input Profile Uložit profil vstupu - + Failed to save the input profile "%1" Nepodařilo se uložit profil vstupu "%1" @@ -4537,11 +4696,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - Žádné - ConfigurePerGame @@ -4596,52 +4750,57 @@ Current values are %1% and %2% respectively. Některá nastavení jsou dostupná pouze, pokud hra neběží. - + Add-Ons Doplňky - + System Systém - + CPU CPU - + Graphics Grafika - + Adv. Graphics Pokroč. grafika - + Ext. Graphics - + Audio Zvuk - + Input Profiles Profily Vstupu - + Network + Applets + + + + Properties Vlastnosti @@ -4659,15 +4818,110 @@ Current values are %1% and %2% respectively. Doplňky - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Název opravy - + Version Verze + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4715,62 +4969,62 @@ Current values are %1% and %2% respectively. %2 - + Users Uživatelé - + Error deleting image Chyba při odstraňování obrázku - + Error occurred attempting to overwrite previous image at: %1. Chyba při přepisování předchozího obrázku na: %1 - + Error deleting file Chyba při odstraňování souboru - + Unable to delete existing file: %1. Nelze odstranit existující soubor: %1. - + Error creating user image directory Chyba při vytváření složky s obrázkem uživatele - + Unable to create directory %1 for storing user images. Nelze vytvořit složku %1 pro ukládání obrázků uživatele. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4778,17 +5032,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Odstranit tohoto uživatele? Všechna jeho uložená data budou smazána. - + Confirm Delete Potvrdit smazání - + Name: %1 UUID: %2 @@ -4989,17 +5243,22 @@ UUID: %2 - + + Show recording dialog + + + + Script Directory - + Path Cesta - + ... ... @@ -5012,7 +5271,7 @@ UUID: %2 - + Select TAS Load Directory... @@ -5150,64 +5409,43 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z ConfigureUI - - - + + None Žádné - - Small (32x32) - Malý (32x32) - - - - Standard (64x64) - Standartní (64x64) - - - - Large (128x128) - Velký (128x128) - - - - Full Size (256x256) - Plná Velikost (256x256) - - - + Small (24x24) Malý (24x24) - + Standard (48x48) Standartní (48x48) - + Large (72x72) Velký (72x72) - + Filename Název souboru - + Filetype Typ souboru - + Title ID ID Titulu - + Title Name Název Titulu @@ -5276,71 +5514,66 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z - Game Icon Size: - - - - Folder Icon Size: - + Row 1 Text: Text řádku 1: - + Row 2 Text: Text řádku 2: - + Screenshots Snímek obrazovky - + Ask Where To Save Screenshots (Windows Only) Zeptat se, kam uložit snímek obrazovky (pouze Windows) - + Screenshots Path: Cesta snímků obrazovky: - + ... ... - + TextLabel - + Resolution: Rozlišení: - + Select Screenshots Path... Vyberte cestu ke snímkům obrazovky... - + <System> <System> - + English Angličtina - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5474,20 +5707,20 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z Zobrazovat Aktuální hru v Discordu - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5519,27 +5752,27 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5577,7 +5810,7 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z - + Calculating... @@ -5600,12 +5833,12 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z - + Dependency - + Version @@ -5779,44 +6012,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL není k dispozici! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Chyba při inicializaci OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Vaše grafická karta pravděpodobně nepodporuje OpenGL nebo nejsou nainstalovány nejnovější ovladače. - + Error while initializing OpenGL 4.6! Chyba při inicializaci OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Vaše grafická karta pravděpodobně nepodporuje OpenGL 4.6 nebo nejsou nainstalovány nejnovější ovladače.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Vaše grafická karta pravděpodobně nepodporuje jedno nebo více rozšíření OpenGL. Ujistěte se prosím, že jsou nainstalovány nejnovější ovladače.<br><br>GL Renderer:<br>%1<br><br>Nepodporované rozšíření:<br>%2 @@ -5824,203 +6057,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Oblíbené - + Start Game Spustit hru - + Start Game without Custom Configuration Spustit hru bez vlastní konfigurace - + Open Save Data Location Otevřít Lokaci Savů - + Open Mod Data Location Otevřít Lokaci Modifikací - + Open Transferable Pipeline Cache - + Link to Ryujinx - + Remove Odstranit - + Remove Installed Update Odstranit nainstalovanou aktualizaci - + Remove All Installed DLC Odstranit všechny nainstalované DLC - + Remove Custom Configuration Odstranit vlastní konfiguraci hry - + Remove Cache Storage - + Remove OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache - + Remove All Pipeline Caches - + Remove All Installed Contents Odstranit všechen nainstalovaný obsah - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data Odstranit data o době hraní - - + + Dump RomFS Vypsat RomFS - + Dump RomFS to SDMC - + Verify Integrity Ověřit Integritu - + Copy Title ID to Clipboard Zkopírovat ID Titulu do schránky - + Navigate to GameDB entry Navigovat do GameDB - + Create Shortcut Vytvořit Zástupce - + Add to Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders Prohledat podsložky - + Remove Game Directory Odstranit složku se hrou - + ▲ Move Up ▲ Posunout nahoru - + ▼ Move Down ▼ Posunout dolů - + Open Directory Location Otevřít umístění složky - + Clear Vymazat - + Name Název - + Compatibility Kompatibilita - + Add-ons Modifkace - + File type Typ-Souboru - + Size Velikost - + Play time Doba hraní @@ -6028,62 +6266,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Perfektní - + Game can be played without issues. Hra může být hrána bez problémů. - + Playable Hratelné - + Game functions with minor graphical or audio glitches and is playable from start to finish. Hra funguje s drobnými grafickými nebo zvukovými chybami a je hratelná od začátku do konce. - + Intro/Menu Intro/Menu - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot Nebootuje - + The game crashes when attempting to startup. Hra crashuje při startu. - + Not Tested Netestováno - + The game has not yet been tested. Hra ještě nebyla testována @@ -6091,7 +6329,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Dvojitým kliknutím přidáte novou složku do seznamu her @@ -6099,17 +6337,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Filtr: - + Enter pattern to filter Zadejte filtr @@ -6185,12 +6423,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6199,19 +6437,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6234,154 +6464,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot Pořídit Snímek Obrazovky - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen Opustit Režim Celé Obrazovky - + Exit Eden - + Fullscreen Celá Obrazovka - + Load File Načíst soubor - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6433,22 +6689,22 @@ Debug Message: Odhadovaný čas 5m 4s - + Loading... Načítání... - + Loading Shaders %1 / %2 Načítání shaderů %1 / %2 - + Launching... Spouštění... - + Estimated Time %1 Odhadovaný čas %1 @@ -6497,42 +6753,42 @@ Debug Message: - + Password Required to Join - + Password: - + Players Hráči - + Room Name Název Místnosti - + Preferred Game Preferovaná hra - + Host - + Refreshing - + Refresh List Obnovit Seznam @@ -6581,1091 +6837,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Nastavit velikost okna na &720p - + Reset Window Size to 720p Nastavit velikost okna na 720p - + Reset Window Size to &900p Resetovat Velikost Okna na &900p - + Reset Window Size to 900p Resetovat Velikost Okna na 900p - + Reset Window Size to &1080p Nastavit velikost okna na &1080p - + Reset Window Size to 1080p Nastavit velikost okna na 1080p - + &Multiplayer - + &Tools &Nástroje - + Am&iibo - + Launch &Applet - + &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Pomoc - + &Install Files to NAND... &Instalovat soubory na NAND... - + L&oad File... Načís&t soubor... - + Load &Folder... Načíst sl&ožku... - + E&xit E&xit - - + + &Pause &Pauza - + &Stop &Stop - + &Verify Installed Contents &Ověřit Nainstalovaný Obsah - + &About Eden - + Single &Window Mode &Režim jednoho okna - + Con&figure... &Nastavení - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Zobrazit &filtrovací panel - + Show &Status Bar Zobrazit &stavový řádek - + Show Status Bar Zobrazit Staus Bar - + &Browse Public Game Lobby - + &Create Room &Vytvořit Místnost - + &Leave Room &Opustit Místnost - + &Direct Connect to Room - + &Show Current Room - + F&ullscreen &Celá obrazovka - + &Restart &Restartovat - + Load/Remove &Amiibo... - + &Report Compatibility &Nahlásit kompatibilitu - + Open &Mods Page Otevřít stránku s &modifikacemi - + Open &Quickstart Guide Otevřít &rychlého průvodce - + &FAQ Často &kladené otázky - + &Capture Screenshot Za&chytit snímek obrazovky - + &Album - + &Set Nickname and Owner &Nastavit Přezdívku a Vlastníka - + &Delete Game Data &Odstranit Herní Data - + &Restore Amiibo &Obnovit Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - + Configure C&urrent Game... Nastavení současné hry - - + + &Start &Start - + &Reset &Resetovat - - + + R&ecord - + Open &Controller Menu Otevřít &Menu Ovladače - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7673,69 +7991,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7762,27 +8090,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7837,22 +8165,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7860,13 +8188,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7877,7 +8205,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7885,11 +8213,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8056,86 +8397,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8174,6 +8515,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8208,39 +8623,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Nainstalované SD tituly - - - - Installed NAND Titles - Nainstalované NAND tituly - - - - System Titles - Systémové tituly - - - - Add New Game Directory - Přidat novou složku s hrami - - - - Favorites - Oblíbené - - - - - + + + Migration - + Clear Shader Cache @@ -8273,18 +8663,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8675,6 +9065,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 hraje %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Nainstalované SD tituly + + + + Installed NAND Titles + Nainstalované NAND tituly + + + + System Titles + Systémové tituly + + + + Add New Game Directory + Přidat novou složku s hrami + + + + Favorites + Oblíbené + QtAmiiboSettingsDialog @@ -8792,250 +9227,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9043,22 +9478,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9066,48 +9501,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9119,18 +9554,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9138,229 +9573,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9368,83 +9859,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9465,56 +9956,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9555,7 +10046,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9568,7 +10059,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Oba Joycony @@ -9581,7 +10072,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Levý Joycon @@ -9594,7 +10085,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Pravý Joycon @@ -9623,7 +10114,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9744,32 +10235,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Ovladač GameCube - + Poke Ball Plus - + NES Controller - + SNES Controller - + N64 Controller - + Sega Genesis @@ -9924,13 +10415,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Storno @@ -9965,12 +10456,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10006,7 +10497,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/da.ts b/dist/languages/da.ts index d3ae257b9f..2d59847c91 100644 --- a/dist/languages/da.ts +++ b/dist/languages/da.ts @@ -368,149 +368,174 @@ Dette vil bandlyse både vedkommendes forum-brugernavn og IP-adresse.% - + Amiibo editor - + Controller configuration - + Data erase - + Error - + Net connect - + Player select - + Software keyboard - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Udgangsmotor: - + Output Device: - + Input Device: - + Mute audio - + Volume: Lydstyrke: - + Mute audio when in background Gør lydløs, når i baggrunden - + Multicore CPU Emulation Flerkerne-CPU-Emulering - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Begræns Hastighedsprocent - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Nøjagtighed - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Adskil FMA (forbedr ydeevne på CPUer uden FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE Hurtigere FRSQRTE og FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Hurtigere ASIMD-instrukser (kun 32-bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Unøjagtig NaN-håndtering - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Deaktivér adresseplads-kontrol - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorér global overvågning - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Enhed: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Opløsning: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Vinduestilpassende Filter: - + FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Anti-Aliaseringsmetode: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Fuldskærmstilstand: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Skærmformat: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC-emulering: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1317 +860,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. - + Anisotropic Filtering: Anisotropisk Filtrering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG-Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: Region - + The region of the console. - + Time Zone: Tidszone - + The time zone of the console. - + Sound Output Mode: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Skjul mus ved inaktivitet - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) - + BC3 (Medium quality) - - Conservative - - - - - Aggressive - - - - - Vulkan - - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - Nøjagtig - - - - - Default - Standard - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Automatisk - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + Nøjagtig + + + + + Default + Standard + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Usikker - + Paranoid (disables most optimizations) Paranoid (deaktiverer de fleste optimeringer) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Uindrammet Vindue - + Exclusive Fullscreen Eksklusiv Fuld Skærm - + No Video Output Ingen Video-Output - + CPU Video Decoding CPU-Video Afkodning - + GPU Video Decoding (Default) GPU-Video Afkodning (Standard) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0,75X (540p/810p) [EKSPERIMENTEL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) - + 8X (5760p/8640p) - + Nearest Neighbor Nærmeste Nabo - + Bilinear Bilineær - + Bicubic Bikubisk - + Gaussian Gausisk - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Ingen - + FXAA FXAA - + SMAA - + Default (16:9) Standard (16:9) - + Force 4:3 Tving 4:3 - + Force 21:9 Tving 21:9 - + Force 16:10 - + Stretch to Window Stræk til Vindue - + Automatic - + 2x - + 4x - + 8x - + 16x - + 32x - + 64x - + Japanese (日本語) Japansk (日本語) - + American English - + French (français) Fransk (français) - + German (Deutsch) Tysk (Deutsch) - + Italian (italiano) Italiensk (italiano) - + Spanish (español) Spansk (español) - + Chinese Kinesisk - + Korean (한국어) Koreansk (한국어) - + Dutch (Nederlands) Hollandsk (Nederlands) - + Portuguese (português) Portugisisk (português) - + Russian (Русский) Russisk (Русский) - + Taiwanese Taiwanesisk - + British English Britisk Engelsk - + Canadian French Candadisk Fransk - + Latin American Spanish Latinamerikansk Spansk - + Simplified Chinese Forenklet Kinesisk - + Traditional Chinese (正體中文) Traditionelt Kinesisk (正體中文) - + Brazilian Portuguese (português do Brasil) Braziliansk Portugisisk (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japan - + USA USA - + Europe Europa - + Australia Australien - + China Kina - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone - + Default (%1) Default time zone - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Ægypten - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Island - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libyen - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polen - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Tyrkiet - + UCT UCT - + Universal Universel - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Dokket - + Handheld Håndholdt - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2207,7 +2326,7 @@ When a program attempts to open the controller applet, it is immediately closed. Gendan Standarder - + Auto Automatisk @@ -2655,81 +2774,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Aktivér Fejlfindingshævdelser - + Debugging Fejlfinding - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Aktivér dette, for at udgyde den senest genererede lyd-kommandoliste til konsollen. Påvirker kun spil, som gør brug af lyd-renderingen. - + Dump Audio Commands To Console** Dump Lydkommandoer Til Konsol** - + Flush log output on each line - + Enable FS Access Log Aktivér FS-Tilgangslog - + Enable Verbose Reporting Services** Aktivér Vitterlig Rapporteringstjeneste - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2790,13 +2914,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Lyd - + CPU CPU @@ -2812,13 +2936,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Generelt - + Graphics Grafik @@ -2839,7 +2963,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Styring @@ -2855,7 +2979,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System System @@ -2973,58 +3097,58 @@ When a program attempts to open the controller applet, it is immediately closed. Nulstil Metadata-Mellemlager - + Select Emulated NAND Directory... Vælg Emuleret NAND-Mappe... - + Select Emulated SD Directory... Vælg Emuleret SD-Mappe... - - + + Select Save Data Directory... - + Select Gamecard Path... Vælg Spilkort-Sti... - + Select Dump Directory... Vælg Nedfældningsmappe... - + Select Mod Load Directory... Vælg Mod-Indlæsningsmappe... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3035,7 +3159,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3043,28 +3167,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3075,12 +3199,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3101,20 +3225,55 @@ Would you like to delete the old save data? Generelt - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Nulstil Alle Indstillinger - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? dette nulstiller alle indstillinger og fjerner alle pr-spil-konfigurationer. Dette vil ikke slette spilmapper, -profiler, eller input-profiler. Fortsæt? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3144,33 +3303,33 @@ Would you like to delete the old save data? Baggrundsfarve: - + % FSR sharpening percentage (e.g. 50%) % - + Off - + VSync Off - + Recommended - + On - + VSync On @@ -3221,13 +3380,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3799,7 +3958,7 @@ Would you like to delete the old save data? - + Left Stick Venstre Styrepind @@ -3909,14 +4068,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3929,22 +4088,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -4001,7 +4160,7 @@ Would you like to delete the old save data? - + Right Stick Højre Styrepind @@ -4170,88 +4329,88 @@ Bevæg, for at omvende akserne, først din styrepind lodret og så vandret. - + Start / Pause Start / Pause - + Z Z - + Control Stick Styrepind - + C-Stick C-Pind - + Shake! Ryst! - + [waiting] [venter] - + New Profile Ny Profil - + Enter a profile name: Indtast et profilnavn: - - + + Create Input Profile Opret Input-Profil - + The given profile name is not valid! Det angivne profilnavn er ikke gyldigt! - + Failed to create the input profile "%1" Oprettelse af input-profil "%1" mislykkedes - + Delete Input Profile Slet Input-Profil - + Failed to delete the input profile "%1" Sletning af input-profil "%1" mislykkedes - + Load Input Profile Indlæs Input-Profil - + Failed to load the input profile "%1" Indlæsning af input-profil "%1" mislykkedes - + Save Input Profile Gem Input-Profil - + Failed to save the input profile "%1" Lagring af input-profil "%1" mislykkedes @@ -4545,11 +4704,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - Ingen - ConfigurePerGame @@ -4604,52 +4758,57 @@ Current values are %1% and %2% respectively. - + Add-Ons Tilføjelser - + System System - + CPU CPU - + Graphics Grafik - + Adv. Graphics - + Ext. Graphics - + Audio Lyd - + Input Profiles - + Network + Applets + + + + Properties Egenskaber @@ -4667,15 +4826,110 @@ Current values are %1% and %2% respectively. Tilføjelser - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Lap-Navn - + Version Version + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4723,62 +4977,62 @@ Current values are %1% and %2% respectively. %2 - + Users Brugere - + Error deleting image Fejl ved sletning af billede - + Error occurred attempting to overwrite previous image at: %1. Der skete en fejl, ved forsøg på at overskrive forrige billede på: %1. - + Error deleting file Fejl ved sletning af fil - + Unable to delete existing file: %1. Kan ikke slette eksisterende fil: %1. - + Error creating user image directory Fejl ved oprettelse af brugerbillede-mappe - + Unable to create directory %1 for storing user images. Ude af stand til, at oprette mappe %1, til lagring af brugerbilleder. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4786,17 +5040,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. - + Confirm Delete Bekræft Slet - + Name: %1 UUID: %2 @@ -4997,17 +5251,22 @@ UUID: %2 Sæt eksekvering på pause under indlæsninger - + + Show recording dialog + + + + Script Directory Skriftmappe - + Path Sti - + ... ... @@ -5020,7 +5279,7 @@ UUID: %2 TAS-Konfiguration - + Select TAS Load Directory... Vælg TAS-Indlæsningsmappe... @@ -5158,64 +5417,43 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r ConfigureUI - - - + + None Ingen - - Small (32x32) - Lille (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Stor (128x128) - - - - Full Size (256x256) - Fuld Størrelse (256x256) - - - + Small (24x24) Lille (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Stor (72x72) - + Filename Filnavn - + Filetype Filtype - + Title ID Titel-ID - + Title Name Titelnavn @@ -5284,71 +5522,66 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r - Game Icon Size: - Spil-Ikonstørrelse: - - - Folder Icon Size: Mappe-Ikonstørrelse: - + Row 1 Text: Række 1-Tekst: - + Row 2 Text: Række 2-Tekst: - + Screenshots Skærmbilleder - + Ask Where To Save Screenshots (Windows Only) Spørg Hvor Skærmbilleder Skal Gemmes (Kun Windows) - + Screenshots Path: Skærmbilledsti: - + ... ... - + TextLabel - + Resolution: Opløsning: - + Select Screenshots Path... Vælg Skærmbilledsti... - + <System> <System> - + English Engelsk - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5482,20 +5715,20 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r Vis Aktuelt Spil i din Discord-Status - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5527,27 +5760,27 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5585,7 +5818,7 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r - + Calculating... @@ -5608,12 +5841,12 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r - + Dependency - + Version @@ -5787,44 +6020,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. - + Error while initializing OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 @@ -5832,203 +6065,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite - + Start Game - + Start Game without Custom Configuration - + Open Save Data Location Åbn Gemt Data-Placering - + Open Mod Data Location Åbn Mod-Data-Placering - + Open Transferable Pipeline Cache - + Link to Ryujinx - + Remove Fjern - + Remove Installed Update - + Remove All Installed DLC - + Remove Custom Configuration - + Remove Cache Storage - + Remove OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache - + Remove All Pipeline Caches - + Remove All Installed Contents - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS - + Dump RomFS to SDMC - + Verify Integrity - + Copy Title ID to Clipboard Kopiér Titel-ID til Udklipsholder - + Navigate to GameDB entry - + Create Shortcut - + Add to Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders - + Remove Game Directory - + ▲ Move Up - + ▼ Move Down - + Open Directory Location - + Clear Ryd - + Name Navn - + Compatibility Kompatibilitet - + Add-ons Tilføjelser - + File type Filtype - + Size Størrelse - + Play time @@ -6036,62 +6274,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Perfekt - + Game can be played without issues. - + Playable - + Game functions with minor graphical or audio glitches and is playable from start to finish. - + Intro/Menu Intro/Menu - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot Starter Ikke Op - + The game crashes when attempting to startup. - + Not Tested Ikke Afprøvet - + The game has not yet been tested. Spillet er endnu ikke blevet afprøvet. @@ -6099,7 +6337,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list @@ -6107,17 +6345,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Filter: - + Enter pattern to filter @@ -6193,12 +6431,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6207,19 +6445,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6242,154 +6472,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot Optag Skærmbillede - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen - + Exit Eden - + Fullscreen Fuldskærm - + Load File Indlæs Fil - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6441,22 +6697,22 @@ Debug Message: Estimeret Tid 5m 4s - + Loading... Indlæser... - + Loading Shaders %1 / %2 Indlæser Shadere %1 / %2 - + Launching... Starter... - + Estimated Time %1 Estimeret Tid %1 @@ -6505,42 +6761,42 @@ Debug Message: - + Password Required to Join - + Password: - + Players Spillere - + Room Name - + Preferred Game - + Host - + Refreshing - + Refresh List @@ -6589,1091 +6845,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p - + Reset Window Size to 720p - + Reset Window Size to &900p - + Reset Window Size to 900p - + Reset Window Size to &1080p - + Reset Window Size to 1080p - + &Multiplayer - + &Tools - + Am&iibo - + Launch &Applet - + &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Hjælp - + &Install Files to NAND... - + L&oad File... - + Load &Folder... - + E&xit - - + + &Pause - + &Stop - + &Verify Installed Contents - + &About Eden - + Single &Window Mode - + Con&figure... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar - + Show &Status Bar - + Show Status Bar Vis Statuslinje - + &Browse Public Game Lobby - + &Create Room - + &Leave Room - + &Direct Connect to Room - + &Show Current Room - + F&ullscreen - + &Restart - + Load/Remove &Amiibo... - + &Report Compatibility - + Open &Mods Page - + Open &Quickstart Guide - + &FAQ - + &Capture Screenshot - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - + Configure C&urrent Game... - - + + &Start - + &Reset - - + + R&ecord - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7681,69 +7999,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7770,27 +8098,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7845,22 +8173,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7868,13 +8196,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7885,7 +8213,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7893,11 +8221,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8064,86 +8405,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8178,6 +8519,80 @@ p, li { white-space: pre-wrap; } + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8212,39 +8627,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Installerede SD-Titler - - - - Installed NAND Titles - Installerede NAND-Titler - - - - System Titles - Systemtitler - - - - Add New Game Directory - Tilføj Ny Spilmappe - - - - Favorites - - - - - - + + + Migration - + Clear Shader Cache @@ -8277,18 +8667,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8679,6 +9069,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Installerede SD-Titler + + + + Installed NAND Titles + Installerede NAND-Titler + + + + System Titles + Systemtitler + + + + Add New Game Directory + Tilføj Ny Spilmappe + + + + Favorites + + QtAmiiboSettingsDialog @@ -8796,250 +9231,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9047,22 +9482,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9070,48 +9505,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9123,18 +9558,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9142,229 +9577,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9372,83 +9863,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9469,56 +9960,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9559,7 +10050,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro-Styringsenhed @@ -9572,7 +10063,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Dobbelt-Joycon @@ -9585,7 +10076,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Venstre Joycon @@ -9598,7 +10089,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Højre Joycon @@ -9627,7 +10118,7 @@ This is recommended if you want to share data between emulators. - + Handheld Håndholdt @@ -9748,32 +10239,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller GameCube-Styringsenhed - + Poke Ball Plus - + NES Controller - + SNES Controller - + N64 Controller - + Sega Genesis @@ -9918,13 +10409,13 @@ p, li { white-space: pre-wrap; } - - + + OK OK - + Cancel Afbryd @@ -9959,12 +10450,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10000,7 +10491,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/de.ts b/dist/languages/de.ts index 8c0803afee..179eef9c42 100644 --- a/dist/languages/de.ts +++ b/dist/languages/de.ts @@ -367,146 +367,150 @@ Dies würde deren Forum-Benutzernamen und deren IP-Adresse sperren.% - + Amiibo editor Amiibo Editor - + Controller configuration Controllerkonfiguration - + Data erase - + Error Fehler - + Net connect - + Player select - + Software keyboard Software-Tastatur - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Ausgabe-Engine: - + Output Device: Ausgabegerät: - + Input Device: Eingabegerät: - + Mute audio Audio stummschalten - + Volume: Lautstärke: - + Mute audio when in background Audio im Hintergrund stummschalten - + Multicore CPU Emulation Multicore-CPU-Emulation - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Diese Option erhöht die Anzahl der genutzten CPU Threads von 1 auf ein Maximum von 4. Dies ist vor allem eine Debug-Option und sollte nicht deaktiviert werden. - + Memory Layout Speicher-Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Erweitert den Arbeitsspeicher von 4GB zu 8/6GB. -Verbessert nicht die Leistung oder Stabilität lässt, aber HD Texturen mods funktionieren. + - + Limit Speed Percent Geschwindigkeit auf % festlegen - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -515,10 +519,30 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Turbo Geschwindigkeit + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + Falls der Turbo Knopf gedrückt wird, die Geschwindigkeit wird limitiert auf diese Prozentzahl. + + + + Slow Speed + Langsame Geschwindigkeit + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + Falls der Langsam Knopf gedrückt wird, die Geschwindigkeit wird limitiert auf diese Prozentzahl. + Synchronize Core Speed - + Synchronisiere Kern Geschwindigkeit @@ -527,229 +551,230 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Genauigkeit der Emulation: - + Change the accuracy of the emulated CPU (for debugging only). - + Ändere die Genauigkeit der emulierten CPU (ausschließlich für debugging). - - + + Backend: Backend: - + CPU Overclock - + CPU Übertaktung - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Zwingt die emulierte CPU, mit höherer Taktrate zu laufen, wodurch bestimmte FPS-Begrenzungen reduziert werden. Schwächere CPUs haben vielleicht reduzierte Leistung, und manche Spiele haben vielleicht Probleme. +Verwende Boost (1700MHz), um mit der höchsten nativen Taktrate der Switch zu laufen, oder Fast (2000MHz), um mit der doppelten Taktrate zu laufen. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + Host-MMU-Emulation aktivieren (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Diese Optimierung beschleunigt Speicherzugriffe durch das Gastprogramm. Wenn aktiviert, erfolgen Speicherlese- und -schreibvorgänge des Gastes direkt im Speicher und nutzen die MMU des Hosts. Das Deaktivieren erzwingt die Verwendung der Software-MMU-Emulation für alle Speicherzugriffe. - + Unfuse FMA (improve performance on CPUs without FMA) Unfuse FMA (erhöht Leistung auf CPUs ohne FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Diese Option verbessert die Geschwindigkeit, indem die Genauigkeit von "Fused-Multiply-Add"-Anweisungen auf CPUs ohne native FMA-Unterstützung reduziert wird. - + Faster FRSQRTE and FRECPE Schnelleres FRSQRTE und FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Diese Option verbessert die Geschwindigkeit einiger ungenauen Fließkomma-Funktionen, indem weniger genaue native Annäherungen benutzt werden. - + Faster ASIMD instructions (32 bits only) Schnellere ASIMD-Instruktionen (nur 32-Bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Diese Option verbessert die Geschwindigkeit von 32-Bit-ASIMD-Fließkomma-Funktionen, indem diese mit inkorrekten Rundungsmodi ausgeführt werden. - + Inaccurate NaN handling Ungenaue NaN-Verarbeitung - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Adressraumprüfungen deaktivieren - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Globalen Monitor ignorieren - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Gerät: - + This setting selects the GPU to use (Vulkan only). - + Diese Einstellung wählt aus welche Grafikkarte benutzt werden soll (Nur Vulkan). - + Resolution: Auflösung: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Bildschirmanpassungsfilter: - + FSR Sharpness: FSR-Schärfe - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Kantenglättungs-Methode: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Vollbild-Modus: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Seitenverhältnis: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Optimiere SPIRV-Ausgabe - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -757,24 +782,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC-Emulation: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: ASTC-Dekodier-Methode: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -783,45 +808,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: ASTC-Rekompression-Methode: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - - VRAM Usage Mode: + + Frame Pacing Mode (Vulkan only) - + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + + VRAM Usage Mode: + VRAM-Nutzungs Modus: + + + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + CPU-interne Invalidierung überspringen - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + Überspringt bestimmte Cache-Invalidierungen auf CPU-Seite während Speicherupdates, reduziert die CPU-Auslastung und verbessert die Leistung. Dies verursacht vielleicht Abstürze. - + VSync Mode: VSync-Modus: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -829,1317 +864,1406 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Speicheroperationen synchronisieren - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Aktiviere asynchrone Präsentation (Nur Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) Erzwinge Maximale Taktrate (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Lässt im Hintergrund die GPU Aufgaben erledigen während diese auf Grafikbefehle wartet, damit diese nicht herunter taktet. - + Anisotropic Filtering: Anisotrope Filterung: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + GPU-Modus: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + Steuert den GPU-Emulationsmodus. Die meisten Spiele werden im Modus Schnell oder Ausgeglichen gut gerendert, für einige ist jedoch weiterhin der Modus Akkurat erforderlich. Partikel werden in der Regel nur im Modus Akkurat korrekt gerendert. - + DMA Accuracy: - + DMA-Genauigkeit: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + Aktiviere asynchrones Shader-Kompilieren - + May reduce shader stutter. - + Reduziert vielleicht Shader stottern. - + Fast GPU Time - + Schnelle GPU-Zeit - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - - GPU Unswizzle Max Texture Size + + GPU Unswizzle + GPU-Unswizzle + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. - + + GPU Unswizzle Max Texture Size + GPU-Unswizzle max. Texturgröße + + + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + Legt die maximale Größe (MB) für GPU-basiertes Textur-Unswizzling fest. +Während die GPU für mittelgroße und große Texturen schneller ist, kann die CPU bei sehr kleinen Texturen effizienter sein. +Passen Sie diesen Wert an, um das Gleichgewicht zwischen GPU-Beschleunigung und CPU-Overhead zu finden. - + GPU Unswizzle Stream Size - + GPU-Unswizzle-Streamgröße - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + GPU-Unswizzle Chunk-Größe - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Vulkan-Pipeline-Cache verwenden - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) Aktiviere Compute-Pipelines (Nur Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Wird von einigen Spielen benötigt. +Diese Einstellung ist nur für proprietäre Intel-Treiber und kann bei Aktivierung zu Abstürzen führen. +Bei allen anderen Treibern sind Compute-Pipelines immer aktiviert - + Enable Reactive Flushing Aktiviere Reactives Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Benutzt Reactive-Flushing anstatt Predictive-Flushing, welches akkurateres Speicher-Synchronisieren erlaubt. - + Sync to framerate of video playback Synchronisiere mit Bildrate von Video-Wiedergaben - + Run the game at normal speed during video playback, even when the framerate is unlocked. Lasse das Spiel in der normalen Geschwindigkeit abspielen, trotz freigeschalteter Bildrate (FPS) - + Barrier feedback loops Barrier-Feedback-Loops - + Improves rendering of transparency effects in specific games. Verbessert das Rendering von Transparenzeffekten in bestimmten Spielen. - + + Enable buffer history + Aktiviere Puffer Verlauf + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Behebt Boomeffekte - + Removes bloom in Burnout. + Entfernt Bloom in Burnout. + + + + Enable Legacy Rescale Pass - + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG-Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Gerätename - + The name of the console. - + Der Name der Konsole. - + Custom RTC Date: - + Benutzerdefinierte Echtzeituhrdatum: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + Diese Option erlaubt die Änderung der Uhr der Konsole. +Kann benutzt werden um Zeit in Spielen zu manipulieren. - + The number of seconds from the current unix time - + Language: Sprache: - + This option can be overridden when region setting is auto-select - + Diese Einstellung kann überschrieben werden, falls deine Region auf Automatisch eingestellt ist. - + Region: Region: - + The region of the console. - + Die Region der Konsole. - + Time Zone: Zeitzone: - + The time zone of the console. - + Die Zeitzone der Konsole. - + Sound Output Mode: Tonausgangsmodus: - + Console Mode: Konsolenmodus: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Beim Start nach Nutzer fragen - + Useful if multiple people use the same PC. - + Nützlich falls mehrere Personen den gleichen Computer benutzen. - + Pause when not in focus - + Pausiere falls nicht im Fokus - + Pauses emulation when focusing on other windows. - + Pausiere Emulation falls andere Fenster im Fokus/Vordergrund sind. - + Confirm before stopping emulation Vor dem Stoppen der Emulation bestätigen - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Mauszeiger verstecken - + Hides the mouse after 2.5s of inactivity. - + Den Mauszeiger nach 2,5 Sekunden Inaktivität verstecken. - + Disable controller applet Deaktiviere Controller-Applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Auf Updates überprüfen - + Whether or not to check for updates upon startup. - + Ob nach Updates während des Startens gesucht werden soll. - + Enable Gamemode GameMode aktivieren - + Force X11 as Graphics Backend - + Custom frontend - + Benutzerdefinierte Frontend - + Real applet - + Echtes Applet - + Never - + Niemals - + On Load - + Beim Laden - + Always - + Immer - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU Asynchron - + Uncompressed (Best quality) Unkomprimiert (Beste Qualität) - + BC1 (Low quality) BC1 (Niedrige Qualität) - + BC3 (Medium quality) BC3 (Mittlere Qualität) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Akkurat - - - - - Default - Standard - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Auto - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + Konservativ + + + + Aggressive + Aggressiv + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + Schnell + + + + Balanced + Ausgeglichen + + + + + Accurate + Akkurat + + + + + Default + Standard + + + + Unsafe (fast) + Unsicher (schnell) + + + + Safe (stable) + Sicher (stabil) + + + Unsafe Unsicher - + Paranoid (disables most optimizations) Paranoid (deaktiviert die meisten Optimierungen) - + Debugging - + Debugging - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Rahmenloses Fenster - + Exclusive Fullscreen Exklusiver Vollbildmodus - + No Video Output Keine Videoausgabe - + CPU Video Decoding CPU Video Dekodierung - + GPU Video Decoding (Default) GPU Video Dekodierung (Standard) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.25X (180p/270p) [EXPERIMENTELL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0,5X (360p/540p) [EXPERIMENTELL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0,75X (540p/810p) [EXPERIMENTELL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.25X (900p/1350p) [EXPERIMENTELL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1,5X (1080p/1620p) [EXPERIMENTELL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest-Neighbor - + Bilinear Bilinear - + Bicubic Bikubisch - + Gaussian Gaussian - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Keiner - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Standard (16:9) - + Force 4:3 Erzwinge 4:3 - + Force 21:9 Erzwinge 21:9 - + Force 16:10 Erzwinge 16:10 - + Stretch to Window Auf Fenster anpassen - + Automatic Automatisch - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japanisch (日本語) - + American English Amerikanisches Englisch - + French (français) Französisch (français) - + German (Deutsch) Deutsch (German) - + Italian (italiano) Italienisch (italiano) - + Spanish (español) Spanisch (español) - + Chinese Chinesisch - + Korean (한국어) Koreanisch (한국어) - + Dutch (Nederlands) Niederländisch (Nederlands) - + Portuguese (português) Portugiesisch (português) - + Russian (Русский) Russisch (Русский) - + Taiwanese Taiwanesisch - + British English Britisches Englisch - + Canadian French Kanadisches Französisch - + Latin American Spanish Lateinamerikanisches Spanisch - + Simplified Chinese Vereinfachtes Chinesisch - + Traditional Chinese (正體中文) Traditionelles Chinesisch (正體中文) - + Brazilian Portuguese (português do Brasil) Brasilianisches Portugiesisch (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japan - + USA USA - + Europe Europa - + Australia Australien - + China China - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Automatisch (%1) - + Default (%1) Default time zone Standard (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Kuba - + EET EET - + Egypt Ägypten - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Island - + Iran Iran - + Israel Israel - + Jamaica Jamaika - + Kwajalein Kwajalein - + Libya Libyen - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polen - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Türkei - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Standard) - + 6GB DRAM (Unsafe) 6GB DRAM (Unsicher) - + 8GB DRAM - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 10GB DRAM (Unsicher) - + 12GB DRAM (Unsafe) - + 12GB DRAM (Unsicher) - + Docked Im Dock - + Handheld Handheld - - + + Off - + Aus - + Boost (1700MHz) - + Boost (1700MHz) - + Fast (2000MHz) - + Schnell (2000MHz) - + Always ask (Default) Immer fragen (Standard) - + Only if game specifies not to stop Nur wenn ein Spiel vorgibt, nicht zu stoppen - + Never ask Niemals fragen - - + + Medium (256) - + Mittel (256) - - + + High (512) - + Hoch (512) - + Very Small (16 MB) - + Sehr klein (16 MB) - + Small (32 MB) - + Klein (32 MB) - + Normal (128 MB) - + Normal (128 MB) - + Large (256 MB) - + Groß (256 MB) - + Very Large (512 MB) - + Sehr groß (512 MB) - + Very Low (4 MB) - + Sehr niedrig (4 MB) - + Low (8 MB) - + Niedrig (8 MB) - + Normal (16 MB) - + Normal (16 MB) - + Medium (32 MB) - + Mittel (32 MB) - + High (64 MB) - + Hoch (64 MB) - + Very Low (32) - + Sehr niedrig (32) - + Low (64) - + Niedrig (64) - + Normal (128) - + Normal (128) - + Disabled - + Deaktiviert - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + Baum Ansicht + + + + Grid View + Raster Ansicht + ConfigureApplets @@ -2151,7 +2275,7 @@ When a program attempts to open the controller applet, it is immediately closed. Applets - + Applets @@ -2211,7 +2335,7 @@ When a program attempts to open the controller applet, it is immediately closed. Standardwerte wiederherstellen - + Auto Auto @@ -2660,81 +2784,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts aktiviere Debug-Meldungen - + Debugging Debugging - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Aktivieren Sie diese Option, um den zuletzt generierten Audio-Log auf der Konsole auszugeben. Betrifft nur Spiele, die den Audio-Renderer verwenden. - + Dump Audio Commands To Console** Audio-Befehle auf die Konsole als Dump abspeichern** - + Flush log output on each line - + Enable FS Access Log FS-Zugriffslog aktivieren - + Enable Verbose Reporting Services** Ausführliche Berichtsdienste aktivieren** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2781,7 +2910,7 @@ When a program attempts to open the controller applet, it is immediately closed. Eden Configuration - + Eden Konfiguration @@ -2791,17 +2920,17 @@ When a program attempts to open the controller applet, it is immediately closed. Applets - + Applets - + Audio Audio - + CPU CPU @@ -2817,13 +2946,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Allgemein - + Graphics Grafik @@ -2835,7 +2964,7 @@ When a program attempts to open the controller applet, it is immediately closed. GraphicsExtra - + GrafikExtras @@ -2844,7 +2973,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Steuerung @@ -2860,7 +2989,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System System @@ -2915,7 +3044,7 @@ When a program attempts to open the controller applet, it is immediately closed. Save Data - + Speicherdaten @@ -2978,58 +3107,58 @@ When a program attempts to open the controller applet, it is immediately closed. Metadaten-Cache zurücksetzen - + Select Emulated NAND Directory... Emulierten NAND-Ordner auswählen... - + Select Emulated SD Directory... Emulierten SD-Ordner auswählen... - - + + Select Save Data Directory... - + Speicherdatenverzeichnis auswählen... - + Select Gamecard Path... Gamecard-Pfad auswählen... - + Select Dump Directory... Dump-Verzeichnis auswählen... - + Select Mod Load Directory... Mod-Ladeverzeichnis auswählen... - + Save Data Directory - + Speicherdatenverzeichnis - + Choose an action for the save data directory: - + Set Custom Path - + Lege einen Benutzerdefinierter Pfad fest - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3040,7 +3169,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3048,28 +3177,28 @@ To: %2 - + Migrate Save Data - + Speicherdaten migrieren - + Migrating save data... - + Speicherdaten werden migriert... - + Cancel - + Abbrechen + + + + + Migration Failed + Migration ist fehlgeschlagen - - Migration Failed - - - - Failed to create destination directory. @@ -3077,15 +3206,16 @@ To: %2 Failed to migrate save data: %1 - + Die Migration der Speicherdaten ist fehlgeschlagen: +%1 + + + + Migration Complete + Migration ist abgeschlossen - Migration Complete - - - - Save data has been migrated successfully. Would you like to delete the old save data? @@ -3106,20 +3236,55 @@ Would you like to delete the old save data? Allgemein - + + External Content + Externer Inhalt + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + Füge Verzeichnis hinzu + + + + Remove Selected + Ausgewähltes entfernen + + + Reset All Settings Setze alle Einstellungen zurück - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Hierdurch werden alle Einstellungen zurückgesetzt und alle spielspezifischen Konfigurationen gelöscht. Spiel-Ordner, Profile oder Eingabeprofile werden nicht gelöscht. Fortfahren? + + + Select External Content Directory... + + + + + Directory Already Added + Verzeichnis wurde bereits hinzugefügt + + + + This directory is already in the list. + + ConfigureGraphics @@ -3149,33 +3314,33 @@ Would you like to delete the old save data? Hintergrundfarbe: - + % FSR sharpening percentage (e.g. 50%) % - + Off Aus - + VSync Off Vsync Aus - + Recommended Empfohlen - + On An - + VSync On Vsync An @@ -3203,17 +3368,17 @@ Would you like to delete the old save data? Form - + Form Extras - + Extras Hacks - + Hacks @@ -3223,16 +3388,16 @@ Would you like to delete the old save data? Vulkan Extensions - + Vulkan Erweiterungen - + % Sample Shading percentage (e.g. 50%) - + % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3654,7 +3819,7 @@ Would you like to delete the old save data? Requires restarting Eden - + Erfordert einen Neustart Edens @@ -3804,7 +3969,7 @@ Would you like to delete the old save data? - + Left Stick Linker Analogstick @@ -3914,14 +4079,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3934,22 +4099,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -4006,7 +4171,7 @@ Would you like to delete the old save data? - + Right Stick Rechter Analogstick @@ -4175,88 +4340,88 @@ Um die Achsen umzukehren, bewege den Joystick zuerst vertikal und dann horizonta Sega Genesis - + Start / Pause Start / Pause - + Z Z - + Control Stick Analog Stick - + C-Stick C-Stick - + Shake! Schütteln! - + [waiting] [wartet] - + New Profile Neues Profil - + Enter a profile name: Profilnamen eingeben: - - + + Create Input Profile Eingabeprofil erstellen - + The given profile name is not valid! Angegebener Profilname ist nicht gültig! - + Failed to create the input profile "%1" Erstellen des Eingabeprofils "%1" ist fehlgeschlagen - + Delete Input Profile Eingabeprofil löschen - + Failed to delete the input profile "%1" Löschen des Eingabeprofils "%1" ist fehlgeschlagen - + Load Input Profile Eingabeprofil laden - + Failed to load the input profile "%1" Laden des Eingabeprofils "%1" ist fehlgeschlagen - + Save Input Profile Eingabeprofil speichern - + Failed to save the input profile "%1" Speichern des Eingabeprofils "%1" ist fehlgeschlagen @@ -4549,12 +4714,7 @@ Aktuell liegen die Werte bei %1% bzw. %2%. Enable Airplane Mode - - - - - None - Keiner + Aktiviere Flugmodus @@ -4610,52 +4770,57 @@ Aktuell liegen die Werte bei %1% bzw. %2%. Einige Einstellungen sind nur verfügbar, wenn kein Spiel aktiv ist. - + Add-Ons Add-Ons - + System System - + CPU CPU - + Graphics Grafik - + Adv. Graphics Erw. Grafik - + Ext. Graphics - + Audio Audio - + Input Profiles Eingabe-Profile - + Network - + Netzwerk + Applets + + + + Properties Einstellungen @@ -4673,15 +4838,112 @@ Aktuell liegen die Werte bei %1% bzw. %2%. Add-Ons - + + Import Mod from ZIP + Importiere eine Mod aus einer ZIP + + + + Import Mod from Folder + Importiere eine Mod aus einem Ordner + + + Patch Name Patchname - + Version Version + + + Mod Install Succeeded + Mod-Installation erfolgreich + + + + Successfully installed all mods. + Alle Mods wurden erfolgreich installiert. + + + + Mod Install Failed + Mod-Installation fehlgeschlagen + + + + Failed to install the following mods: + %1 +Check the log for details. + Folgende Mods konnten nicht installiert werden: + %1 +Kontrolliere die Logs für Details. + + + + Mod Folder + Mod Ordner + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4729,80 +4991,80 @@ Aktuell liegen die Werte bei %1% bzw. %2%. %2 - + Users Nutzer - + Error deleting image Fehler beim Löschen des Bildes - + Error occurred attempting to overwrite previous image at: %1. Fehler beim Überschreiben des vorherigen Bildes bei: %1 - + Error deleting file Fehler beim Löschen der Datei - + Unable to delete existing file: %1. Konnte die bestehende Datei "%1" nicht löschen. - + Error creating user image directory Fehler beim Erstellen des Ordners für die Profilbilder - + Unable to create directory %1 for storing user images. Konnte Ordner "%1" nicht erstellen, um Profilbilder zu speichern. - + Error saving user image - + Fehler beim Speichern des Profilbildes - + Unable to save image to file - + Speichern des Bildes als Datei fehlgeschlagen - + &Edit - + &Bearbeiten - + &Delete - + &Löschen - + Edit User - + Benutzer bearbeiten ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Diesen Benutzer löschen? Alle Speicherdaten des Benutzers werden gelöscht. - + Confirm Delete Löschen bestätigen - + Name: %1 UUID: %2 Name: %1 @@ -5004,17 +5266,22 @@ UUID: %2 Pausiere Ausführung während des Ladens - + + Show recording dialog + + + + Script Directory Skript-Verzeichnis - + Path Pfad - + ... ... @@ -5027,7 +5294,7 @@ UUID: %2 TAS-Konfiguration - + Select TAS Load Directory... TAS-Lade-Verzeichnis auswählen... @@ -5165,64 +5432,43 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf ConfigureUI - - - + + None Keiner - - Small (32x32) - Klein (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Groß (128x128) - - - - Full Size (256x256) - Volle Größe (256x256) - - - + Small (24x24) Klein (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Groß (72x72) - + Filename Dateiname - + Filetype Dateityp - + Title ID Titel ID - + Title Name Spielname @@ -5291,71 +5537,66 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf - Game Icon Size: - Spiel-Icon Größe: - - - Folder Icon Size: Ordner-Icon Größe: - + Row 1 Text: Zeile 1 Text: - + Row 2 Text: Zeile 2 Text: - + Screenshots Screenshots - + Ask Where To Save Screenshots (Windows Only) Frage nach, wo Screenshots gespeichert werden sollen (Nur Windows) - + Screenshots Path: Screenshotpfad - + ... ... - + TextLabel TextLabel - + Resolution: Auflösung: - + Select Screenshots Path... Screenshotpfad auswählen... - + <System> <System> - + English Englisch - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5471,7 +5712,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Generate - + Generieren @@ -5489,23 +5730,23 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Zeig dein momentanes Spiel in deinem Discord-Status - - + + All Good Tooltip - + Alles gut - + Must be between 4-20 characters Tooltip - + Muss 4-20 Zeichen lang sein - + Must be 48 characters, and lowercase a-z Tooltip - + Muss 48 Zeichen lang sein und nur Kleinbuchstaben a-z enthalten @@ -5526,37 +5767,37 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Data Manager - + Datenmanager Deleting ANY data is IRREVERSABLE! - + Das Löschen JEGLICHER Daten ist UNUMKEHRBAR! - + Shaders - + UserNAND - + SysNAND - + Mods - + Mods - + Saves - + Speicherstände @@ -5564,7 +5805,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Form - + Form @@ -5574,7 +5815,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Open with your system file manager - + Mit deinem System eigenen Dateimanager öffnen @@ -5592,9 +5833,9 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf - + Calculating... - + Berechnen... @@ -5602,27 +5843,27 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Eden Dependencies - + Edens Abhängigkeiten <html><head/><body><p><span style=" font-size:28pt;">Eden Dependencies</span></p></body></html> - + <html><head/><body><p><span style=" font-size:28pt;">Eden Abhängigkeiten</span></p></body></html> <html><head/><body><p>The projects that make Eden possible</p></body></html> - + <html><head/><body><p>Die Projekte die Eden möglich machen</p></body></html> - + Dependency - + Abhängigkeit - + Version - + Version @@ -5686,17 +5927,17 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Username is not valid. Must be 4 to 20 alphanumeric characters. - + Benutzername ist ungültig. Muss aus 4 bis 20 alphanumerischen Zeichen bestehen. Room name is not valid. Must be 4 to 20 alphanumeric characters. - + Raumname ist ungültig. Muss aus 4 bis 20 alphanumerischen Zeichen bestehen. Username is already in use or not valid. Please choose another. - + Benutzername wird bereits genutzt oder ist ungültig. Bitte wähle einen anderen. @@ -5706,7 +5947,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Port must be a number between 0 to 65535. - + Port muss eine Zahl zwischen 0 und 65535 sein. @@ -5716,7 +5957,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Unable to find an internet connection. Check your internet settings. - + Es konnte keine Internetverbindung hergestellt werden. Überprüfe deine Netzwerkeinstellungen. @@ -5726,12 +5967,12 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Unable to connect to the room because it is already full. - + Verbindung zum Raum fehlgeschlagen, da dieser bereits voll ist. Creating a room failed. Please retry. Restarting Eden might be necessary. - + Erstellen eines Raumes ist fehlgeschlagen. Bitte versuche es erneut. Eden neuzustarten ist vielleicht nötig. @@ -5746,12 +5987,12 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf Incorrect password. - + Falsches Passwort. An unknown error occurred. If this error continues to occur, please open an issue - + Ein unbekannter Fehler ist aufgetreten. Sollte der Fehler weiterhin auftreten, erstelle bitte eine Fehlermeldung. @@ -5766,12 +6007,12 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf IP address is already in use. Please choose another. - + IP-Addresse wird bereits genutzt. Bitte wählen Sie eine andere. You do not have enough permission to perform this action. - + Du besitzt nicht genug Rechte, um diese Aktion auszuführen. @@ -5788,50 +6029,50 @@ Please go to Configure -> System -> Network and make a selection. Error - + Fehler GRenderWindow - - + + OpenGL not available! OpenGL nicht verfügbar! - + OpenGL shared contexts are not supported. Gemeinsame OpenGL-Kontexte werden nicht unterstützt. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Fehler beim Initialisieren von OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Deine Grafikkarte unterstützt kein OpenGL oder du hast nicht den neusten Treiber installiert. - + Error while initializing OpenGL 4.6! Fehler beim Initialisieren von OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Deine Grafikkarte unterstützt OpenGL 4.6 nicht, oder du benutzt nicht die neuste Treiberversion.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Deine Grafikkarte unterstützt anscheinend nicht eine oder mehrere von yuzu benötigten OpenGL-Erweiterungen. Bitte stelle sicher, dass du den neusten Grafiktreiber installiert hast.<br><br>GL Renderer:<br>%1<br><br>Nicht unterstützte Erweiterungen:<br>%2 @@ -5839,203 +6080,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + &Neues Spieleverzeichnis hinzufügen + + + Favorite Favorit - + Start Game Spiel starten - + Start Game without Custom Configuration Spiel ohne benutzerdefinierte Spiel-Einstellungen starten - + Open Save Data Location Spielstand-Verzeichnis öffnen - + Open Mod Data Location Mod-Verzeichnis öffnen - + Open Transferable Pipeline Cache Transferierbaren Pipeline-Cache öffnen - + Link to Ryujinx - + Remove Entfernen - + Remove Installed Update Installiertes Update entfernen - + Remove All Installed DLC Alle installierten DLCs entfernen - + Remove Custom Configuration Spiel-Einstellungen entfernen - + Remove Cache Storage Cache-Speicher entfernen - + Remove OpenGL Pipeline Cache OpenGL-Pipeline-Cache entfernen - + Remove Vulkan Pipeline Cache Vulkan-Pipeline-Cache entfernen - + Remove All Pipeline Caches Alle Pipeline-Caches entfernen - + Remove All Installed Contents Alle installierten Inhalte entfernen - + Manage Play Time - + Spielzeit verwalten - + Edit Play Time Data - + Spielzeit-Daten bearbeiten - + Remove Play Time Data Spielzeit-Daten entfernen - - + + Dump RomFS RomFS speichern - + Dump RomFS to SDMC RomFS nach SDMC dumpen - + Verify Integrity Integrität überprüfen - + Copy Title ID to Clipboard Title-ID in die Zwischenablage kopieren - + Navigate to GameDB entry GameDB-Eintrag öffnen - + Create Shortcut Verknüpfung erstellen - + Add to Desktop Zum Desktop hinzufügen - + Add to Applications Menu Zum Menü "Anwendungen" hinzufügen - + Configure Game - + Spiel konfigurieren - + Scan Subfolders Unterordner scannen - + Remove Game Directory Spieleverzeichnis entfernen - + ▲ Move Up ▲ Nach Oben - + ▼ Move Down ▼ Nach Unten - + Open Directory Location Verzeichnis öffnen - + Clear Löschen - + Name Name - + Compatibility Kompatibilität - + Add-ons Add-ons - + File type Dateityp - + Size Größe - + Play time Spielzeit @@ -6043,62 +6289,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Im Spiel - + Game starts, but crashes or major glitches prevent it from being completed. Spiel startet, stürzt jedoch ab oder hat signifikante Glitches, die es verbieten es durchzuspielen. - + Perfect Perfekt - + Game can be played without issues. Das Spiel kann ohne Probleme gespielt werden. - + Playable Spielbar - + Game functions with minor graphical or audio glitches and is playable from start to finish. Das Spiel funktioniert mit minimalen grafischen oder Tonstörungen und ist komplett spielbar. - + Intro/Menu Intro/Menü - + Game loads, but is unable to progress past the Start Screen. Das Spiel lädt, ist jedoch nicht im Stande den Startbildschirm zu passieren. - + Won't Boot Startet nicht - + The game crashes when attempting to startup. Das Spiel stürzt beim Versuch zu starten ab. - + Not Tested Nicht getestet - + The game has not yet been tested. Spiel wurde noch nicht getestet. @@ -6106,7 +6352,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Doppelklicke, um einen neuen Ordner zur Spieleliste hinzuzufügen. @@ -6114,17 +6360,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 von %n Ergebnis%1 von %n Ergebnisse(n) - + Filter: Filter: - + Enter pattern to filter Wörter zum Filtern eingeben @@ -6200,12 +6446,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Fehler - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6214,19 +6460,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Audio aktivieren / deaktivieren - - - - - - - - @@ -6249,154 +6487,180 @@ Debug Message: + + + + + + + + + + + Main Window Hauptfenster - + Audio Volume Down Lautstärke verringern - + Audio Volume Up Lautstärke erhöhen - + Capture Screenshot Screenshot aufnehmen - + Change Adapting Filter Adaptiven Filter ändern - + Change Docked Mode Dockmodus ändern - + Change GPU Mode - + GPU-Modus ändern - + Configure - + Konfigurieren - + Configure Current Game - + Konfiguriere aktuelles Spiel - + Continue/Pause Emulation Emulation fortsetzen/pausieren - + Exit Fullscreen Vollbild verlassen - + Exit Eden - + Verlasse Eden - + Fullscreen Vollbild - + Load File Datei laden - + Load/Remove Amiibo Amiibo laden/entfernen - - Multiplayer Browse Public Game Lobby - + + Browse Public Game Lobby + Öffentliche Spiele-Lobbys durchsuchen - - Multiplayer Create Room - + + Create Room + Raum erstellen - - Multiplayer Direct Connect to Room - + + Direct Connect to Room + Direkte Verbindung zum Raum - - Multiplayer Leave Room - + + Leave Room + Raum verlassen - - Multiplayer Show Current Room - + + Show Current Room + Aktuellen Raum anzeigen - + Restart Emulation Emulation neustarten - + Stop Emulation Emulation stoppen - + TAS Record TAS aufnehmen - + TAS Reset TAS neustarten - + TAS Start/Stop TAS starten/stoppen - + Toggle Filter Bar Filterleiste umschalten - + Toggle Framerate Limit Aktiviere Bildraten Limitierung - + + Toggle Turbo Speed + Turbo Geschwindigkeit umschalten + + + + Toggle Slow Speed + Langsame Geschwindigkeit umschalten + + + Toggle Mouse Panning Mausschwenk umschalten - + Toggle Renderdoc Capture Renderdoc-Aufnahme umschalten - + Toggle Status Bar Statusleiste umschalten + + + Toggle Performance Overlay + Leistungs Overlay umschalten + InstallDialog @@ -6448,22 +6712,22 @@ Debug Message: Geschätzte Zeit: 5m 4s - + Loading... Lädt... - + Loading Shaders %1 / %2 Shader %1 / %2 wird geladen... - + Launching... Starten... - + Estimated Time %1 Geschätzte Zeit: %1 @@ -6512,42 +6776,42 @@ Debug Message: Lobby aktualisieren - + Password Required to Join Passwort zum Joinen benötigt - + Password: Passwort: - + Players Spieler - + Room Name Raumname - + Preferred Game Bevorzugtes Spiel - + Host Host - + Refreshing Aktualisiere - + Refresh List Liste aktualisieren @@ -6572,7 +6836,7 @@ Debug Message: Open &Eden Folders - + Öffnen &Eden-Ordner @@ -6596,1091 +6860,1153 @@ Debug Message: + &Game List Mode + &Spieleliste Modus + + + + Game &Icon Size + + + + Reset Window Size to &720p Fenstergröße auf &720p zurücksetzen - + Reset Window Size to 720p Fenstergröße auf 720p zurücksetzen - + Reset Window Size to &900p Fenstergröße auf &900p zurücksetzen - + Reset Window Size to 900p Fenstergröße auf 900p zurücksetzen - + Reset Window Size to &1080p Fenstergröße auf &1080p zurücksetzen - + Reset Window Size to 1080p Fenstergröße auf 1080p zurücksetzen - + &Multiplayer &Mehrspieler - + &Tools &Werkzeuge - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Hilfe - + &Install Files to NAND... &Dateien im NAND installieren... - + L&oad File... Datei &laden... - + Load &Folder... &Verzeichnis laden... - + E&xit S&chließen - - + + &Pause &Pause - + &Stop &Stop - + &Verify Installed Contents Installierte Inhalte &überprüfen - + &About Eden - + &Über Eden - + Single &Window Mode &Einzelfenster-Modus - + Con&figure... Kon&figurieren - + Ctrl+, - + Strg+ - + Enable Overlay Display Applet - + Show &Filter Bar &Filterleiste anzeigen - + Show &Status Bar &Statusleiste anzeigen - + Show Status Bar Statusleiste anzeigen - + &Browse Public Game Lobby &Öffentliche Spiele-Lobbys durchsuchen - + &Create Room &Raum erstellen - + &Leave Room &Raum verlassen - + &Direct Connect to Room &Direkte Verbindung zum Raum - + &Show Current Room &Aktuellen Raum anzeigen - + F&ullscreen Vollbild (&u) - + &Restart Neusta&rt - + Load/Remove &Amiibo... &Amiibo laden/entfernen... - + &Report Compatibility &Kompatibilität melden - + Open &Mods Page &Mods-Seite öffnen - + Open &Quickstart Guide &Schnellstart-Anleitung öffnen - + &FAQ &FAQ - + &Capture Screenshot &Bildschirmfoto aufnehmen - + &Album - + &Set Nickname and Owner Spitzname und Besitzer &festlegen - + &Delete Game Data Spiel-Daten &löschen - + &Restore Amiibo Amiibo &wiederherstellen - + &Format Amiibo Amiibo &formatieren - + &Mii Editor - + &Configure TAS... &TAS &konfigurieren... - + Configure C&urrent Game... &Spiel-Einstellungen ändern... - - + + &Start &Start - + &Reset &Zurücksetzen - - + + R&ecord Aufnahme - + Open &Controller Menu Öffne &Controller-Menü - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - - Broken Vulkan Installation Detected + + &Tree View - + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + Klein (32x32) + + + + Standard (64x64) + Standard (64x64) + + + + Large (128x128) + Groß (128x128) + + + + Full Size (256x256) + Volle Größe (256x256) + + + + Broken Vulkan Installation Detected + Defekte Vulkan-Installation erkannt + + + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Spiel wird ausgeführt - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Ton aktivieren - + Mute - + Stummschalten - + Reset Volume - + Lautstärke zurücksetzen - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7688,69 +8014,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7777,27 +8113,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7852,22 +8188,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7875,13 +8211,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7892,7 +8228,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7900,11 +8236,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8072,86 +8421,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8190,6 +8539,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8224,39 +8647,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Installierte SD-Titel - - - - Installed NAND Titles - Installierte NAND-Titel - - - - System Titles - Systemtitel - - - - Add New Game Directory - Neues Spieleverzeichnis hinzufügen - - - - Favorites - Favoriten - - - - - + + + Migration - + Clear Shader Cache @@ -8289,18 +8687,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8691,6 +9089,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 spielt %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Installierte SD-Titel + + + + Installed NAND Titles + Installierte NAND-Titel + + + + System Titles + Systemtitel + + + + Add New Game Directory + Neues Spieleverzeichnis hinzufügen + + + + Favorites + Favoriten + QtAmiiboSettingsDialog @@ -8808,250 +9251,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9059,22 +9502,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9082,48 +9525,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9135,18 +9578,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9154,229 +9597,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + Wie soll diese Mod heißen? + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + Mod Typ + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9384,83 +9883,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9481,56 +9980,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9571,7 +10070,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro-Controller @@ -9584,7 +10083,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Zwei Joycons @@ -9597,7 +10096,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Linker Joycon @@ -9610,7 +10109,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Rechter Joycon @@ -9639,7 +10138,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9760,32 +10259,32 @@ This is recommended if you want to share data between emulators. Nicht genügend Controller - + GameCube Controller GameCube-Controller - + Poke Ball Plus Poke-Ball Plus - + NES Controller NES-Controller - + SNES Controller SNES-Controller - + N64 Controller N64-Controller - + Sega Genesis Sega Genesis @@ -9940,13 +10439,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Abbrechen @@ -9978,15 +10477,15 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Cancel - + Abbrechen - + Failed to link save data - + OS returned error: %1 @@ -10009,20 +10508,20 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Hours: - + Stunden: Minutes: - + Minuten: Seconds: - + Sekunden: - + Total play time reached maximum. diff --git a/dist/languages/el.ts b/dist/languages/el.ts index ea88862d8d..2d27894e98 100644 --- a/dist/languages/el.ts +++ b/dist/languages/el.ts @@ -368,149 +368,174 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Controller configuration - + Data erase - + Error Σφάλμα - + Net connect - + Player select - + Software keyboard - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Μηχανή εξόδου: - + Output Device: - + Input Device: - + Mute audio - + Volume: Ένταση: - + Mute audio when in background Σίγαση ήχου όταν βρίσκεται στο παρασκήνιο - + Multicore CPU Emulation Εξομοίωση Πολυπύρηνων CPU - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Όριο Ποσοστού Ταχύτητας - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Ακρίβεια: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Αχρησιμοποίητο FMA (βελτιώνει την απόδοση σε επεξεργαστές χωρίς FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE Ταχύτερη FRSQRTE και FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Ταχύτερες οδηγίες ASIMD (μόνο 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Ανακριβής χειρισμός NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Απενεργοποίηση ελέγχου χώρου διευθύνσεων - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Αγνοήση καθολικής επίβλεψης - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Συσκευή: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Ανάλυση: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Φίλτρο Προσαρμογής Παραθύρου: - + FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Μέθοδος Anti-Aliasing: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Λειτουργία Πλήρους Οθόνης: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Αναλογία Απεικόνισης: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: Εξομοίωση NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1317 +860,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. - + Anisotropic Filtering: Ανισοτροπικό Φιλτράρισμα: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: Περιφέρεια: - + The region of the console. - + Time Zone: Ζώνη Ώρας: - + The time zone of the console. - + Sound Output Mode: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Απόκρυψη δρομέα ποντικιού στην αδράνεια - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) - + BC3 (Medium quality) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - Ακριβής - - - - - Default - Προεπιλεγμένο - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Αυτόματη - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + Ακριβής + + + + + Default + Προεπιλεγμένο + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Επισφαλής - + Paranoid (disables most optimizations) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Παραθυροποιημένο Χωρίς Όρια - + Exclusive Fullscreen Αποκλειστική Πλήρης Οθόνη - + No Video Output Χωρίς Έξοδο Βίντεο - + CPU Video Decoding Αποκωδικοποίηση Βίντεο CPU - + GPU Video Decoding (Default) Αποκωδικοποίηση Βίντεο GPU (Προεπιλογή) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [ΠΕΙΡΑΜΑΤΙΚΟ] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) - + 8X (5760p/8640p) - + Nearest Neighbor Πλησιέστερος Γείτονας - + Bilinear Διγραμμικό - + Bicubic Δικυβικό - + Gaussian Gaussian - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Κανένα - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Προεπιλογή (16:9) - + Force 4:3 Επιβολή 4:3 - + Force 21:9 Επιβολή 21:9 - + Force 16:10 Επιβολή 16:10 - + Stretch to Window Επέκταση στο Παράθυρο - + Automatic Αυτόματα - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Ιαπωνικά (日本語) - + American English - + French (français) Γαλλικά (Français) - + German (Deutsch) Γερμανικά (Deutsch) - + Italian (italiano) Ιταλικά (Italiano) - + Spanish (español) Ισπανικά (Español) - + Chinese Κινέζικα - + Korean (한국어) Κορεάτικα (한국어) - + Dutch (Nederlands) Ολλανδικά (Nederlands) - + Portuguese (português) Πορτογαλικά (Português) - + Russian (Русский) Ρώσικα (Русский) - + Taiwanese Ταϊβανέζικα - + British English Βρετανικά Αγγλικά - + Canadian French Καναδικά Γαλλικά - + Latin American Spanish Λατινοαμερικάνικα Ισπανικά - + Simplified Chinese Απλοποιημένα Κινέζικα - + Traditional Chinese (正體中文) Παραδοσιακά Κινέζικα (正體中文) - + Brazilian Portuguese (português do Brasil) Πορτογαλικά Βραζιλίας (Português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Ιαπωνία - + USA ΗΠΑ - + Europe Ευρώπη - + Australia Αυστραλία - + China Κίνα - + Korea Κορέα - + Taiwan Ταϊβάν - + Auto (%1) Auto select time zone - + Default (%1) Default time zone - + CET CET - + CST6CDT CST6CDT - + Cuba Κούβα - + EET EET - + Egypt Αίγυπτος - + Eire - + EST EST - + EST5EDT EST5EDT - + GB - + GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Γκρήνουιτς - + Hongkong Χονγκ Κονγκ - + HST HST - + Iceland Ισλανδία - + Iran Ιράν - + Israel Ισραήλ - + Jamaica Ιαμαϊκή - + Kwajalein - + Libya Λιβύη - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Ναβάχο - + NZ - + NZ-CHAT - + Poland Πολωνία - + Portugal Πορτογαλία - + PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Σιγκαπούρη - + Turkey Τουρκία - + UCT UCT - + Universal Παγκόσμια - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu - + Mono Μονοφωνικό - + Stereo Στέρεοφωνικό - + Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Docked - + Handheld Handheld - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2207,7 +2326,7 @@ When a program attempts to open the controller applet, it is immediately closed. Επαναφορά Προεπιλογών - + Auto Αυτόματη @@ -2647,81 +2766,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Ενεργοποίηση Βεβαιώσεων Εντοπισμού Σφαλμάτων - + Debugging Εντοπισμός Σφαλμάτων - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. - + Dump Audio Commands To Console** - + Flush log output on each line - + Enable FS Access Log - + Enable Verbose Reporting Services** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2782,13 +2906,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Ήχος - + CPU CPU @@ -2804,13 +2928,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Γενικά - + Graphics Γραφικά @@ -2831,7 +2955,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Χειρισμός @@ -2847,7 +2971,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Σύστημα @@ -2965,58 +3089,58 @@ When a program attempts to open the controller applet, it is immediately closed. Επαναφορά Προσωρινής Μνήμης Μεταδεδομένων - + Select Emulated NAND Directory... - + Select Emulated SD Directory... - - + + Select Save Data Directory... - + Select Gamecard Path... - + Select Dump Directory... - + Select Mod Load Directory... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3027,7 +3151,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3035,28 +3159,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3067,12 +3191,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3093,20 +3217,55 @@ Would you like to delete the old save data? Γενικά - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Επαναφορά Όλων των Ρυθμίσεων - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Επαναφέρει όλες τις ρυθμίσεις και καταργεί όλες τις επιλογές ανά παιχνίδι. Δεν θα διαγράψει καταλόγους παιχνιδιών, προφίλ ή προφίλ εισόδου. Συνέχιση; + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3136,33 +3295,33 @@ Would you like to delete the old save data? Χρώμα Φόντου: - + % FSR sharpening percentage (e.g. 50%) % - + Off - + VSync Off - + Recommended - + On - + VSync On @@ -3213,13 +3372,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3791,7 +3950,7 @@ Would you like to delete the old save data? - + Left Stick Αριστερό Stick @@ -3901,14 +4060,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3921,22 +4080,22 @@ Would you like to delete the old save data? - + Plus Συν - + ZR ZR - - + + R R @@ -3993,7 +4152,7 @@ Would you like to delete the old save data? - + Right Stick Δεξιός Μοχλός @@ -4162,88 +4321,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Sega Genesis - + Start / Pause - + Z Z - + Control Stick - + C-Stick C-Stick - + Shake! - + [waiting] [αναμονή] - + New Profile Νέο Προφίλ - + Enter a profile name: Εισαγάγετε ένα όνομα προφίλ: - - + + Create Input Profile Δημιουργία Προφίλ Χειρισμού - + The given profile name is not valid! Το όνομα του προφίλ δεν είναι έγκυρο! - + Failed to create the input profile "%1" Η δημιουργία του προφίλ χειρισμού "%1" απέτυχε - + Delete Input Profile Διαγραφή Προφίλ Χειρισμού - + Failed to delete the input profile "%1" Η διαγραφή του προφίλ χειρισμού "%1" απέτυχε - + Load Input Profile Φόρτωση Προφίλ Χειρισμού - + Failed to load the input profile "%1" Η φόρτωση του προφίλ χειρισμού "%1" απέτυχε - + Save Input Profile Αποθήκευση Προφίλ Χειρισμού - + Failed to save the input profile "%1" Η αποθήκευση του προφίλ χειρισμού "%1" απέτυχε @@ -4537,11 +4696,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - Κανένα - ConfigurePerGame @@ -4596,52 +4750,57 @@ Current values are %1% and %2% respectively. - + Add-Ons Πρόσθετα - + System Σύστημα - + CPU CPU - + Graphics Γραφικά - + Adv. Graphics Προχ. Γραφικά - + Ext. Graphics - + Audio Ήχος - + Input Profiles - + Network + Applets + + + + Properties Ιδιότητες @@ -4659,15 +4818,110 @@ Current values are %1% and %2% respectively. Πρόσθετα - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Όνομα Ενημέρωσης Κώδικα - + Version Έκδοση + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4715,62 +4969,62 @@ Current values are %1% and %2% respectively. %2 - + Users Χρήστες - + Error deleting image Σφάλμα κατα τη διαγραφή εικόνας - + Error occurred attempting to overwrite previous image at: %1. Παρουσιάστηκε σφάλμα κατά την προσπάθεια αντικατάστασης της προηγούμενης εικόνας στο: %1. - + Error deleting file Σφάλμα κατα τη διαγραφή του αρχείου - + Unable to delete existing file: %1. Δεν είναι δυνατή η διαγραφή του υπάρχοντος αρχείου: %1. - + Error creating user image directory Σφάλμα δημιουργίας καταλόγου εικόνων χρήστη - + Unable to create directory %1 for storing user images. Δεν είναι δυνατή η δημιουργία του καταλόγου %1 για την αποθήκευση εικόνων χρήστη. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4778,17 +5032,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. - + Confirm Delete Επιβεβαίωση Διαγραφής - + Name: %1 UUID: %2 @@ -4989,17 +5243,22 @@ UUID: %2 Παύση εκτέλεσης κατά τη διάρκεια φόρτωσης - + + Show recording dialog + + + + Script Directory Κατάλογος Σεναρίων - + Path Μονοπάτι - + ... ... @@ -5012,7 +5271,7 @@ UUID: %2 Ρυθμίσεις TAS - + Select TAS Load Directory... @@ -5149,64 +5408,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None Κανένα - - Small (32x32) - - - - - Standard (64x64) - - - - - Large (128x128) - - - - - Full Size (256x256) - - - - + Small (24x24) - + Standard (48x48) - + Large (72x72) - + Filename Όνομα αρχείου - + Filetype Τύπος αρχείου - + Title ID ID Τίτλου - + Title Name Όνομα τίτλου @@ -5275,71 +5513,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - - - - Folder Icon Size: - + Row 1 Text: - + Row 2 Text: - + Screenshots Στιγμιότυπα - + Ask Where To Save Screenshots (Windows Only) - + Screenshots Path: - + ... ... - + TextLabel - + Resolution: Ανάλυση: - + Select Screenshots Path... - + <System> <System> - + English Αγγλικά - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5473,20 +5706,20 @@ Drag points to change position, or double-click table cells to edit values. - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5518,27 +5751,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5576,7 +5809,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5599,12 +5832,12 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version @@ -5778,44 +6011,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! Το OpenGL δεν είναι διαθέσιμο! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Σφάλμα κατα την αρχικοποίηση του OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. - + Error while initializing OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 @@ -5823,203 +6056,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Αγαπημένο - + Start Game Έναρξη παιχνιδιού - + Start Game without Custom Configuration - + Open Save Data Location Άνοιγμα Τοποθεσίας Αποθήκευσης Δεδομένων - + Open Mod Data Location Άνοιγμα Τοποθεσίας Δεδομένων Mod - + Open Transferable Pipeline Cache - + Link to Ryujinx - + Remove Αφαίρεση - + Remove Installed Update Αφαίρεση Εγκατεστημένης Ενημέρωσης - + Remove All Installed DLC Αφαίρεση Όλων των Εγκατεστημένων DLC - + Remove Custom Configuration - + Remove Cache Storage - + Remove OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache - + Remove All Pipeline Caches Καταργήστε Όλη την Κρυφή μνήμη του Pipeline - + Remove All Installed Contents Καταργήστε Όλο το Εγκατεστημένο Περιεχόμενο - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Απόθεση του RomFS - + Dump RomFS to SDMC Απόθεση του RomFS στο SDMC - + Verify Integrity - + Copy Title ID to Clipboard Αντιγραφή του Title ID στο Πρόχειρο - + Navigate to GameDB entry Μεταβείτε στην καταχώρηση GameDB - + Create Shortcut - + Add to Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders Σκανάρισμα Υποφακέλων - + Remove Game Directory Αφαίρεση Φακέλου Παιχνιδιών - + ▲ Move Up ▲ Μετακίνηση Επάνω - + ▼ Move Down ▼ Μετακίνηση Κάτω - + Open Directory Location Ανοίξτε την Τοποθεσία Καταλόγου - + Clear Καθαρισμός - + Name Όνομα - + Compatibility Συμβατότητα - + Add-ons Πρόσθετα - + File type Τύπος αρχείου - + Size Μέγεθος - + Play time @@ -6027,62 +6265,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Τέλεια - + Game can be played without issues. - + Playable - + Game functions with minor graphical or audio glitches and is playable from start to finish. - + Intro/Menu Εισαγωγή/Μενου - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot Δεν ξεκινά - + The game crashes when attempting to startup. Το παιχνίδι διακόπτεται κατά την προσπάθεια εκκίνησης. - + Not Tested Μη Τεσταρισμένο - + The game has not yet been tested. Το παιχνίδι δεν έχει ακόμα τεσταριστεί. @@ -6090,7 +6328,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Διπλο-κλικ για προσθήκη νεου φακέλου στη λίστα παιχνιδιών @@ -6098,17 +6336,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Φίλτρο: - + Enter pattern to filter Εισαγάγετε μοτίβο για φιλτράρισμα @@ -6184,12 +6422,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Σφάλμα - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6198,19 +6436,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6233,154 +6463,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot Λήψη στιγμιότυπου οθόνης - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen - + Exit Eden - + Fullscreen Πλήρη Οθόνη - + Load File Φόρτωση αρχείου - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6432,22 +6688,22 @@ Debug Message: - + Loading... Φόρτωση... - + Loading Shaders %1 / %2 - + Launching... Εκκίνηση... - + Estimated Time %1 @@ -6496,42 +6752,42 @@ Debug Message: - + Password Required to Join - + Password: - + Players - + Room Name - + Preferred Game - + Host - + Refreshing - + Refresh List @@ -6580,1091 +6836,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p - + Reset Window Size to 720p - + Reset Window Size to &900p - + Reset Window Size to 900p - + Reset Window Size to &1080p - + Reset Window Size to 1080p - + &Multiplayer &Πολλαπλών Παικτών - + &Tools - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help - + &Install Files to NAND... - + L&oad File... - + Load &Folder... - + E&xit - - + + &Pause &Παύση - + &Stop &Σταμάτημα - + &Verify Installed Contents - + &About Eden - + Single &Window Mode - + Con&figure... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar - + Show &Status Bar - + Show Status Bar - + &Browse Public Game Lobby &Περιήγηση σε δημόσιο λόμπι παιχνιδιού - + &Create Room &Δημιουργία δωματίου - + &Leave Room &Αποχωρήσει από το δωμάτιο - + &Direct Connect to Room &Άμεση σύνδεση σε Δωμάτιο - + &Show Current Room &Εμφάνιση τρέχοντος δωματίου - + F&ullscreen - + &Restart - + Load/Remove &Amiibo... - + &Report Compatibility - + Open &Mods Page - + Open &Quickstart Guide - + &FAQ - + &Capture Screenshot - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - + Configure C&urrent Game... - - + + &Start &Έναρξη - + &Reset - - + + R&ecord - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7672,69 +7990,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7761,27 +8089,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7836,22 +8164,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7859,13 +8187,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7876,7 +8204,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7884,11 +8212,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8056,86 +8397,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8170,6 +8511,80 @@ p, li { white-space: pre-wrap; } + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8204,39 +8619,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - - - - - Installed NAND Titles - - - - - System Titles - Τίτλοι Συστήματος - - - - Add New Game Directory - Προσθήκη Νέας Τοποθεσίας Παιχνιδιών - - - - Favorites - Αγαπημένα - - - - - + + + Migration - + Clear Shader Cache @@ -8269,18 +8659,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8671,6 +9061,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 παίζει %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + + + + + Installed NAND Titles + + + + + System Titles + Τίτλοι Συστήματος + + + + Add New Game Directory + Προσθήκη Νέας Τοποθεσίας Παιχνιδιών + + + + Favorites + Αγαπημένα + QtAmiiboSettingsDialog @@ -8788,250 +9223,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9039,22 +9474,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9062,48 +9497,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9115,18 +9550,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9134,229 +9569,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9364,83 +9855,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9461,56 +9952,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9551,7 +10042,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9564,7 +10055,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Διπλά Joycons @@ -9577,7 +10068,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Αριστερό Joycon @@ -9590,7 +10081,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Δεξί Joycon @@ -9619,7 +10110,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9740,32 +10231,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Χειριστήριο GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Χειριστήριο NES - + SNES Controller Χειριστήριο SNES - + N64 Controller Χειριστήριο N64 - + Sega Genesis Sega Genesis @@ -9914,13 +10405,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Ακύρωση @@ -9955,12 +10446,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -9996,7 +10487,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/es.ts b/dist/languages/es.ts index 8599367fcb..3f1abaebc5 100644 --- a/dist/languages/es.ts +++ b/dist/languages/es.ts @@ -33,17 +33,17 @@ hr { height: 1px; border-width: 0; } li.unchecked::marker { content: "\2610"; } li.checked::marker { content: "\2612"; } </style></head><body style=" font-family:'Noto Sans'; font-size:9pt; font-weight:400; font-style:normal;"> -<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'MS Shell Dlg 2'; font-size:12pt;">Eden es un emulador experimental de código abierto para la Nintendo Switch bajo la licencia GPLv3.0+ que es basado en el emulador Yuzu que finalizó su desarrollo en Marzo 2024. <br /><br />Este software no debería ser usado para jugar juegos que legalmente no hayas obtenido.</span></p></body></html> +<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-family:'MS Shell Dlg 2'; font-size:12pt;">Eden es un emulador experimental de código abierto de Nintendo Switch con licencia GPLv3.0+ que está basado en el emulador yuzu que finalizó su desarrollo en marzo de 2024. <br /><br />Este software no debería ser usado para jugar juegos que no fueron legalmente obtenidos.</span></p></body></html> <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html> - <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Sitio Web</span></a>|<a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Código Fuente</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Colaboladores</span></a>|<a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html> + <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Sitio web</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Código fuente</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Colaboradores</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licencia</span></a></p></body></html> <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; is a trademark of Nintendo. Eden is not affiliated with Nintendo in any way.</span></p></body></html> - <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; es una marca registrada de Nintendo. Eden no esta afiliado con Nintendo de ninguna forma.</span></p></body></html> + <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; es una marca registrada de Nintendo. Eden no está afiliado con Nintendo de ninguna manera.</span></p></body></html> @@ -61,12 +61,12 @@ li.checked::marker { content: "\2612"; } Touch the top left corner <br>of your touchpad. - Toque la esquina superior izquierda<br>del trackpad. + Toque la esquina superior izquierda<br>de su panel táctil. Now touch the bottom right corner <br>of your touchpad. - Ahora toque la esquina inferior derecha <br>del trackpad. + Ahora toque la esquina inferior derecha <br>de su panel táctil. @@ -76,7 +76,7 @@ li.checked::marker { content: "\2612"; } OK - OK + Aceptar @@ -89,7 +89,7 @@ li.checked::marker { content: "\2612"; } Send Chat Message - Enviar mensaje del chat + Enviar mensaje al chat @@ -104,12 +104,12 @@ li.checked::marker { content: "\2612"; } %1 has joined - %1 se ha unido + %1 se unió %1 has left - %1 se ha ido + %1 se fué @@ -140,7 +140,7 @@ li.checked::marker { content: "\2612"; } When you block a player, you will no longer receive chat messages from them.<br><br>Are you sure you would like to block %1? - Cuando bloqueas a un jugador, ya no recibirás mensajes de ellos. <br><br> ¿Estás seguro de que quieres bloquear a %1? + Cuando bloquee a un jugador, ya no recibirá mensajes de él. <br><br> ¿Está seguro de que quiere bloquear a %1? @@ -155,26 +155,26 @@ li.checked::marker { content: "\2612"; } Kick Player - Expulsar jugador + Expulsar al jugador Are you sure you would like to <b>kick</b> %1? - ¿Estás seguro que quieres <b>expulsar</b> a %1? + ¿Está seguro de que quiere <b>expulsar</b> a %1? Ban Player - Vetar jugador + Vetar al jugador Are you sure you would like to <b>kick and ban</b> %1? This would ban both their forum username and their IP address. - ¿Estás seguro que quieres <b>expulsar y vetar a</b>%1? + ¿Está seguro de que quiere <b>vetar y expulsar a</b>%1? -Esto banearía su nombre del foro y su dirección IP. +Esto vetará su nombre de usuario del foro y su dirección IP. @@ -239,27 +239,27 @@ Esto banearía su nombre del foro y su dirección IP. <html><head/><body><p><span style=" font-size:10pt;">Should you choose to submit a test case to the </span><a href="https://eden-emulator.github.io/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">eden Compatibility List</span></a><span style=" font-size:10pt;">, The following information will be collected and displayed on the site:</span></p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hardware Information (CPU / GPU / Operating System)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Which version of eden you are running</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">The connected eden account</li></ul></body></html> - <html><head/><body><p><span style=" font-size:10pt;">Si eliges entregar un caso de prueba a la </span><a href="https://eden-emulator.github.io/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">lista de compatabilidad de Eden</span></a><span style=" font-size:10pt;">, Se recopilará y mostrará la siguiente información en el sito:</span></p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Información de hardware (CPU/GPU/Sistema operativo)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Cual version de Eden se esta usando</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">La cuenta de eden que esta conectada </li></ul></body></html> + <html><head/><body><p><span style=" font-size:10pt;">Si elije entregar un caso de prueba a la </span><a href="https://eden-emulator.github.io/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">lista de compatabilidad de Eden</span></a><span style=" font-size:10pt;">, Se recopilará y mostrará la siguiente información en el sito:</span></p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Información del hardware (CPU / GPU / Sistema operativo)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Qué version de Eden está usando</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">La cuenta de eden que esta conectada </li></ul></body></html> <html><head/><body><p>Does the game boot?</p></body></html> - <html><head/><body><p>¿El juego se ejecuta?</p></body></html> + <html><head/><body><p>¿El juego se inicia?</p></body></html> Yes The game starts to output video or audio - Sí El juego llega a reproducir vídeo o sonido + Sí El juego empieza a reproducir vídeo o audio No The game doesn't get past the "Launching..." screen - No El juego no consigue avanzar más allá de la pantalla "Iniciando..." + No El juego no consigue avanzar más allá de la pantalla de "Iniciando..." Yes The game gets past the intro/menu and into gameplay - Sí El juego avanza del menú y entra al juego + Sí El juego avanza del menú/introducción y entra al juego @@ -339,7 +339,7 @@ Esto banearía su nombre del foro y su dirección IP. <html><head/><body><p>Does the game have any audio glitches / missing effects?</p></body></html> - <html><head/><body><p>¿El juego tiene algún problema de audio o falta de efectos de sonido?</p></body></html> + <html><head/><body><p>¿El juego tiene algún problema de audio o faltan efectos de sonido?</p></body></html> @@ -375,152 +375,177 @@ Esto banearía su nombre del foro y su dirección IP. % - + Amiibo editor Editor de Amiibo - + Controller configuration - Configuración de controles + Configuración del mando - + Data erase Borrar datos - + Error Error - + Net connect Conexión a la red - + Player select - Selección de personaje + Selección de jugador - + Software keyboard Teclado de software - + Mii Edit Editor de Mii - + Online web - Web online + Web en línea - + Shop Tienda - + Photo viewer Álbum - + Offline web - Web offline + Web fuera de línea - + Login share Inicio de sesión - + Wifi web auth Autenticación Wi-Fi - + My page Mi página - + Enable Overlay Applet - Habilitar Applet de superposición + Habilitar applet de superposición - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + Activa el applet integrado superpuesto de Horizon. Mantenga pulsado el botón de inicio durante 1 segundo para que aparezca. + + + Output Engine: Motor de salida: - + Output Device: Dispositivo de salida: - + Input Device: Dispositivo de entrada: - + Mute audio - Silenciar sonido + Silenciar audio - + Volume: Volumen: - + Mute audio when in background - Silenciar audio en segundo plano + Silenciar el audio en segundo plano - + Multicore CPU Emulation Emulación de CPU multinúcleo - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Esta opción aumenta el uso de hilos de emulación de la CPU de 1 a un máximo de 4. Principalmente es una opción de depuración y no debería desactivarse. - + Memory Layout - Memoria emulada + Distribución de memoria + + + + Increases the amount of emulated RAM. +Doesn't affect performance/stability but may allow HD texture mods to load. + Incrementa la cantidad de RAM emulada. +No afecta al rendimiento/estabilidad pero puede permitir que carguen los mods con texturas HD. - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. -Doesn't affect performance/stability but may allow HD texture mods to load. - Aumenta la cantidad de RAM emulada de 4 GB de la placa base a 8/6 GB del kit de desarrollo. -No afecta el rendimiento ni la estabilidad, pero puede permitir la carga de mods de texturas HD. - - - Limit Speed Percent Limitar porcentaje de velocidad - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. Controla la velocidad máxima de renderizado del juego, pero depende de cada juego si aumenta su velocidad o no. 200% en un juego de 30 FPS serán 60 FPS; en uno de 60 FPS serán 120 FPS. -Desactivarlo hará que el juego se renderice lo más rápido posible según tu equipo. +Desactivarlo hará que el juego se renderice lo más rápido posible según su equipo. + + + + Turbo Speed + Velocidad turbo + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + Cuando la tecla de Velocidad turbo sea presionada, la velocidad será limltada a este porcentaje. + + + + Slow Speed + Velocidad lenta + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + Cuando la tecla de velocidad lenta sea presionada, la velocidad será limitada a este porcentaje. @@ -535,161 +560,161 @@ Can help reduce stuttering at lower framerates. Puede ayudar a reducir los tirones o parpadeos en tasas de fotogramas bajas. - + Accuracy: Precisión: - + Change the accuracy of the emulated CPU (for debugging only). Cambia la precisión de la CPU emulada (solo para depuración) - - + + Backend: Motor: - + CPU Overclock - CPU Overclock + Overclock de CPU - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Overcloquea la CPU emulada para eliminar algunos limitadores de FPS. en CPUs más débiles puede reducir el rendimiento y algunos juegos pueden funcionar incorrectamente. Usa Boost (1700MHz) para ejecutar a la velocidad nativa maximo de Switch, o Fast (2000MHz) para ejecutar al doble velocidad. - + Custom CPU Ticks Ticks de CPU personalizados - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - Establezca un valor personalizado para los ticks de la CPU. Valores más altos pueden aumentar el rendimiento, pero pueden causar interbloqueos. Se recomienda un rango de 77-21000. + Establezca un valor personalizado para los ticks de la CPU. Valores más altos pueden aumentar el rendimiento, pero también pueden causar bloqueos. Se recomienda un rango de 77-21000. - + Virtual Table Bouncing Rebote de mesa virtual - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - Rebote (por emular un valor-0 retorne) cualquier función que desencadene un anulación de precarga + Rebote (por emular un valor-0 de retorno) cualquier función que desencadene una anulación de precarga - + Enable Host MMU Emulation (fastmem) - Activa emulación de Host MMU (fastmem) + Activa emulación del huesped MMU (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - Esta optimización acelera el acceso de la memoria por parte de la programa invitado. -Al actualizarlo, las lecturas/escrituras de memoria de la programa invitado se realizan directamente a la memoria y habilita el utilización de la Host MMU + Esta optimización acelera el acceso de la memoria por parte del programa invitado. +Al actualizarlo, las lecturas/escrituras de memoria del programa invitado se realizan directamente en la memoria y habilita el uso del huesped MMU Desactivando este opción obliga a que todos los accesos a la memoria utilicen el Software MMU emulado. - + Unfuse FMA (improve performance on CPUs without FMA) Desactivar FMA (mejora el rendimiento en las CPU sin FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Esta opción mejora el rendimiento al reducir la precisión de las instrucciones fused-multiply-add en las CPU sin soporte nativo FMA. - + Faster FRSQRTE and FRECPE FRSQRTE y FRECPE rápido - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Esta opción mejora el rendimiento de algunas funciones aproximadas de punto flotante al utilizar aproximaciones nativas menos precisas. - + Faster ASIMD instructions (32 bits only) - Instrucciones ASIMD rápidas (sólo 32 bits) + Instrucciones ASIMD rápidas (solo 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Esta opción mejora la velocidad de las funciones de punto flotante ASIMD de 32 bits al ejecutarlas con redondeos incorrectos. - + Inaccurate NaN handling Gestión imprecisa NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Esta opción mejora el rendimiento al no hacer comprobaciones "NaN". Ten en cuenta que, a cambio, reduce la precisión de ciertas instrucciones de coma flotante. - + Disable address space checks Desactivar comprobación del espacio de destino - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Esta opción mejora la velocidad eliminando una verificación de seguridad antes de cada operación de memoria. - + Ignore global monitor Ignorar monitorización global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - Esta opción mejora el rendimiento al depender sólo de la semántica de "cmpxchg" para garantizar la seguridad de las instrucciones de acceso exclusivo. + Esta opción mejora el rendimiento al depender solo de la semántica de cmpxchg para garantizar la seguridad de las instrucciones de acceso exclusivas. Ten en cuenta que puede resultar en bloqueos y otras condiciones de carrera. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - Cambia la API de salida de gráficos. + Cambia la API de salida gráfica. Se recomienda Vulkan. - + Device: Dispositivo: - + This setting selects the GPU to use (Vulkan only). - Este ajuste selecciona la GPU a utilizar (solo Vulkan). + Este ajuste selecciona la GPU a usar (solo Vulkan). - + Resolution: Resolución: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -698,41 +723,41 @@ Las resoluciones altas requieren más VRAM y ancho de banda. Las opciones inferiores a 1X pueden generar errores visuales. - + Window Adapting Filter: Filtro adaptable de ventana: - + FSR Sharpness: Nitidez FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. Determina el nivel de nitidez de la imagen utilizando el contraste dinámico de FSR. - + Anti-Aliasing Method: - Método de Anti-Aliasing: + Método de suavizado de bordes: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - El método de suavizado de bordes (anti-aliasing) que se usará. + El método de suavizado de bordes que se usará. SMAA ofrece mejor calidad. FXAA puede producir mejores resultados visuales en resoluciones bajas. - + Fullscreen Mode: Modo pantalla completa: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -741,12 +766,12 @@ Ventana sin bordes ofrece la mejor compatibilidad con el teclado en pantalla que Pantalla completa exclusiva puede ofrecer mejor rendimiento y mejor soporte para FreeSync/G-Sync/VRR. - + Aspect Ratio: Relación de aspecto: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -755,40 +780,40 @@ La mayoría de los juegos solo admiten 16:9, por lo que se requieren modificacio También controla la relación de aspecto de las capturas de pantalla. - + Use persistent pipeline cache - Usar caché de canalización persistente. + Usar caché de canalización persistente - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - Permite almacenar las shaders para cargar más rápido al arrancar el juego otra vez. -Solo ha de desactivarse para depuración. + Permite almacenar los sombreadores para cargar más rápido al ejecutar el juego otra vez. +Desactivarlo solo está destinado para depuración. - + Optimize SPIRV output Optimizar la salida de SPIRV - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. This feature is experimental. - Corre un paso de optimización adicional sobre los shaders SPIRV generados. -Aumenta el tiempo requerido para compilar shaders. -Puede mejorar el rendimiento un poco. -Este caracteristica es experimental. + Ejecuta un paso adicional de optimización sobre los sombreadores SPIRV generados. +Aumentará el tiempo requerido para compilar los sombreadores. +Puede mejorar un poco el rendimiento. +Este función es experimental. - + NVDEC emulation: Emulación NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -797,29 +822,29 @@ Puede usar la CPU, GPU o no decodificar (mostrará una pantalla en negro durante En la mayoría de casos, decodificar mediante GPU es la mejor opción. - + ASTC Decoding Method: Modo decodificación ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). CPU Asynchronously: Use the CPU to decode ASTC textures on demand. EliminatesASTC decoding stuttering but may present artifacts. - Esta opción controla cómo deben decodificarse las texturas ASTC. -CPU: utiliza el procesador para la decodificación. -GPU: utiliza los sombreadores de la tarjeta gráfica para decodificar las texturas ASTC (recomendado). -CPU asíncrono: usa el procesador para decodificar las texturas ASTC bajo demanda. Elimina los tirones causados por la decodificación ASTC, pero puede generar errores visuales. + Esta opción controla cómo deben descodificarse las texturas ASTC. +CPU: utiliza el procesador para la descodificación. +GPU: utiliza los sombreadores de la tarjeta gráfica para descodificar las texturas ASTC (recomendado). +CPU asíncrono: usa el procesador para descodificar las texturas ASTC bajo demanda. Elimina los tirones causados por la descodificación ASTC, pero puede generar errores visuales. - + ASTC Recompression Method: Modo recompresión ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -827,50 +852,60 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3: El formato intermedio será recomprimido a BC1 o BC3, lo que ahorra VRAM, pero degrada la calidad de la imagen. - + + Frame Pacing Mode (Vulkan only) + Modo de ritmo de fotogramas (solo Vulkan) + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + Controla cómo el emulador gestiona el ritmo de los fotogramas para reducir los tirones y hacer que la velocidad de los fotogramas sea más suave y consistente. + + + VRAM Usage Mode: Modo de uso de la VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Selecciona si el emulador prefiere conservar memoria o maximizar el uso de memoria de video disponible para mejorar el rendimiento. El modo agresivo puede afectar el rendimiento de otras aplicaciones, como el software de grabación. - + Skip CPU Inner Invalidation Saltar Invalidación Interna de la CPU - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Omite ciertas invalidaciones de caché durante las actualizaciones de memoria, reduciendo uso de la CPU y mejorando la latencia. Esto puede causar crasheos leves. - + VSync Mode: Modo VSync: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. Immediate (no synchronization) presents whatever is available and can exhibit tearing. - FIFO (VSync) no pierde fotogramas ni presenta desgarros de imagen (tearing), pero está limitado por la tasa de actualización del monitor. + FIFO (VSync) no pierde fotogramas ni presenta desgarros de imagen, pero está limitado por la tasa de actualización del monitor. FIFO Relaxed permite desgarros de imagen, pero se recupera más rápido cuando hay caídas de rendimiento. Mailbox ofrece menor latencia que FIFO y evita el tearing, aunque puede perder algunos fotogramas. Immediate (sin sincronización) muestra los fotogramas tan pronto están disponibles, pero puede generar desgarros de imagen. - + Sync Memory Operations Sincronizar operaciones de memoria - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -879,322 +914,360 @@ Esta opción arregla errores en los juegos, pero puede afectar negativamente al Los juegos con Unreal Engine 4 son con frecuencia los que muestran cambios significantes en esto. - + Enable asynchronous presentation (Vulkan only) - Activar presentación asíncrona (sólo Vulkan) + Activar presentación asíncrona (solo Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Mejora el rendimiento ligeramente al usar un hilo de CPU adicional para la presentación. - + Force maximum clocks (Vulkan only) - Forzar relojes al máximo (sólo Vulkan) + Forzar relojes al máximo (solo Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Ejecuta los procesos en segundo plano mientras se espera a las instrucciones gráficas para evitar que la GPU reduzca su velocidad de reloj. - + Anisotropic Filtering: Filtrado anisotrópico: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Controla la calidad del renderizado de texturas en ángulos oblicuos. Es seguro configurarlo en 16x en la mayoría de las GPU. - + GPU Mode: - Modo de GPU: + Modo de la GPU: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - Controla el modo de emulación del GPU -La mayoridad de juegos rendarizarían bien con modo rápido o balanceado, pero exacto todavía esta requerido para algunos. -Las partículas tienden a representarse correctamente solo con modo exacto. + Controla el modo de emulación de la GPU +La mayoridad de juegos renderizarán bien con el modo rápido o balanceado, pero el preciso todavía esta requerido para algunos. +Las partículas tienden a representarse correctamente solo con el modo preciso. - + DMA Accuracy: Precisión de DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Controla la precisión del DMA. La opción de precisión segura corrige errores en algunos juegos, pero puede reducir el rendimiento - + Enable asynchronous shader compilation Activa la compilación de shaders asincrónicos - + May reduce shader stutter. Puede reducir los tirones causados por la carga de sombreadores. - + Fast GPU Time - Tiempo rapido de GPU + Tiempo rápido de la GPU - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - Overcloquea la GPU emulada para aumentar la resolución dinámica y la distancia del rendimiento. -Usa 256 para rendimiento máximo y 512 para fidelidad gráfico máximo. + Overcloquea la GPU emulada para aumentar la resolución dinámica y la distancia de renderizado. +Use 256 para el máximo rendimiento y 512 para la máxima fidelidad gráfica. - + + GPU Unswizzle + Desentrelazado de la GPU + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + Acelera la decodificación de texturas 3D BCn mediante computación de la GPU. +Desactívela si experimenta problemas o fallos gráficos. + + + GPU Unswizzle Max Texture Size - + Tamaño máximo de textura de desentrelazado de la GPU - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + Establece el tamaño máximo (en MiB) para el desentrelazado de texturas basada en GPU. +Aunque la GPU es más rápida para texturas medianas y grandes, la CPU puede ser más eficiente para texturas muy pequeñas. +Ajuste este valor para encontrar el equilibrio entre la aceleración de la GPU y la sobrecarga de la CPU. - + GPU Unswizzle Stream Size - + Tamaño del flujo de desentrelazado de la GPU - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + Establece la cantidad máxima de datos de textura (en MiB) procesados ​​por cada fotograma. Valores más altos pueden reducir la distorsión durante la carga de texturas, pero pueden afectar a la consistencia de los fotogramas. - + GPU Unswizzle Chunk Size - + Tamaño del trozo de desentrelazado de la GPU - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Determina la cantidad de cortes de profundidad procesados ​​en un solo envío. Aumentar este valor puede mejorar el rendimiento en una GPU de gama alta, pero puede causar tirones y problemas en los tiempos de respuesta en hardware más modesto. - + Use Vulkan pipeline cache Usar caché de canalización de Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - Activa la caché de pipeline específica del fabricante. -Esta opción puede mejorar los tiempos de cargas de shaders en caso de que el driver de Vulkan no lo almacene internamente. + Activa la caché de canalización específica del fabricante. +Esta opción puede mejorar los tiempos de cargas de sombreadores en el caso de que el controlador de Vulkan no lo almacene internamente. - + Enable Compute Pipelines (Intel Vulkan Only) - Activar canalizaciones de cómputo (solo Intel Vulkan) + Activar la canalizaciones de cómputo (solo Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - Requerido para algunos juegos. -Esta configuración solo existe para los controladores propietarios de Intel y puede causar fallos si se activa. -En los demás controladores, compute pipelines siempre están habilitadas. + Obligatorio para algunos juegos. +Este ajuste solo existe para los controladores propietarios de Intel y puede causar fallos si se activa. +En los demás controladores, la canalización de cómputo siempre está activada. - + Enable Reactive Flushing - Activar Limpieza Reactiva + Activar limpieza reactiva - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Usa limpieza de memoria reactiva en vez de predictiva, permitiendo una sincronización de memoria más precisa. - + Sync to framerate of video playback Sincronizar a fotogramas de reproducción de vídeo - + Run the game at normal speed during video playback, even when the framerate is unlocked. Ejecuta el juego a velocidad normal durante la reproducción de vídeos, incluso cuando no hay límite de fotogramas. - + Barrier feedback loops Bucles de feedback de barrera - + Improves rendering of transparency effects in specific games. Mejora la renderización de los efectos de transparencia en ciertos juegos. - + + Enable buffer history + Activar el historial del búfer + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + Habilita el acceso a estados de búfer anteriores. +Esta opción puede mejorar la calidad de renderizado y la consistencia en el rendimiento de algunos juegos. + + + Fix bloom effects - + Arreglar efectos de resplandor - + Removes bloom in Burnout. - + Elimina el resplandor en Burnout. - + + Enable Legacy Rescale Pass + Activar el pase de reescalado heredado + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + Puede arreglar los problemas de reescalado en algunos juegos confiando en el comportamiento de la implementación anterior. +Solución alternativa de comportamiento heredado que corrige los artefactos de línea de la GPU AMD y el parpadeo de texturas gris de la GPU Nvidia en Luigis Mansion 3. + + + Extended Dynamic State Estado dinámico extendido - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - Controla el numero de características que pueden ser usadas en el estado dinámico extendido. -Números mas altos permiten mas características y pueden aumentar el rendimiento, pero pueden causar problemas. -El valor predeterminado es por sistema. + Controla el número de funciones que pueden ser usadas en el Estado Dinámico Extendido. +Números más altos permiten úsar más funciones y pueden aumentar el rendimiento, pero tambén pueden causar errores gráficos. - + Vertex Input Dynamic State Estado dinámico de entrada de vértices - + Enables vertex input dynamic state feature for better quality and performance. - Habilita la función de estado dinámico de entrada de vértices para una mejor calidad y rendimiento. + Activa la función de estado dinámico de entrada de vértices para una mejor calidad y rendimiento. - + Provoking Vertex Vértice provocante - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Mejora la iluminación y la gestión de vértices en algunos juegos. Solo los dispositivos Vulkan 1.0+ son compatibles con esta extensión. - + Descriptor Indexing Indexación del descriptor - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - Mejora el manejo de las texturas y buffers y la capa de traduccion de Maxwell. Solo compatible con algunas GPUs que soporten Vulkan 1.1, pero compatible con todos los GPUs que suporten Vulkan 1.2+ + Mejora el manejo de texturas, búferes y la capa de traducción de Maxwell. +Algunos dispositivos Vulkan 1.1+ y todos los 1.2+ son compatibles con esta extensión. - + Sample Shading Sombreado de muestra - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Permite que el sombreador de fragmentos se ejecute por muestra en un fragmento multimuestreado, en lugar de una sola vez por fragmento. Mejora la calidad de los gráficos a costa de rendimiento. Los valores más altos mejoran la calidad, pero reducen el rendimiento. - + RNG Seed Semilla de GNA - + Controls the seed of the random number generator. Mainly used for speedrunning. Controla la semilla del generador de números aleatorios. Usado principalmente para speedrunning. - + Device Name Nombre del dispositivo - + The name of the console. El nombre de la consola - + Custom RTC Date: Fecha Personalizada RTC: - + This option allows to change the clock of the console. Can be used to manipulate time in games. Esta opción permite cambiar el reloj de la consola. Puede ser usado para manipular el tiempo en juegos. - + The number of seconds from the current unix time Número de segundos de la hora actual de Unix - + Language: Idioma: - + This option can be overridden when region setting is auto-select Esta opción puede ser reemplazada cuando la configuración de región está en selección automática. - + Region: Región: - + The region of the console. La Región de la Consola. - + Time Zone: Zona horaria: - + The time zone of the console. La zona horaria de la consola. - + Sound Output Mode: Método de salida de sonido: - + Console Mode: Modo consola: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1203,997 +1276,1048 @@ Los juegos cambiarán su resolución, detalles y compatibilidad con los mandos s Configurar el modo portátil puede mejorar el rendimiento en sistemas de gama baja. - + + Unit Serial + Nº de serie de la unidad + + + + Battery Serial + Nº de serie de la batería + + + + Debug knobs + Perillas de depuración + + + Prompt for user profile on boot Solicitud para perfil de usuario al arrancar - + Useful if multiple people use the same PC. Útil si múltiples personas usan la misma PC - + Pause when not in focus - Pausa el juego automáticamente cuando la ventana no está activa o en primer plano. + Pausar cuando la ventana no esté activa - + Pauses emulation when focusing on other windows. - Pausa la emulación cuando la ventana esta en segundo plano. + Pausa la emulación cuando esta activa otra ventana diferente. - + Confirm before stopping emulation Confirmar detención - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Anula las solicitudes de confirmación para detener la emulación. Al habilitar esta opción, se omiten dichas solicitudes y se sale directamente de la emulación. - + Hide mouse on inactivity Ocultar el cursor por inactividad. - + Hides the mouse after 2.5s of inactivity. Oculta el mouse después de 2.5s de inactividad. - + Disable controller applet Desactivar applet de mandos - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Desactiva forzosamente el uso del applet del controlador en programas emulados. Cuando un programa intenta abrir el applet del controlador, se cierra inmediatamente. - + Check for updates Busca actualizaciones - + Whether or not to check for updates upon startup. Si buscar o no buscar actualizaciones cada inicio. - + Enable Gamemode Activar Modo Juego - + Force X11 as Graphics Backend - Forzar X11 como backend gráfico + Forzar X11 como motor gráfico - + Custom frontend Interfaz personalizada - + Real applet Applet real - + Never Nunca - + On Load Al cargar - + Always Siempre - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU Asíncrona - + Uncompressed (Best quality) - Sin compresión (Calidad óptima) + Sin compresión (Mejor calidad) - + BC1 (Low quality) BC1 (Calidad baja) - + BC3 (Medium quality) BC3 (Calidad media) - - Conservative - Conservativo - - - - Aggressive - Agresivo - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Ninguno - - - - Fast - Rapido - - - - Balanced - Balanceado - - - - - Accurate - Preciso - - - - - Default - Predeterminado - - - - Unsafe (fast) - Inseguro (rápido) - - - - Safe (stable) - Seguro (estable) - - - + + Auto Auto - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + Conservativo + + + + Aggressive + Agresivo + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (Ensamblado de sombreadores, solo NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (Experimental, solo AMD/Mesa) + + + + Null + Ninguno + + + + Fast + Rápido + + + + Balanced + Balanceado + + + + + Accurate + Preciso + + + + + Default + Predeterminado + + + + Unsafe (fast) + Inseguro (rápido) + + + + Safe (stable) + Seguro (estable) + + + Unsafe Impreciso - + Paranoid (disables most optimizations) Paranoico (Deshabilita la mayoría de optimizaciones) - + Debugging Depuración - + Dynarmic DynARMic - + NCE NCE - + Borderless Windowed Ventana sin bordes - + Exclusive Fullscreen Pantalla completa - + No Video Output Sin salida de vídeo - + CPU Video Decoding Decodificación de vídeo en la CPU - + GPU Video Decoding (Default) Decodificación de vídeo en GPU (Por defecto) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] x0,5 (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] x0,75 (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) x1 (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] x1,5 (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) x2 (1440p/2160p) - + 3X (2160p/3240p) x3 (2160p/3240p) - + 4X (2880p/4320p) x4 (2880p/4320p) - + 5X (3600p/5400p) x5 (3600p/5400p) - + 6X (4320p/6480p) x6 (4320p/6480p) - + 7X (5040p/7560p) x7 (5040p/7560p) - + 8X (5760p/8640p) x8 (5760p/8640p) - + Nearest Neighbor Vecino más próximo - + Bilinear Bilineal - + Bicubic Bicúbico - + Gaussian Gaussiano - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution Super Resolución AMD FidelityFX - + Area Área - + MMPX MMPX - + Zero-Tangent Tangente cero - + B-Spline Ranura B - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Ninguno - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Predeterminado (16:9) - + Force 4:3 Forzar 4:3 - + Force 21:9 Forzar 21:9 - + Force 16:10 Forzar 16:10 - + Stretch to Window Estirar a la ventana - + Automatic Automático - + 2x x2 - + 4x x4 - + 8x x8 - + 16x x16 - + 32x 32x - + 64x 64x - + Japanese (日本語) Japonés (日本語) - + American English Inglés estadounidense - + French (français) Francés (français) - + German (Deutsch) Alemán (deutsch) - + Italian (italiano) Italiano (italiano) - + Spanish (español) Español - + Chinese Chino - + Korean (한국어) Coreano (한국어) - + Dutch (Nederlands) Holandés (nederlands) - + Portuguese (português) Portugués (português) - + Russian (Русский) Ruso (Русский) - + Taiwanese Taiwanés - + British English Inglés británico - + Canadian French Francés canadiense - + Latin American Spanish Español latinoamericano - + Simplified Chinese Chino simplificado - + Traditional Chinese (正體中文) Chino tradicional (正體中文) - + Brazilian Portuguese (português do Brasil) Portugués brasileño (português do Brasil) - - Serbian (српски) - Serbian (српски) + + Polish (polska) + Polaco (polska) - - + + Thai (แบบไทย) + Tailandés (แบบไทย) + + + + Japan Japón - + USA EEUU - + Europe Europa - + Australia Australia - + China China - + Korea Corea - + Taiwan Taiwán - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Predeterminada (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egipto - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islandia - + Iran Irán - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polonia - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Turquía - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulú - + Mono Mono - + Stereo Estéreo - + Surround Envolvente - + 4GB DRAM (Default) 4GB DRAM (Por defecto) - + 6GB DRAM (Unsafe) 6GB DRAM (Inseguro) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (Inseguro) - + 12GB DRAM (Unsafe) 12GB DRAM (Inseguro) - + Docked Sobremesa - + Handheld Portátil - - + + Off Apagado - + Boost (1700MHz) Boost (1700MHz) - + Fast (2000MHz) Rápido (2000MHz) - + Always ask (Default) Preguntar siempre (Por defecto) - + Only if game specifies not to stop Solo si el juego pide no ser cerrado - + Never ask Nunca preguntar - - + + Medium (256) Medio (256) - - + + High (512) Alto (512) - + Very Small (16 MB) - + Muy pequeño (16 MB) - + Small (32 MB) - + Pequeño (32 MB) - + Normal (128 MB) - + Normal (128 MB) - + Large (256 MB) - + Grande (256 MB) - + Very Large (512 MB) - + Muy grande (512 MB) - + Very Low (4 MB) - + Muy bajo (4 MB) - + Low (8 MB) - + Bajo (8 MB) - + Normal (16 MB) - + Normal (16 MB) - + Medium (32 MB) - + Medio (32 MB) - + High (64 MB) - + Alto (64 MB) - + Very Low (32) - + Muy bajo (32) - + Low (64) - + Bajo (64) - + Normal (128) - + Normal (128) - + Disabled Desactivado - + ExtendedDynamicState 1 ModoDynamicoExtendido 1 - + ExtendedDynamicState 2 ModoDynamicoExtendido 2 - + ExtendedDynamicState 3 ModoDynamicoExtendido 3 + + + Tree View + Vista en árbol + + + + Grid View + Vista en cuadricula + ConfigureApplets @@ -2265,7 +2389,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam Restaurar valores predeterminados - + Auto Auto @@ -2328,7 +2452,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam <html><head/><body><p><span style=" font-weight:600;">For debugging only.</span><br/>If you're not sure what these do, keep all of these enabled. <br/>These settings, when disabled, only take effect when CPU Debugging is enabled. </p></body></html> - <html><head/><body><p><span style=" font-weight:600;">Sólo para depurar.</span><br/>Si no estás seguro de su función, déjalas activadas. <br/>Estas opciones, cuando estén desactivadas, sólo funcionarán cuando la Depuración de CPU esté activada. </p></body></html> + <html><head/><body><p><span style=" font-weight:600;">Solo para depurar.</span><br/>Si no estás seguro de su función, déjalas activadas. <br/>Estas opciones, cuando estén desactivadas, solo funcionarán cuando la Depuración de CPU esté activada. </p></body></html> @@ -2368,13 +2492,13 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam <div>This optimization avoids dispatcher lookups by keeping track potential return addresses of BL instructions. This approximates what happens with a return stack buffer on a real CPU.</div> - <div>Esta optimización evita las búsquedas del emisor al rastrear las direcciones potenciales de retorno de las instrucciones BL. Esto se aproxima a lo que sucede con un buffer acumulado de retorno en una CPU real.</div> + <div>Esta optimización evita las búsquedas del emisor al rastrear las direcciones potenciales de retorno de las instrucciones BL. Esto se aproxima a lo que sucede con un búfer acumulado de retorno en una CPU real.</div> Enable return stack buffer - Activar buffer acumulado de retorno + Activar el búfer de acumulación de retorno @@ -2439,7 +2563,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam <div style="white-space: nowrap">When disabled, a misalignment is triggered on all misaligned accesses.</div> - <div style="white-space: nowrap">Cuando esté activada, una desalineación sólo se activa cuando un acceso cruza el límite de una página.</div> + <div style="white-space: nowrap">Cuando esté activada, una desalineación solo se activa cuando un acceso cruza el límite de una página.</div> <div style="white-space: nowrap">Cuando esté desactivado, se produce una desalineación en todos los accesos desalineados.</div> @@ -2519,7 +2643,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam CPU settings are available only when game is not running. - Los ajustes de la CPU sólo están disponibles cuando no se esté ejecutando ningún juego. + Los ajustes de la CPU solo están disponibles cuando no se esté ejecutando ningún juego. @@ -2587,7 +2711,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam When checked, it executes shaders without loop logic changes - Al activarlo, se ejecutarán los shaders sin cambios en bucles lógicos. + Al activarlo, se ejecutarán los sombreadores sin cambios en bucles lógicos. @@ -2617,12 +2741,12 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam When checked, it will dump all the original assembler shaders from the disk shader cache or game as found - Al activarlo, se volcarán todos los shaders del ensamblador original de la caché de sombreadores en disco o del juego tal y como se encuentren. + Al activarlo, se volcarán todos los sombreadores del ensamblador original de la caché de sombreadores en el disco o del juego tal y como se encuentren. Dump Game Shaders - Volcar shaders del juego + Volcar sombreadores del juego @@ -2677,7 +2801,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam Disable Buffer Reorder - Desactivar reordenamiento de búffer + Desactivar el reordenamiento de búferes @@ -2687,17 +2811,17 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam Enables yuzu to check for a working Vulkan environment when the program starts up. Disable this if this is causing issues with external programs seeing yuzu. - Permite a yuzu comprobar si el entorno de Vulkan funciona cuando el programa se inicia. Desactiva esto si está causando problemas a programas externos que ven a yuzu. + Permite a Eden comprobar si el entorno de Vulkan funciona cuando el programa se inicia. Desactive esto si está causando problemas a programas externos que ven a Eden. Perform Startup Vulkan Check - Realizar comprobación de Vulkan al ejecutar + Realizar comprobación de Vulkan al iniciar Disable Web Applet - Desactivar Web applet + Desactivar applet web @@ -2716,81 +2840,86 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam + Use dev.keys + Usar dev.keys + + + Enable Debug Asserts Activar alertas de depuración - + Debugging Depuración - + Battery Serial: - Serial de la batteria: + Nº de serie de la batería: - + Bitmask for quick development toggles Bitmask para toggles de desarrollo rapido - + Set debug knobs (bitmask) Establecer parámetros de depuración (bitmask) - + 16-bit debug knob set for quick development toggles Conjunto de interruptores de depuración de 16 bits para toggles de desarrollo rapido - + (bitmask) (bitmask) - + Debug Knobs: perillas de depuración: - + Unit Serial: - Serial del unidad: + Nº de serie de la unidad: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Activa esta opción para mostrar en la consola la última lista de comandos de audio generada. Solo afecta a los juegos que utilizan el renderizador de audio. - + Dump Audio Commands To Console** Volcar comandos de audio a la consola** - + Flush log output on each line Limpia lg salida en cada linea - + Enable FS Access Log Activar registro de acceso FS - + Enable Verbose Reporting Services** Activar servicios de reporte detallados** - + Censor username in logs Censura nombre de usario en logs - + **This will be reset automatically when Eden closes. **Esto se reiniciara automáticamente cuando Eden se cierre. @@ -2842,7 +2971,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam Some settings are only available when a game is not running. - Algunos ajustes sólo están disponibles cuando no se estén ejecutando los juegos. + Algunos ajustes solo están disponibles cuando no se estén ejecutando los juegos. @@ -2851,13 +2980,13 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam - + Audio Audio - + CPU CPU @@ -2873,13 +3002,13 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam - + General General - + Graphics Gráficos @@ -2900,7 +3029,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam - + Controls Controles @@ -2916,7 +3045,7 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam - + System Sistema @@ -3034,58 +3163,58 @@ Cuando un programa intenta abrir el applet del controlador, se cierra inmediatam Reiniciar caché de metadatos - + Select Emulated NAND Directory... Selecciona el directorio de NAND emulado... - + Select Emulated SD Directory... Seleccione el directorio de SD emulado... - - + + Select Save Data Directory... Seleccione directorio de Datos guardados... - + Select Gamecard Path... Seleccione la ruta del cartucho... - + Select Dump Directory... Seleccione directorio de volcado... - + Select Mod Load Directory... - Seleccione el directorio de carga de mod... + Seleccione el directorio de carga de mods... - + Save Data Directory Directorio de Datos guardados... - + Choose an action for the save data directory: Elige un acción para el directorio de datos guardados: - + Set Custom Path Configure ruta personalizado - + Reset to NAND Restablecer a NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3102,7 +3231,7 @@ Nuevo: %2 AUXILIO: ¡Esto sobrescribirá cualquier partida guardada existente en el nuevo directorio! - + Would you like to migrate your save data to the new location? From: %1 @@ -3113,48 +3242,51 @@ Desde: %1 A: %2 - + Migrate Save Data - + Migrar datos de guardado - + Migrating save data... - + Migrando los datos de guardado... - + Cancel - + Cancelar + + + + + Migration Failed + Migración fallida - - Migration Failed - - - - Failed to create destination directory. - + Fallo al crear el directorio de destino. Failed to migrate save data: %1 - + Fallo al migrar los datos de guardado: +%1 + + + + Migration Complete + Migración completada - Migration Complete - - - - Save data has been migrated successfully. Would you like to delete the old save data? - + Los datos de guardado se migraron correctamente. + +¿Desea borrar los datos de guardado antiguos? @@ -3171,20 +3303,55 @@ Would you like to delete the old save data? General - + + External Content + Contenido externo + + + + Add directories to scan for DLCs and Updates without installing to NAND + Añadir directorios para buscar contenido descargable y actualizaciones sin instalarlo en la NAND + + + + Add Directory + Añadir directorio + + + + Remove Selected + Eliminar seleccionado + + + Reset All Settings Reiniciar todos los ajustes - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Esto reiniciará y eliminará todas las configuraciones de los juegos. No eliminará ni los directorios de juego, ni los perfiles, ni los perfiles de los mandos. ¿Continuar? + + + Select External Content Directory... + Seleccionar el directorio de contenido externo... + + + + Directory Already Added + Directorio ya ha sido añadido + + + + This directory is already in the list. + Este directorio ya está en la lista. + ConfigureGraphics @@ -3214,33 +3381,33 @@ Would you like to delete the old save data? Color de fondo: - + % FSR sharpening percentage (e.g. 50%) % - + Off Desactivado - + VSync Off VSync Desactivado - + Recommended Recomendado - + On Activado - + VSync On VSync Activado @@ -3273,31 +3440,31 @@ Would you like to delete the old save data? Extras - + Extras Hacks - + Hacks Changing these options from their default may cause issues. Novitii cavete! - + Cambiar estas opciones predeterminadas puede causar problemas. ¡Cuidado! Vulkan Extensions - + Extensiones de Vulkan - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Estado extendido dinamico esta desactivado en macOS por parte de los incompatibilidades en MoltenVK que causa pantallas negras. @@ -3467,7 +3634,7 @@ Would you like to delete the old save data? Console Mode - Modo de la consola + Modo consola @@ -3697,7 +3864,7 @@ Would you like to delete the old save data? Ring Controller - Ring Controller + Mando Ring @@ -3724,7 +3891,7 @@ Would you like to delete the old save data? Enable XInput 8 player support (disables web applet) - Activar soporte de 8 jugadores XInput (desactiva la web applet) + Activar soporte para 8 jugadores XInput (desactiva la web applet) @@ -3749,7 +3916,7 @@ Would you like to delete the old save data? Allows unlimited uses of the same Amiibo in games that would otherwise limit you to one use. - Permite usos ilimitados del mismo Amiibo en juegos que, de otra manera, sólo te permiten usarlo una vez. + Permite usos ilimitados del mismo Amiibo en juegos que, de otra manera, solo te permiten usarlo una vez. @@ -3869,7 +4036,7 @@ Would you like to delete the old save data? - + Left Stick Palanca izquierda @@ -3979,14 +4146,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3999,22 +4166,22 @@ Would you like to delete the old save data? - + Plus Más - + ZR ZR - - + + R R @@ -4071,7 +4238,7 @@ Would you like to delete the old save data? - + Right Stick Palanca derecha @@ -4240,88 +4407,88 @@ Para invertir los ejes, mueve primero el joystick de manera vertical, y luego ho Sega Genesis - + Start / Pause Inicio / Pausa - + Z Z - + Control Stick Palanca de control - + C-Stick C-Stick - + Shake! ¡Agita! - + [waiting] [esperando] - + New Profile Nuevo perfil - + Enter a profile name: Introduce un nombre de perfil: - - + + Create Input Profile Crear perfil de entrada - + The given profile name is not valid! ¡El nombre de perfil introducido no es válido! - + Failed to create the input profile "%1" Error al crear el perfil de entrada "%1" - + Delete Input Profile Eliminar perfil de entrada - + Failed to delete the input profile "%1" Error al eliminar el perfil de entrada "%1" - + Load Input Profile Cargar perfil de entrada - + Failed to load the input profile "%1" Error al cargar el perfil de entrada "%1" - + Save Input Profile Guardar perfil de entrada - + Failed to save the input profile "%1" Error al guardar el perfil de entrada "%1" @@ -4616,11 +4783,6 @@ Los valores actuales son %1% y %2% respectivamente. Enable Airplane Mode Activa modo avión - - - None - Ninguna - ConfigurePerGame @@ -4672,55 +4834,60 @@ Los valores actuales son %1% y %2% respectivamente. Some settings are only available when a game is not running. - Algunos ajustes sólo están disponibles cuando no se estén ejecutando los juegos. + Algunos ajustes solo están disponibles cuando no se estén ejecutando los juegos. - + Add-Ons Extras / Add-Ons - + System Sistema - + CPU CPU - + Graphics Gráficos - + Adv. Graphics Gráficos avanz. - + Ext. Graphics - + Extensiones Gráficas - + Audio Audio - + Input Profiles Perfiles de entrada - + Network - + Red + Applets + Applets + + + Properties Propiedades @@ -4738,15 +4905,114 @@ Los valores actuales son %1% y %2% respectivamente. Extras / Add-Ons - + + Import Mod from ZIP + Importar mod desde un archivo comprimido + + + + Import Mod from Folder + Importar mod desde una carpeta + + + Patch Name Nombre del parche - + Version Versión + + + Mod Install Succeeded + Mod instalado con éxito + + + + Successfully installed all mods. + Instalados todos los mods con éxito. + + + + Mod Install Failed + Fallo al instalar mod + + + + Failed to install the following mods: + %1 +Check the log for details. + Fallo al instalar los siguientes mods: + %1 +Compruebe los registros para más detalles. + + + + Mod Folder + Carpeta del mod + + + + Zipped Mod Location + Ubicación del mod comprimido + + + + Zipped Archives (*.zip) + Archivos comprimidos (*.zip) + + + + Invalid Selection + Selección inválida + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + Solo mods, trucos y parches pueden ser borrados. +Para borrar las actualizaciones instaladas en la NAND, haga clic derecho en el juego de la lista de juegos y haga clic en Eliminar -> Eliminar actualización instalada. + + + + You are about to delete the following installed mods: + + Está a punto de eliminar los siguientes mods instalados: + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + Una vez eliminados, estos NO se pueden recuperar. ¿Está 100% seguro de que desea eliminarlos? + + + + Delete add-on(s)? + ¿Borrar complemento(s)? + + + + Successfully deleted + Éxito al borrar + + + + Successfully deleted all selected mods. + Éxito al borrar los mods seleccionados. + + + + &Delete + &Borrar + + + + &Open in File Manager + &Abrir en el gestor de archivos + ConfigureProfileManager @@ -4783,7 +5049,7 @@ Los valores actuales son %1% y %2% respectivamente. Profile management is available only when game is not running. - El sistema de perfiles sólo se encuentra disponible cuando no se estén ejecutando los juegos. + El sistema de perfiles solo se encuentra disponible cuando no se estén ejecutando los juegos. @@ -4794,80 +5060,80 @@ Los valores actuales son %1% y %2% respectivamente. %2 - + Users Usuarios - + Error deleting image Error al eliminar la imagen - + Error occurred attempting to overwrite previous image at: %1. Ha ocurrido un error al intentar sobrescribir la imagen anterior en: %1. - + Error deleting file Error al eliminar el archivo - + Unable to delete existing file: %1. No se puede eliminar el archivo existente: %1. - + Error creating user image directory Error al crear el directorio de imagen del usuario - + Unable to create directory %1 for storing user images. - No se puede crear el directorio %1 para almacenar imágenes de usuario. + No se pudo crear el directorio %1 para almacenar las imágenes del usuario. - + Error saving user image Error al guardar el imagen de usuario - + Unable to save image to file Error al guardar el imagen al archivo - + &Edit - + &Editar - + &Delete - + &Borrar - + Edit User - + Editar usuario ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. ¿Eliminar este usuario? Todos los datos de guardado del usuario serán eliminados. - + Confirm Delete Confirmar eliminación - + Name: %1 UUID: %2 Nombre: %1 @@ -4879,17 +5145,17 @@ UUID: %2 Configure Ring Controller - Configurar Ring Controller + Configurar mando Ring To use Ring-Con, configure player 1 as right Joy-Con (both physical and emulated), and player 2 as left Joy-Con (left physical and dual emulated) before starting the game. - Para usar el Ring-Con, configura al jugador 1 como el Joy-Con derecho (tanto físico como emulado) y al jugador 2 como el Joy-Con izquierdo (tanto físico como emulado) antes de correr el juego. + Para usar el Ring-Con, configure al jugador 1 como el Joy-Con derecho (tanto físico como emulado) y al jugador 2 como el Joy-Con izquierdo (tanto físico como emulado) antes de ejecutar el juego. Virtual Ring Sensor Parameters - Parámetros del sensor Ring virtual + Parámetros del sensor del mando Ring virtual @@ -4979,12 +5245,12 @@ UUID: %2 The current mapped device doesn't support the ring controller - El dispositivo de entrada actual no soporta el Ring Controller. + El dispositivo de entrada actual no soporta el mando ring. The current mapped device doesn't have a ring attached - El dispositivo de entrada actual no tiene el Ring incorporado + El dispositivo de entrada actual no tiene el ring incorporado @@ -5036,7 +5302,7 @@ UUID: %2 <html><head/><body><p>Reads controller input from scripts in the same format as TAS-nx scripts.<br/>For a more detailed explanation, please consult the user handbook.</p></body></html> - + <html><head/><body><p>Lee la entrada del mando desde los scripts en el mismo formato que los scripts TAS-nx.<br/>Para una explicación más detallada, por favor consulte el manual de usuario.</p></body></html> @@ -5046,7 +5312,7 @@ UUID: %2 WARNING: This is an experimental feature.<br/>It will not play back scripts frame perfectly with the current, imperfect syncing method. - AVISO: Esta función es experimental.<br/>No se reproducirán perfectamente los scripts con el método imperfecto actual de sincronización. + ADVERTENCIA: Esta es una función experimental.<br/>No se reproducirán perfectamente los scripts con el actual método imperfecto de sincronización. @@ -5056,7 +5322,7 @@ UUID: %2 Enable TAS features - Activar características TAS + Activar funciones TAS @@ -5069,17 +5335,22 @@ UUID: %2 Pausar ejecución durante las cargas - + + Show recording dialog + Mostrar diálogo de grabación + + + Script Directory Directorio de scripts - + Path Ruta - + ... ... @@ -5089,12 +5360,12 @@ UUID: %2 TAS Configuration - Configuración TAS + Configuración del TAS - + Select TAS Load Directory... - Selecciona el directorio de carga TAS... + Seleccione el directorio de carga del TAS... @@ -5128,8 +5399,8 @@ UUID: %2 Click the bottom area to add a point, then press a button to bind. Drag points to change position, or double-click table cells to edit values. - Haz clic en el área inferior para añadir un punto, y luego presiona un botón para vincularlo. -Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de la tabla para editar los valores. + Haga clic en el área inferior para añadir un punto, y luego presione un botón para vincularlo. +Arrastre los puntos para cambiar de posición, o haga doble clic en las celdas de la tabla para editar los valores. @@ -5161,7 +5432,7 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de Enter the name for the new profile. - Introduce un nombre para el nuevo perfil: + Introduzca un nombre para el nuevo perfil: @@ -5186,7 +5457,7 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de [press key] - [presionar tecla] + [presione una tecla] @@ -5199,7 +5470,7 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de Warning: The settings in this page affect the inner workings of Eden's emulated touchscreen. Changing them may result in undesirable behavior, such as the touchscreen partially or not working. You should only use this page if you know what you are doing. - Auxilio: Las configuraciones en esta página afectan el funcionamiento interno de la pantalla tactil emulado de eden. Cambiando estas configuraciones puede resultar en comportamiento indeseable, por ejemplo, la pantalla parando de trabajar. Solamente deberías usar este pagina si sabes lo que estas haciendo. + Advertencia: Los ajustes en esta página afectan al funcionamiento interno de la pantalla táctil emulada de Eden. Cambiando estos ajustes pueden resultar en comportamientos indeseados, por ejemplo que la pantalla táctil no funcione parcial o totalmente. Solo debería usar esta página si sabe lo que está haciendo. @@ -5230,64 +5501,43 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de ConfigureUI - - - + + None Ninguno - - Small (32x32) - Pequeño (32x32) - - - - Standard (64x64) - Estándar (64x64) - - - - Large (128x128) - Grande (128x128) - - - - Full Size (256x256) - Tamaño completo (256x256) - - - + Small (24x24) Pequeño (24x24) - + Standard (48x48) Estándar (48x48) - + Large (72x72) Grande (72x72) - + Filename Nombre del archivo - + Filetype Tipo de archivo - + Title ID ID del título - + Title Name Nombre del título @@ -5356,71 +5606,66 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de - Game Icon Size: - Tamaño de los iconos de los juegos: - - - Folder Icon Size: Tamaño de los iconos de la carpeta: - + Row 1 Text: Texto de fila 1: - + Row 2 Text: Texto de fila 2: - + Screenshots Capturas de pantalla - + Ask Where To Save Screenshots (Windows Only) - Preguntar dónde guardar las capturas de pantalla (sólo en Windows) + Preguntar dónde guardar las capturas de pantalla (solo en Windows) - + Screenshots Path: Ruta de las capturas de pantalla: - + ... ... - + TextLabel TextLabel - + Resolution: Resolución: - + Select Screenshots Path... Selecciona la ruta de las capturas de pantalla: - + <System> <System> - + English Inglés - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5554,20 +5799,20 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de Mostrar el juego actual en el estado de Discord - - + + All Good Tooltip Todo bien - + Must be between 4-20 characters Tooltip Debe tener entre 4-20 caracteres - + Must be 48 characters, and lowercase a-z Tooltip Debe tener 48 caracteres, solo letras minúsculas a-z @@ -5599,27 +5844,27 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de ¡Eliminar CUALQUIER data es IRREVERSIBLE! - + Shaders Sombreadores - + UserNAND NAND de usuario - + SysNAND NAND de sistema - + Mods - Modificaciones + Mods - + Saves Guardados @@ -5657,7 +5902,7 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de Importar toda la data en este directorio. Esto puede tomar un tiempo, ¡y borrará TODA LA DATA EXISTENTE! - + Calculating... Calculando... @@ -5680,12 +5925,12 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de <html><head/><body><p>Los proyectos que hicieron Eden posible </p></body></html> - + Dependency Dependencia - + Version Versión @@ -5861,44 +6106,44 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf GRenderWindow - - + + OpenGL not available! ¡OpenGL no está disponible! - + OpenGL shared contexts are not supported. Los contextos compartidos de OpenGL no son compatibles. - + Eden has not been compiled with OpenGL support. Eden no ha sido compilado con soporte para OpenGL. - - + + Error while initializing OpenGL! ¡Error al inicializar OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Tu GPU no soporta OpenGL, o no tienes instalados los últimos controladores gráficos. - + Error while initializing OpenGL 4.6! ¡Error al iniciar OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Tu GPU no soporta OpenGL 4.6, o no tienes instalado el último controlador de la tarjeta gráfica.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Es posible que la GPU no soporte una o más extensiones necesarias de OpenGL . Por favor, asegúrate de tener los últimos controladores de la tarjeta gráfica.<br><br>GL Renderer:<br>%1<br><br>Extensiones no soportadas:<br>%2 @@ -5906,203 +6151,208 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf GameList - + + &Add New Game Directory + &Añadir un nuevo directorio de juego + + + Favorite Favorito - + Start Game Iniciar juego - + Start Game without Custom Configuration Iniciar juego sin la configuración personalizada - + Open Save Data Location Abrir ubicación de los archivos de guardado - + Open Mod Data Location Abrir ubicación de los mods - + Open Transferable Pipeline Cache Abrir caché de canalización de shaders transferibles - + Link to Ryujinx - + Enlace a Ryujinx - + Remove Eliminar - + Remove Installed Update Eliminar la actualización instalada - + Remove All Installed DLC Eliminar todos los DLC instalados - + Remove Custom Configuration Eliminar la configuración personalizada - + Remove Cache Storage Quitar almacenamiento de caché - + Remove OpenGL Pipeline Cache Eliminar caché de canalización de OpenGL - + Remove Vulkan Pipeline Cache Eliminar caché de canalización de Vulkan - + Remove All Pipeline Caches Eliminar todas las cachés de canalización - + Remove All Installed Contents Eliminar todo el contenido instalado - + Manage Play Time Gestionar tiempo de juego - + Edit Play Time Data Editar data de tiempo de juego - + Remove Play Time Data Eliminar información del tiempo de juego - - + + Dump RomFS Volcar RomFS - + Dump RomFS to SDMC Volcar RomFS a SDMC - + Verify Integrity Verificar integridad - + Copy Title ID to Clipboard Copiar la ID del título al portapapeles - + Navigate to GameDB entry Ir a la sección de bases de datos del juego - + Create Shortcut Crear acceso directo - + Add to Desktop Añadir al escritorio - + Add to Applications Menu Añadir al menú de aplicaciones - + Configure Game Configurar juego - + Scan Subfolders Escanear subdirectorios - + Remove Game Directory Eliminar directorio de juegos - + ▲ Move Up ▲ Mover hacia arriba - + ▼ Move Down ▼ Mover hacia abajo - + Open Directory Location Abrir ubicación del directorio - + Clear Limpiar - + Name Nombre - + Compatibility Compatibilidad - + Add-ons Extras/Add-ons - + File type Tipo de archivo - + Size Tamaño - + Play time Tiempo de juego @@ -6110,62 +6360,62 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf GameListItemCompat - + Ingame En juego - + Game starts, but crashes or major glitches prevent it from being completed. El juego se inicia, pero se bloquea o se producen fallos importantes que impiden completarlo. - + Perfect Perfecta - + Game can be played without issues. El juego se puede jugar sin problemas. - + Playable Jugable - + Game functions with minor graphical or audio glitches and is playable from start to finish. El juego tiene algunos errores gráficos o de sonido, pero se puede jugar de principio a fin. - + Intro/Menu Inicio/Menu - + Game loads, but is unable to progress past the Start Screen. El juego se ejecuta, pero no puede avanzar de la pantalla de inicio. - + Won't Boot No funciona - + The game crashes when attempting to startup. El juego se bloquea al intentar iniciar. - + Not Tested Sin testear - + The game has not yet been tested. El juego todavía no ha sido testeado todavía. @@ -6173,7 +6423,7 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf GameListPlaceholder - + Double-click to add a new folder to the game list Haz doble clic para agregar un nuevo directorio a la lista de juegos. @@ -6181,17 +6431,17 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf GameListSearchField - + %1 of %n result(s) %1 de %n resulto(s)%1 de %n resultado(s)%1 de %n resultado(s) - + Filter: Búsqueda: - + Enter pattern to filter Introduce un patrón para buscar @@ -6267,12 +6517,12 @@ Por favor, vaya a Configuración -> Sistema -> Red y selecciona una interf HostRoomWindow - + Error Error - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Se fallo anunciar la sala al vestíbulo público. En orden para Anfitrar el sala publicamente, se require que tienes una cuenta de Eden valida en Emulacion -> Configura -> Web. Si no quieres publicar una sala en el vestibulo publico, seleccione no listada en ves. @@ -6282,19 +6532,11 @@ Mensaje de depuración: Hotkeys - + Audio Mute/Unmute Activar/Desactivar audio - - - - - - - - @@ -6317,154 +6559,180 @@ Mensaje de depuración: + + + + + + + + + + + Main Window Ventana principal - + Audio Volume Down Bajar volumen del audio - + Audio Volume Up Subir volumen del audio - + Capture Screenshot Captura de pantalla - + Change Adapting Filter Cambiar filtro adaptable - + Change Docked Mode Cambiar a modo sobremesa - + Change GPU Mode - + Cambiar modo de la GPU - + Configure Configurar - + Configure Current Game Configure el Juego actual - + Continue/Pause Emulation Continuar/Pausar emulación - + Exit Fullscreen Salir de pantalla completa - + Exit Eden - Salte de Eden + Salir de Eden - + Fullscreen Pantalla completa - + Load File Cargar archivo - + Load/Remove Amiibo Cargar/Eliminar Amiibo - - Multiplayer Browse Public Game Lobby - Buscar en el lobby de juegos públicos multijugador + + Browse Public Game Lobby + Buscar en la sala de juegos públicos - - Multiplayer Create Room - Crear sala multijugador + + Create Room + Crear sala - - Multiplayer Direct Connect to Room - Conexión directa a la sala multijugador + + Direct Connect to Room + Conexión directa a sala - - Multiplayer Leave Room - Abandonar sala multijugador + + Leave Room + Abandonar sala - - Multiplayer Show Current Room - Mostrar actual sala multijugador + + Show Current Room + Mostrar sala actual - + Restart Emulation Reiniciar emulación - + Stop Emulation Detener emulación - + TAS Record Grabar TAS - + TAS Reset Reiniciar TAS - + TAS Start/Stop Iniciar/detener TAS - + Toggle Filter Bar Alternar barra de filtro - + Toggle Framerate Limit Alternar limite de fotogramas - + + Toggle Turbo Speed + Alternar velocidad turbo + + + + Toggle Slow Speed + Alternar velocidad lenta + + + Toggle Mouse Panning Alternar desplazamiento del ratón - + Toggle Renderdoc Capture Alternar Captura de Renderdoc - + Toggle Status Bar Alternar barra de estado + + + Toggle Performance Overlay + Alternar superposición de rendimiento + InstallDialog @@ -6504,12 +6772,12 @@ Mensaje de depuración: Loading Shaders 387 / 1628 - Cargando shaders 387 / 1628 + Cargando sombreadores 387 / 1628 Loading Shaders %v out of %m - Cargando shaders %v de %m + Cargando sombreadores %v de %m @@ -6517,22 +6785,22 @@ Mensaje de depuración: Tiempo estimado 5m 4s - + Loading... Cargando... - + Loading Shaders %1 / %2 - Cargando shaders %1 / %2 + Cargando sombreadores %1 / %2 - + Launching... Iniciando... - + Estimated Time %1 Tiempo estimado %1 @@ -6578,45 +6846,45 @@ Mensaje de depuración: Refresh Lobby - Actualizar lobby + Actualizar sala - + Password Required to Join Contraseña necesaria para unirse - + Password: Contraseña: - + Players Jugadores - + Room Name Nombre de sala - + Preferred Game Juego preferente - + Host Anfitrión - + Refreshing Actualizando - + Refresh List Actualizar lista @@ -6665,1293 +6933,1384 @@ Mensaje de depuración: + &Game List Mode + Modo de la lista de &juegos + + + + Game &Icon Size + Tamaño del &icono de los juegos + + + Reset Window Size to &720p Reiniciar el tamaño de la ventana a &720p - + Reset Window Size to 720p Reiniciar el tamaño de la ventana a 720p - + Reset Window Size to &900p Reiniciar el tamaño de la ventana a &900p - + Reset Window Size to 900p Reiniciar el tamaño de la ventana a 900p - + Reset Window Size to &1080p Reiniciar el tamaño de la ventana a &1080p - + Reset Window Size to 1080p Reiniciar el tamaño de la ventana a 1080p - + &Multiplayer &Multijugador - + &Tools &Herramientas - + Am&iibo Am&iibo - + Launch &Applet - + Ejecutar &Applet - + &TAS &TAS - + &Create Home Menu Shortcut &Cree un Atajo del Menu de Inicio - + Install &Firmware Instalar &Firmware - + &Help &Ayuda - + &Install Files to NAND... &Instalar archivos en NAND... - + L&oad File... C&argar archivo... - + Load &Folder... Cargar &carpeta - + E&xit S&alir - - + + &Pause &Pausar - + &Stop &Detener - + &Verify Installed Contents &Verificar contenidos instalados - + &About Eden - &Sobre Eden + &Acerca de Eden - + Single &Window Mode Modo &ventana - + Con&figure... Con&figurar... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet - + Activar applet de visualización superpuesta - + Show &Filter Bar Mostrar barra de &búsqueda - + Show &Status Bar Mostrar barra de &estado - + Show Status Bar Mostrar barra de estado - + &Browse Public Game Lobby - &Buscar en el lobby de juegos públicos + &Buscar en la sala de juegos públicos - + &Create Room &Crear sala - + &Leave Room &Abandonar sala - + &Direct Connect to Room &Conexión directa a una sala - + &Show Current Room &Mostrar sala actual - + F&ullscreen P&antalla completa - + &Restart &Reiniciar - + Load/Remove &Amiibo... Cargar/Eliminar &Amiibo... - + &Report Compatibility &Reporte de compatibilidad - + Open &Mods Page Abrir página de &mods - + Open &Quickstart Guide Abrir guía de &inicio rápido - + &FAQ &Preguntas frecuentes - + &Capture Screenshot &Captura de pantalla - + &Album - + &Álbum - + &Set Nickname and Owner &Darle nombre y propietario - + &Delete Game Data &Borrar datos de juego - + &Restore Amiibo &Restaurar Amiibo - + &Format Amiibo &Formatear Amiibo - + &Mii Editor - + &Editor de Mii - + &Configure TAS... &Configurar TAS... - + Configure C&urrent Game... Configurar j&uego actual... - - + + &Start &Iniciar - + &Reset &Reiniciar - - + + R&ecord G&rabar - + Open &Controller Menu Abrir Menú de &Mandos - + Install Decryption &Keys Instalar &llaves de desencriptación - + &Home Menu - + &Menú de inicio - + &Desktop &Escritorio - + &Application Menu &Menu de aplicación - + &Root Data Folder &Datos de Archivo Root - + &NAND Folder &Archivo NAND - + &SDMC Folder &Archivo SDMC - + &Mod Folder - &Archivo Mod + Carpeta de &mods - + &Log Folder &Archivo Registro - + From Folder Del Archivo - + From ZIP Del ZIP - + &Eden Dependencies &Dependencias de Eden - + &Data Manager Gestor de &Data - + + &Tree View + Vista en &árbol + + + + &Grid View + Vista en &cuadricula + + + + Game Icon Size + Tamaño del icono de los juegos + + + + + + None + Nada + + + + Show Game &Name + Mostrar el &nombre del juego + + + + Show &Performance Overlay + Mostrar superposición de &rendimiento + + + + Small (32x32) + Pequeño (32x32) + + + + Standard (64x64) + Estandar (64x64) + + + + Large (128x128) + Grande (128x128) + + + + Full Size (256x256) + Tamaño completo (256x256) + + + Broken Vulkan Installation Detected - + Detectada instalación fallida de Vulkan - + Vulkan initialization failed during boot. - + La inicialización de Vulkan falló durante el arranque. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Ejecutando un juego - + Loading Web Applet... - + Cargando applet web... - - + + Disable Web Applet - + Desactivar applet web - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + Desactivar el applet web puede causar comportamientos inesperados y debería solo ser usado con Super Mario 3D All-Stars. ¿Está seguro de que quiere desactivar el applet web? +(Puede ser activado en las ajustes de depuración.) - + The amount of shaders currently being built - + La cantidad de sombreadores que se están contruyendo actualmente - + The current selected resolution scaling multiplier. - + El multiplicador de escalado de resolución seleccionado actualmente. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + Velocidad de emulación actual. Los valores superiores o inferiores al 100% indican que la emulación se ejecuta más rápida o más lenta que en una Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + La cantidad de fotogramas por segundo que muestra el juego actualmente. Esto varía según el juego y la escena. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Tiempo empleado en emular un fotograma de la Switch, sin contar la limitación de fotogramas ni la sincronización vertical. Para una emulación a máxima velocidad, debería ser de 16,67 ms como máximo. - + Unmute - + Desilenciar - + Mute - + Silenciar - + Reset Volume - + Restablecer volumen - + &Clear Recent Files - + &Limpiar archivos recientes - + &Continue - + &Continuar - + Warning: Outdated Game Format - + Advertencia: formato del juego obsoleto - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - + Está usando el formato de directorio ROM deconstruido para este juego, el cual es un formato obsoleto que ha sido reemplazado por otros como NCA, NAX, XCI o NSP. Los directorios ROM deconstruidos carecen de iconos, metadatos y compatibilidad con actualizaciones.<br>Para obtener una explicación de los distintos formatos de la Switch compatibles con Eden, consulte nuestro manual de usuario. Este mensaje no volverá a aparecer de nuevo. - - + + Error while loading ROM! - + ¡Error al cargar la ROM! - + The ROM format is not supported. - + El formato de la ROM no está soportado. - + An error occurred initializing the video core. - + Se produjo un error al inicializar el núcleo de video. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Eden ha detectado un error al ejecutar el núcleo de vídeo. Esto suele deberse por usar controladores de la GPU obsoletos, incluidos los integrados. Consulte el registro para obtener más información. Para más información sobre cómo acceder al archivo de registro, por favor consulte la siguiente página: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>Cómo subir el archivo de registro</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + ¡Error al cargar la ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + %1<br>Por favor vuelva a volcar sus archivos, o pida ayuda en Discord/Stoat. - + An unknown error occurred. Please see the log for more details. - + Ha ocurrido un error desconocido. Por favor mire el registro para más detalles. - + (64-bit) - + (64-bit) - + (32-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + %1 %2 - + Closing software... - + Cerrando el programa... - + Save Data - + Datos de guardado - + Mod Data - + Datos del mod - + Error Opening %1 Folder - + Error abriendo la carpeta %1 - - + + Folder does not exist! - + ¡La carpeta no existe! - + Remove Installed Game Contents? - + ¿Eliminar el contenido instalado del juego? - + Remove Installed Game Update? - + ¿Eliminar la actualización instalada del juego? - + Remove Installed Game DLC? - + ¿Eliminar el contenido descargable instalado del juego? - + Remove Entry - + Eliminar entrada - + Delete OpenGL Transferable Shader Cache? - + ¿Desea eliminar el caché transferible de sombreadores de OpenGL? - + Delete Vulkan Transferable Shader Cache? - + ¿Desea eliminar el caché transferible de sombreadores de Vulkan? - + Delete All Transferable Shader Caches? - + ¿Desea eliminar todo el caché transferible de sombreadores? - + Remove Custom Game Configuration? - + ¿Borrar configuración personalizada del juego? - + Remove Cache Storage? - + ¿Borrar el almacenamiento de caché? - + Remove File - + Eliminar archivo - + Remove Play Time Data - + Eliminar datos del tiempo de juego - + Reset play time? - + ¿Reiniciar el tiempo de juego? - - + + RomFS Extraction Failed! - + ¡Fallo al extraer el RomFS! - + There was an error copying the RomFS files or the user cancelled the operation. - + Ocurrió un error al copiar los archivos de la RomFS o el usuario canceló la operación. - + Full - + Completo - + Skeleton - + Esqueleto - + Select RomFS Dump Mode - + Seleccione el método de volcado del RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + Por favor seleccione como quiere que sea volcada la RomFS.<br>Completa copiará todos los archivos en el nuevo directorio mientras que <br>esqueleto solo creará la estructura de los directorios. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + No hay suficiente espacio libre en %1 para extraer la RomFS. Por favor libera espacio o selecciona un directorio de volcado diferente en Emulación > Configurar > Sistema > Sistema de archivos > Volcado raiz - + Extracting RomFS... - + Extrayendo el RomFS... - - + + Cancel - + Cancelar - + RomFS Extraction Succeeded! - + ¡La extracción del RomFS ha sido un éxito! - + The operation completed successfully. - + La operación se completó con éxito. - + Error Opening %1 - + Error al abrir %1 - + Select Directory - + Seleccionar directorio - + Properties - + Propiedades - + The game properties could not be loaded. - + No se pudieron cargar las propiedades del juego. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Ejecutable de Switch (%1);;Todos los archivos (*.*) - + Load File - + Cargar archivo - + Open Extracted ROM Directory - + Abrir directorio de la ROM extraída - + Invalid Directory Selected - + Seleccionado directorio inválido - + The directory you have selected does not contain a 'main' file. - + El directorio seleccionado no contiene un archivo 'main'. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Archivo de Switch instalable (*.nca *.nsp *.xci);;Archivo de contenido de Nintendo (*.nca);;Paquete de envío de Nintendo (*.nsp);;Imagen de cartucho NX (*.xci) - + Install Files - + Instalar archivos - + %n file(s) remaining - + %n archivo(s) restantes%n archivo(s) restantes%n archivo(s) restantes - + Installing file "%1"... - + Instalando el archivo "%1"... - - + + Install Results - - - - - To avoid possible conflicts, we discourage users from installing base games to the NAND. -Please, only use this feature to install updates and DLC. - - - - - %n file(s) were newly installed - - - - - - %n file(s) were overwritten - - - - - - %n file(s) failed to install - - - - - - System Application - - - - - System Archive - - - - - System Application Update - - - - - Firmware Package (Type A) - - - - - Firmware Package (Type B) - - - - - Game - - - - - Game Update - - - - - Game DLC - - - - - Delta Title - - - - - Select NCA Install Type... - - - - - Please select the type of title you would like to install this NCA as: -(In most instances, the default 'Game' is fine.) - - - - - Failed to Install - - - - - The title type you selected for the NCA is invalid. - + Resultados de la instalación + To avoid possible conflicts, we discourage users from installing base games to the NAND. +Please, only use this feature to install updates and DLC. + Para evitar posibles conflictos, desaconsejamos instalar juegos base en la NAND. +Por favor, use solo esta función para instalar actualizaciones y contenido descargable. + + + + %n file(s) were newly installed + + %n archivo(s) se instalaron recientemente +%n archivo(s) se instalaron recientemente +%n archivo(s) se instalaron recientemente + + + + + %n file(s) were overwritten + + %n archivo(s) fueron sobreescritos +%n archivo(s) fueron sobreescritos +%n archivo(s) fueron sobreescritos + + + + + %n file(s) failed to install + + fallo al instalar %n archivo(s) +fallo al instalar %n archivo(s) +fallo al instalar %n archivo(s) + + + + + System Application + Aplicación del sistema + + + + System Archive + Archivo del sistema + + + + System Application Update + Actualización de aplicación del sistema + + + + Firmware Package (Type A) + Paquete de firmware (Tipo A) + + + + Firmware Package (Type B) + Paquete de firmware (Tipo B) + + + + Game + Juego + + + + Game Update + Actualización del juego + + + + Game DLC + Contenido descargable del juego + + + + Delta Title + Título Delta + + + + Select NCA Install Type... + Seleccione el tipo de instalación NCA... + + + + Please select the type of title you would like to install this NCA as: +(In most instances, the default 'Game' is fine.) + Seleccione el tipo de título en el que desea instalar este NCA: +(En la mayoría de los casos, la opción predeterminada "Juego" es suficiente). + + + + Failed to Install + Fallo al instalar + + + + The title type you selected for the NCA is invalid. + El tipo de título que ha seleccionado para el NCA es inválido. + + + File not found - + Archivo no encontrado - + File "%1" not found - + Archivo "%1" no encontrado - + OK - + Aceptar - + Function Disabled - + Función desactivada - + Compatibility list reporting is currently disabled. Check back later! - + Los informes de la lista de compatibilidad están deshabilitados. ¡Vuelva más tarde! - + Error opening URL - + Error abriendo URL - + Unable to open the URL "%1". - + No se pudo abrir URL "%1". - + TAS Recording - + Grabación TAS - + Overwrite file of player 1? - - - - - Invalid config detected - - - - - Handheld controller can't be used on docked mode. Pro controller will be selected. - - - - - - Amiibo - - - - - - The current amiibo has been removed - - - - - Error - - - - - - The current game is not looking for amiibos - + ¿Sobrescribir el archivo del jugador 1? - Amiibo File (%1);; All Files (*.*) - + Invalid config detected + Detectada configuración inválida + Handheld controller can't be used on docked mode. Pro controller will be selected. + El mando del modo portátil no puede usarse en el modo sobremesa. El mando pro será seleccionado en su lugar. + + + + + Amiibo + Amiibo + + + + + The current amiibo has been removed + El amiibo actual fue borrado + + + + Error + Error + + + + + The current game is not looking for amiibos + El juego actual no está buscando amiibos + + + + Amiibo File (%1);; All Files (*.*) + Archivo Amiibo (%1);; Todos los archivos (*.*) + + + Load Amiibo - + Cargar Amiibo - + Error loading Amiibo data - - - - - The selected file is not a valid amiibo - - - - - The selected file is already on use - - - - - An unknown error occurred - - - - - - Keys not installed - - - - - - Install decryption keys and restart Eden before attempting to install firmware. - - - - - Select Dumped Firmware Source Location - - - - - Select Dumped Firmware ZIP - - - - - Zipped Archives (*.zip) - - - - - Firmware cleanup failed - - - - - Failed to clean up extracted firmware cache. -Check write permissions in the system temp directory and try again. -OS reported error: %1 - + Error al cargar los datos del Amiibo - No firmware available - + The selected file is not a valid amiibo + El archivo seleccionado no es un amiibo válido - Firmware Corrupted - + The selected file is already on use + El archivo seleccionado se encuentra en uso - - Unknown applet - + + An unknown error occurred + Ha ocurrido un error desconocido - - Applet doesn't map to a known value. - + + + Keys not installed + Claves no instaladas - - Record not found - + + + Install decryption keys and restart Eden before attempting to install firmware. + Instale las claves de desencriptado y reinicie Eden antes de intentar instalar el firmware. - - Applet not found. Please reinstall firmware. - + + Select Dumped Firmware Source Location + Seleccionar ubicación fuente del firmware volcado - - Capture Screenshot - + + Select Dumped Firmware ZIP + Seleccionar ZIP del firmware volcado - - PNG Image (*.png) - + + Zipped Archives (*.zip) + Archivos comprimidos (*.zip) + Firmware cleanup failed + Fallo al limpiar firmware + + + + Failed to clean up extracted firmware cache. +Check write permissions in the system temp directory and try again. +OS reported error: %1 + Fallo al limpiar el cache del firmware extraído. +Compruebe los permisos de escritura en el directorio de temporales del sistema e inténtelo de nuevo. +Error reportado por el sistema operativo: %1 + + + + No firmware available + No hay firmware disponible + + + + Firmware Corrupted + Firmware corrompido + + + + Unknown applet + Applet desconocido + + + + Applet doesn't map to a known value. + Applet no asigna a un valor conocido. + + + + Record not found + Grabación no encontrada + + + + Applet not found. Please reinstall firmware. + Apple no encontrado. Por favor vuelva a instalar el firmware. + + + + Capture Screenshot + Captura de pantalla + + + + PNG Image (*.png) + Imagen PNG (*.png) + + + Update Available - + Actualización disponible - - Download the %1 update? - + + Download %1? + ¿Descargar %1? - + TAS state: Running %1/%2 - + Estado de TAS: Ejecutando %1/%2 - + TAS state: Recording %1 - + Estado de TAS: Grabando %1 - + TAS state: Idle %1/%2 - + Estado de TAS: Inactivo %1/%2 - + TAS State: Invalid - + Estado de TAS: Inválido - + &Stop Running - + &Parar de ejecutarse - + Stop R&ecording - + &Parar grabación - + Building: %n shader(s) - + Construyendo: %n sombreador(es)Construyendo: %n sombreador(es)Construyendo: %n sombreador(es) - + Scale: %1x %1 is the resolution scaling factor - + Escala: %1x - + Speed: %1% / %2% - + Velocidad: %1% / %2% - + Speed: %1% - + Velocidad: %1% - + Game: %1 FPS - + Juego: %1 FPS - + Frame: %1 ms - + Fotograma: %1 ms - + FSR - + FSR - + NO AA - + NO AA - + VOLUME: MUTE - + VOLUMEN: SILENCIADO - + VOLUME: %1% Volume percentage (e.g. 50%) - + VOLUMEN: %1% - + Derivation Components Missing - + Componentes de derivación ausentes - + Decryption keys are missing. Install them now? - + Las claves de desencriptado están ausentes. ¿Desea instalarlas ahora? - + Wayland Detected! - + ¡Wayland detectado! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. Would you like to force it for future launches? - - - - - Use X11 - - - - - Continue with Wayland - - - - - Don't show again - - - - - Restart Required - - - - - Restart Eden to apply the X11 backend. - - - - - Select RomFS Dump Target - - - - - Please select which RomFS you would like to dump. - - - - - Are you sure you want to close Eden? - - - - - - - Eden - + Wayland es famoso por presentar importantes problemas de rendimiento y misteriosos fallos. +Se recomienda usar X11 en su lugar. + +¿Le gustaría forzar a usarlo en futuras ejecuciones? - Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + Use X11 + Usar X11 - + + Continue with Wayland + Continuar con Wayland + + + + Don't show again + No mostrar de nuevo + + + + Restart Required + Reinicio requerido + + + + Restart Eden to apply the X11 backend. + Reinicie Eden para aplicar el motor X11. + + + + Slow + Lento + + + + Turbo + Turbo + + + + Unlocked + Desbloqueado + + + + Select RomFS Dump Target + Seleccione el destinatario para el volcado del RomFS + + + + Please select which RomFS you would like to dump. + Por favor seleccione que RomFS desea volcar. + + + + Are you sure you want to close Eden? + ¿Está seguro de que quiere cerrar Eden? + + + + + + Eden + Eden + + + + Are you sure you want to stop the emulation? Any unsaved progress will be lost. + ¿Está seguro de que desea parar la emulación? Cualquier progreso sin guardar se perderá. + + + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - - - None - + La aplicación que se está ejecutando actualmente ha solicitado que Eden no se detenga. + +¿Desea omitir esto y salir de todos modos? FXAA - + FXAA SMAA - + SMAA Nearest - + Más cercano Bilinear - + Bilineal Bicubic - - - - - Zero-Tangent - + Bicúbico - B-Spline - + Zero-Tangent + Tangente cero - Mitchell - + B-Spline + B-Spline - Spline-1 - + Mitchell + Mitchell - + + Spline-1 + Spline-1 + + + Gaussian - + Gaussiano Lanczos - + Lanczos ScaleForce - + ScaleForce Area - + Área MMPX - + MMPX Docked - + Anclado Handheld - + Portátil Fast - + Rápido Balanced - + Equilibrado Accurate - + Preciso Vulkan - - - - - OpenGL GLSL - + Vulkan - OpenGL SPIRV - - - - - OpenGL GLASM - + OpenGL GLSL + OpenGL GLSL + OpenGL SPIRV + OpenGL SPIRV + + + + OpenGL GLASM + OpenGL GLASM + + + Null - + Nulo MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 Conectando el directorio anticuado se fallo. A lo mejor necesitas iniciar con privilegios de administrador en Windows. SO dio error: %1 - + Note that your configuration and data will be shared with %1. @@ -7968,7 +8327,7 @@ Si esto no es deseable, borre los siguientes archivos: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7979,11 +8338,24 @@ Si quieres limpiar los archivos que se quedaron en el ubicacion de datos anticua %1 - + Data was migrated successfully. Datos se migraron con exito. + + ModSelectDialog + + + Dialog + Diálogo + + + + The specified folder or archive contains the following mods. Select which ones to install. + La carpeta o archivo indicado contiene los siguientes mods. Seleccione cuáles desea instalar. + + ModerationDialog @@ -8084,7 +8456,7 @@ Mensaje de depuración: Joining a room when the game is already running is discouraged and can cause the room feature not to work correctly. Proceed anyway? - No se recomienda unirse a una sala cuando el juego se está ejecutando ya que puede provocar que la funcionalidad de la sala no funcione correctamente. + No se recomienda unirse a una sala cuando el juego ya se está ejecutando porque puede provocar que la funcionalidad de la sala no funcione correctamente. ¿Proceder de todos modos? @@ -8114,127 +8486,127 @@ Proceed anyway? New User - + Nuevo usuario Change Avatar - + Cambiar avatar Set Image - + Seleccionar imagen UUID - + UUID Eden - + Eden Username - + Nombre de usuario UUID must be 32 hex characters (0-9, A-F) - + UUID debe ser 32 caracteres hexadecimales (0-9, A-F) Generate - + Generar - + Select User Image - + Seleccionar imagen de usuario - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + Formatos de imagen (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + No hay firmware disponible - + Please install the firmware to use firmware avatars. - + Por favor instala el firmware para usar los avatares del firmware. - - + + Error loading archive - + Error al cargar archivo - + Archive is not available. Please install/reinstall firmware. - + Archivo no disponible. Por favor instalar/reinstala el firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + No se ha podido ubicar la RomFS. Su archivo o claves de desencriptación pueden estar corruptas. - + Error extracting archive - + Error al descomprimir archivo - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + No se ha podido extraer la RomFS. Su archivo o claves de desencriptación pueden estar corruptas. - + Error finding image directory - + Error al buscar el directorio de imágenes - + Failed to find image directory in the archive. - + No se pudo encontrar el directorio de imágenes en el archivo. - + No images found - + No se encontraron imágenes - + No avatar images were found in the archive. - + No se encontraron imágenes de avatar en el archivo. - - + + All Good Tooltip - + Todo está bien - + Must be 32 hex characters (0-9, a-f) Tooltip - + Debe ser 32 caracteres hexadecimales (0-9, a-f) - + Must be between 1 and 32 characters Tooltip - + Debe ser entre 1 y 32 caracteres @@ -8270,6 +8642,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + Forma + + + + Frametime + Tiempo de fotograma + + + + 0 ms + 0 ms + + + + + Min: 0 + Mín: 0 + + + + + Max: 0 + Máx: 0 + + + + + Avg: 0 + Prom: 0 + + + + FPS + FPS + + + + 0 fps + 0 fps + + + + %1 fps + %1 fps + + + + + Avg: %1 + Prom: %1 + + + + + Min: %1 + Mín: %1 + + + + + Max: %1 + Máx: %1 + + + + %1 ms + %1 ms + + PlayerControlPreview @@ -8283,60 +8729,35 @@ p, li { white-space: pre-wrap; } Select - + Seleccionar Cancel - + Cancelar Background Color - + Color de fondo Select Firmware Avatar - + Seleccionar avatar del firmware QObject - - Installed SD Titles - Títulos instalados en la SD - - - - Installed NAND Titles - Títulos instalados en NAND - - - - System Titles - Títulos del sistema - - - - Add New Game Directory - Añadir un nuevo directorio de juegos - - - - Favorites - Favoritos - - - - - + + + Migration Migracion - + Clear Shader Cache Limpiar caché de sombreador @@ -8371,19 +8792,19 @@ p, li { white-space: pre-wrap; } No - + You can manually re-trigger this prompt by deleting the new config directory: %1 Puede volver a activar este mensaje manualmente si eliminas el nuevo directorio de configuración: %1 - + Migrating Migrando - + Migrating, this may take a while... Migrando, Esto se puede tardar... @@ -8774,6 +9195,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 esta jugando %2 + + + Play Time: %1 + Tiempo de juego: %1 + + + + Never Played + Nunca jugado + + + + Version: %1 + Versión: %1 + + + + Version: 1.0.0 + Versión: 1.0.0 + + + + Installed SD Titles + Títulos instalados en la SD + + + + Installed NAND Titles + Títulos instalados en NAND + + + + System Titles + Títulos del sistema + + + + Add New Game Directory + Añadir un nuevo directorio de juegos + + + + Favorites + Favoritos + QtAmiiboSettingsDialog @@ -8891,47 +9357,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware El juego requiere firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. El juego que está tratando de abrir requiere firmware para arrancar o para pasar el menú de apertura. Por favor, <a href='https://yuzu-mirror.github.io/help/quickstart'>volcar e instalar el firmware</a>, o presionar "OK" para abrir de todas formas. - + Installing Firmware... Instalando firmware... - - - - - + + + + + Cancel Cancelar - + Firmware Install Failed Instalación de Firmware Fallida. - + Firmware Install Succeeded Firmware instalado exitosamente. - + Firmware integrity verification failed! ¡Error en la verificación de integridad del firmware! - - + + Verification failed for the following files: %1 @@ -8940,206 +9406,206 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Verificando integridad... - - + + Integrity verification succeeded! ¡La verificación de integridad ha sido un éxito! - - + + The operation completed successfully. La operación se completó con éxito. - - + + Integrity verification failed! ¡Verificación de integridad se fallo! - + File contents may be corrupt or missing. Los contenidos del archivo pueden estar corruptos. - + Integrity verification couldn't be performed No se pudo ejecutar la verificación de integridad - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Instalacion de firmware cancellado , firmware podria estar en un mal estado o coruptos. contenidos de el archivo no pudieron ser verificados para validez. - + Select Dumped Keys Location Seleccionar ubicación de origen de los llaves volcados - + Decryption Keys install succeeded Instalación de llaves de descifra salo con exito - + Decryption Keys install failed Instalacion de las llaves de descifra se fallo - + Orphaned Profiles Detected! ¡Se detectaron perfiles huérfanos! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + ¡PODRÍAN SUCEDER COSAS MALAS E INESPERADAS SI NO LEE ESTO!<br>Eden ha detectado que los siguientes directorios de guardado no tienen perfil asociado:<br>%1<br><br>Los siguientes perfiles son válidos:<br>%2<br><br>Haga clic en "Aceptar" para abrir la carpeta de guardado y arreglar sus perfiles.<br>Consejo: copie el contenido de la carpeta más grande o la última modificada en otro lugar, elimine todos los perfiles huérfanos y mueva el contenido copiado al perfil correcto.<br><br>¿Aún tiene dudas? Consulte la <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>página de ayuda</a>.<br> - + Really clear data? ¿Realmente deseas borrar los datos? - + Important data may be lost! ¡Podrías perder información importante! - + Are you REALLY sure? ¿Estás REALMENTE seguro? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. ¡Una vez eliminados, tus datos no podrán recuperarse! Haz esto solo si estás 100% seguro de que deseas borrarlos. - + Clearing... Limpiando... - + Select Export Location Selecciona la Ubicación de Exportación. - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Archivos comprimidos (*.zip) - + Exporting data. This may take a while... Exportando datos. Esto puede tardar un poco... - + Exporting Exportando - + Exported Successfully Exportación Exitosa. - + Data was exported successfully. Los datos se exportaron correctamente. - + Export Cancelled Exportación cancelada. - + Export was cancelled by the user. La exportación fue cancelada por el usuario. - + Export Failed Exportación Fallida - + Ensure you have write permissions on the targeted directory and try again. Asegúrate de tener permisos de escritura en el directorio seleccionado e inténtalo nuevamente. - + Select Import Location Seleccionar ubicación de importación. - + Import Warning Advertencia al importar datos - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Todos los datos anteriores en este directorio serán eliminados. ¿Estás seguro de que deseas continuar? - + Importing data. This may take a while... Importando data. Esto puede tomar unos minutos... - + Importing Importando - + Imported Successfully Importación completada con éxito. - + Data was imported successfully. Los datos se importaron correctamente. - + Import Cancelled La importación fue cancelada. - + Import was cancelled by the user. La importación fue cancelada por el usuario. - + Import Failed Importación Fallida. - + Ensure you have read permissions on the targeted directory and try again. Asegúrate de tener permisos de lectura en el directorio seleccionado e inténtalo nuevamente. @@ -9147,324 +9613,387 @@ Haz esto solo si estás 100% seguro de que deseas borrarlos. QtCommon::FS - + Linked Save Data - + Datos de guardado enlazados - + Save data has been linked. - + Los datos de guardado han sido enlazados. + + + + Failed to link save data + Fallo al enlazar datos de guardado - Failed to link save data - - - - Could not link directory: %1 To: %2 - + No se pudo vincular el directorio: + %1 +A: + %2 + + + + Already Linked + Ya está vinculado - Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? + Este título ya está vinculado a Ryujinx. ¿Desea desvincularlo? - - This title is already linked to Ryujinx. Would you like to unlink it? - + + Failed to unlink old directory + Fallo al desvincular el directorio antiguo - Failed to unlink old directory - - - - - - OS returned error: %1 - - - + OS returned error: %1 + El sistema operativo devolvió el error: %1 + + + Failed to copy save data - + Fallo al copiar datos de guardado + + + + Unlink Successful + Desvinculación exitosa - Unlink Successful - - - - Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Éxito al desvincular los datos de guardado de Ryujinx. Los datos guardados se han mantenido intactos. - + Could not find Ryujinx installation - + No se encontró la instalación de Ryujinx - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? - + No se pudo encontrar una instalación válida de Ryujinx. Esto suele ocurrir si usa Ryujinx en modo portable. + +¿Desea seleccionar manualmente una carpeta portable? Ryujinx Portable Location - - - - - Not a valid Ryujinx directory - + Ubicación de Ryujinx Portable - The specified directory does not contain valid Ryujinx data. - + Not a valid Ryujinx directory + Directorio de Ryujinx inválido - - + + The specified directory does not contain valid Ryujinx data. + El directorio indicado no contiene datos válidos de Ryujinx. + + + + Could not find Ryujinx save data - + No se pudieron encontrar los datos de guardado de Ryujinx QtCommon::Game - + Error Removing Contents Error en removiendo contenidos - + Error Removing Update Error en removiendo actualizacion - + Error Removing DLC Error en removiendo DLC - - - - - - + + + + + + Successfully Removed Se ha eliminado con éxito - + Successfully removed the installed base game. El juego base se eliminó correctamente. - + The base game is not installed in the NAND and cannot be removed. El juego base no está instalado en el NAND y no se puede eliminar. - + Successfully removed the installed update. La actualización instalada se eliminó correctamente. - + There is no update installed for this title. No hay ninguna actualización instalada para este título. - + There are no DLCs installed for this title. No hay ninguna DLC instalada para este título. - + Successfully removed %1 installed DLC. Se ha eliminado con éxito %1 DLC instalado. - - + + Error Removing Transferable Shader Cache Error en removiendo la caché de shaders transferibles - - + + A shader cache for this title does not exist. No existe caché de shaders para este título. - + Successfully removed the transferable shader cache. El caché de shaders transferibles se ha eliminado con éxito. - + Failed to remove the transferable shader cache. Fallo en eliminar la caché de shaders transferibles. - + Error Removing Vulkan Driver Pipeline Cache - Error removiendo la caché de canalización del controlador Vulkan + Error al borrar la caché de canalización del controlador de Vulkan - + Failed to remove the driver pipeline cache. Fallo en eliminar la caché de canalización del controlador. - - + + Error Removing Transferable Shader Caches Error en eliminar las cachés de shaders transferibles - + Successfully removed the transferable shader caches. Cachés de shaders transferibles eliminadas con éxito. - + Failed to remove the transferable shader cache directory. Fallo en eliminar el directorio de cachés de shaders transferibles. - - + + Error Removing Custom Configuration Error removiendo la configuración personalizada del juego - + A custom configuration for this title does not exist. No existe una configuración personalizada para este título. - + Successfully removed the custom game configuration. Se eliminó con éxito la configuración personalizada del juego. - + Failed to remove the custom game configuration. Fallo en eliminar la configuración personalizada del juego. - + Reset Metadata Cache Reiniciar caché de metadatos - + The metadata cache is already empty. El caché de metadatos ya está vacío. - + The operation completed successfully. La operación se completó con éxito. - + The metadata cache couldn't be deleted. It might be in use or non-existent. El caché de metadatos no se pudo eliminar. Podría estar en uso actualmente o no existe. - + Create Shortcut Crear Atajo - + Do you want to launch the game in fullscreen? ¿Desea iniciar el juego en pantalla completa? - + Shortcut Created Atajo Creado - + Successfully created a shortcut to %1 Se ha creado un atajo a %1 con exito - + Shortcut may be Volatile! Atajo podría ser volátil! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Esto creará un atajo a la AppImage actual. Hay posibilidad que esto no trabaja bien si actualizas ¿Continuar? - + Failed to Create Shortcut Fallo en Crear Atajo - + Failed to create a shortcut to %1 Fallo en crear un atajo a %1 - + Create Icon Crear icono - + Cannot create icon file. Path "%1" does not exist and cannot be created. No se puede crear el archivo de icono. La ruta "%1" no existe y no se pudo creer. - + No firmware available No hay firmware disponible - + Please install firmware to use the home menu. Por favor intenta instalar firmware para usar el menu de inicio. - + Home Menu Applet Applet del Menu de Inicio - + Home Menu is not available. Please reinstall firmware. Menu de inicio no esta disponible. Por favor intenta reinstalar firmware. + + QtCommon::Mod + + + Mod Name + Nombre del mod + + + + What should this mod be called? + ¿Cómo debería llamarse este mod? + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/Parche + + + + Cheat + Truco + + + + Mod Type + Tipo de mod + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + No se ha podido detectar automáticamente el tipo de mod. Por favor especifique manualmente el tipo de mod que descargó. + +La mayoría de los mods son RomFS, pero los parches (.pchtxt) suelen ser ExeFS. + + + + + Mod Extract Failed + Fallo al extraer el mod + + + + Failed to create temporary directory %1 + Fallo al crear directorio temporal %1 + + + + Zip file %1 is empty + El archivo zip %1 está vacio + + QtCommon::Path - + Error Opening Shader Cache Error al abrir la caché de sombreadores. - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. No se pudo crear o abrir la caché de sombreadores para este título. Asegúrate de que el directorio de datos de la aplicación tenga permisos de escritura. @@ -9473,92 +10002,92 @@ Asegúrate de que el directorio de datos de la aplicación tenga permisos de esc QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Contiene datos guardados del juego. NO LO ELIMINAS A MENOS QUE SEPAS LO QUE ESTAS HACIENDO! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - Contiene las cachés de las pipelines de Vulkan y OpenGL. Generalmente es seguro eliminarlas. + Contiene las cachés de las canalizaciones de Vulkan y OpenGL. Normalmente es seguro eliminarlas. - + Contains updates and DLC for games. Contiene actualizaciones y DLC para juegos - + Contains firmware and applet data. Contiene datos del firmware y de las aplicaciones del sistema. - + Contains game mods, patches, and cheats. - Contiene modificaciones del juego, parches y trucos. + Contiene mods del juego, parches y trucos. - + Decryption Keys were successfully installed Las llaves de cifrado se instalaron exitosamente. - + Unable to read key directory, aborting No se pudo leer el directorio de claves. Operación cancelada. - + One or more keys failed to copy. No se pudieron copiar una o más llaves. - + Verify your keys file has a .keys extension and try again. Verifica que tu archivo de llaves tenga la extensión .keys e inténtalo nuevamente. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. No se pudieron inicializar las claves de descifrado. Verifica que tus herramientas de extracción estén actualizadas y vuelve a extraer las claves. - + Successfully installed firmware version %1 Firmware versión %1 instalado correctamente. - + Unable to locate potential firmware NCA files No se pudieron localizar los posibles archivos NCA del firmware. - + Failed to delete one or more firmware files. No se pudo eliminar uno o más archivos del firmware. - + One or more firmware files failed to copy into NAND. Uno o más archivos del firmware no pudieron copiarse en la NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Instalación del firmware cancelada. El firmware podría estar dañado o en un estado incorrecto. Reinicia Eden o vuelve a instalar el firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + Firmware ausente. El firmware se requiere para ejecutar ciertos juegos y para usar el menú Home. Firmware reported as present, but was unable to be read. Check for decryption keys and redump firmware if necessary. - + El firmware está presente pero no se pudo leer. Verifique las claves de desencriptado y vuelva a volcar el firmware si fuera necesario. @@ -9575,62 +10104,62 @@ Selecciona el botón correspondiente para transferir los datos desde ese emulado Este proceso puede tardar un poco. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. Se recomienda borrar la caché de sombreadores para todos los usuarios. No desmarques esta opción a menos que sepas exactamente lo que estás haciendo. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. Conserva el directorio de datos antiguo. Se recomienda si no tienes limitaciones de espacio y deseas mantener los datos del emulador anterior por separado. - + Deletes the old data directory. This is recommended on devices with space constraints. Elimina el directorio de datos antiguo. Se recomienda hacerlo en dispositivos con espacio de almacenamiento limitado. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. Crea un enlace del sistema de archivos entre el directorio antiguo y el directorio de Eden. Se recomienda si deseas compartir datos entre emuladores. - + Ryujinx title database does not exist. - + La base de datos de títulos de Ryujinx no existe. + + + + Invalid header on Ryujinx title database. + Cabecera inválida en la base de datos de títulos de Ryujinx. + + + + Invalid magic header on Ryujinx title database. + Cabecera mágica inválida en la base de datos de títulos de Ryujinx. - Invalid header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. + Alineación de bytes inválidos en la base de datos de títulos de Ryujinx. - Invalid magic header on Ryujinx title database. - + No items found in Ryujinx title database. + No se encontraron entradas en la base de datos de títulos de Ryujinx. - Invalid byte alignment on Ryujinx title database. - - - - - No items found in Ryujinx title database. - - - - Title %1 not found in Ryujinx title database. - + Título %1 no encontrado en la base de datos de títulos de Ryujinx. @@ -9669,7 +10198,7 @@ Se recomienda si deseas compartir datos entre emuladores. - + Pro Controller Controlador Pro @@ -9682,7 +10211,7 @@ Se recomienda si deseas compartir datos entre emuladores. - + Dual Joycons Joycons duales @@ -9695,7 +10224,7 @@ Se recomienda si deseas compartir datos entre emuladores. - + Left Joycon Joycon izquierdo @@ -9708,7 +10237,7 @@ Se recomienda si deseas compartir datos entre emuladores. - + Right Joycon Joycon derecho @@ -9737,7 +10266,7 @@ Se recomienda si deseas compartir datos entre emuladores. - + Handheld Portátil @@ -9858,32 +10387,32 @@ Se recomienda si deseas compartir datos entre emuladores. No hay suficientes mandos. - + GameCube Controller Controlador de GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Control de NES - + SNES Controller Control de SNES - + N64 Controller Control de N64 - + Sega Genesis Sega Genesis @@ -10038,13 +10567,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK Aceptar - + Cancel Cancelar @@ -10054,39 +10583,41 @@ p, li { white-space: pre-wrap; } Ryujinx Link - + Enlace a Ryujinx Linking save data to Ryujinx lets both Ryujinx and Eden reference the same save files for your games. By selecting "From Eden", previous save data stored in Ryujinx will be deleted, and vice versa for "From Ryujinx". - + Enlazar los datos de guardado con Ryujinx permite a ambos Ryujinx y Eden referenciar los mismos archivos de guardado para sus juegos. + +Seleccionando "Desde Eden", los datos de guardado anteriores alojados en Ryujinx se borrarán, y vice versa para "Desde Ryujinx". From Eden - + Desde Eden From Ryujinx - + Desde Ryujinx Cancel - + Cancelar - + Failed to link save data - + Fallo al enlazar datos de guardado - + OS returned error: %1 - + El sistema operativo devolvió el error: %1 @@ -10120,7 +10651,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Segundos: - + Total play time reached maximum. Se ha alcanzado el límite total de tiempo de juego. diff --git a/dist/languages/fi.ts b/dist/languages/fi.ts index 1ac60bb23f..bd54a466cf 100644 --- a/dist/languages/fi.ts +++ b/dist/languages/fi.ts @@ -366,149 +366,174 @@ This would ban both their forum username and their IP address. - + Amiibo editor - + Controller configuration - + Data erase - + Error - + Net connect - + Player select - + Software keyboard - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - - Output Engine: + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. - Output Device: + Output Engine: - Input Device: + Output Device: - Mute audio + Input Device: + Mute audio + + + + Volume: - + Mute audio when in background - + Multicore CPU Emulation - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -521,229 +546,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: - + Changes the output graphics API. Vulkan is recommended. - + Device: - + This setting selects the GPU to use (Vulkan only). - + Resolution: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: - + FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -751,24 +776,24 @@ This feature is experimental. - + NVDEC emulation: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -777,45 +802,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -823,1317 +858,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. - + Anisotropic Filtering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: - + The region of the console. - + Time Zone: - + The time zone of the console. - + Sound Output Mode: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) - + BC3 (Medium quality) - - Conservative - - - - - Aggressive - - - - - Vulkan - - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - - - - - - Default - - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + + + + + + Default + + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe - + Paranoid (disables most optimizations) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed - + Exclusive Fullscreen - + No Video Output - + CPU Video Decoding - + GPU Video Decoding (Default) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) - + 3X (2160p/3240p) - + 4X (2880p/4320p) - + 5X (3600p/5400p) - + 6X (4320p/6480p) - + 7X (5040p/7560p) - + 8X (5760p/8640p) - + Nearest Neighbor - + Bilinear - + Bicubic - + Gaussian - + Lanczos - + ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None - + FXAA - + SMAA - + Default (16:9) - + Force 4:3 - + Force 21:9 - + Force 16:10 - + Stretch to Window - + Automatic - + 2x - + 4x - + 8x - + 16x - + 32x - + 64x - + Japanese (日本語) - + American English - + French (français) - + German (Deutsch) - + Italian (italiano) - + Spanish (español) - + Chinese - + Korean (한국어) - + Dutch (Nederlands) - + Portuguese (português) - + Russian (Русский) - + Taiwanese - + British English - + Canadian French - + Latin American Spanish - + Simplified Chinese - + Traditional Chinese (正體中文) - + Brazilian Portuguese (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan - + USA - + Europe - + Australia - + China - + Korea - + Taiwan - + Auto (%1) Auto select time zone - + Default (%1) Default time zone - + CET - + CST6CDT - + Cuba - + EET - + Egypt - + Eire - + EST - + EST5EDT - + GB - + GB-Eire - + GMT - + GMT+0 - + GMT-0 - + GMT0 - + Greenwich - + Hongkong - + HST - + Iceland - + Iran - + Israel - + Jamaica - + Kwajalein - + Libya - + MET - + MST - + MST7MDT - + Navajo - + NZ - + NZ-CHAT - + Poland - + Portugal - + PRC - + PST8PDT - + ROC - + ROK - + Singapore - + Turkey - + UCT - + Universal - + UTC - + W-SU - + WET - + Zulu - + Mono - + Stereo - + Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked - + Handheld - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2205,7 +2324,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Auto @@ -2624,81 +2743,86 @@ Ota sisäiset sivutaulukot käyttöön + Use dev.keys + + + + Enable Debug Asserts - + Debugging Virheenjäljitys - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. - + Dump Audio Commands To Console** - + Flush log output on each line - + Enable FS Access Log - + Enable Verbose Reporting Services** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2759,13 +2883,13 @@ Ota sisäiset sivutaulukot käyttöön - + Audio Ääni - + CPU CPU (prosessori) @@ -2781,13 +2905,13 @@ Ota sisäiset sivutaulukot käyttöön - + General Yleiset - + Graphics Grafiikka @@ -2808,7 +2932,7 @@ Ota sisäiset sivutaulukot käyttöön - + Controls Ohjainmääritykset @@ -2824,7 +2948,7 @@ Ota sisäiset sivutaulukot käyttöön - + System Järjestelmä @@ -2942,58 +3066,58 @@ Ota sisäiset sivutaulukot käyttöön - + Select Emulated NAND Directory... - + Select Emulated SD Directory... - - + + Select Save Data Directory... - + Select Gamecard Path... - + Select Dump Directory... - + Select Mod Load Directory... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3004,7 +3128,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3012,28 +3136,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3044,12 +3168,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3070,20 +3194,55 @@ Would you like to delete the old save data? Yleiset - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3113,33 +3272,33 @@ Would you like to delete the old save data? Taustan väri: - + % FSR sharpening percentage (e.g. 50%) - + Off - + VSync Off - + Recommended - + On - + VSync On @@ -3190,13 +3349,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3768,7 +3927,7 @@ Would you like to delete the old save data? - + Left Stick Vasen joystick @@ -3878,14 +4037,14 @@ Would you like to delete the old save data? - + ZL - + L @@ -3898,22 +4057,22 @@ Would you like to delete the old save data? - + Plus - + ZR - - + + R @@ -3970,7 +4129,7 @@ Would you like to delete the old save data? - + Right Stick Oikea joystick @@ -4138,88 +4297,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< - + Start / Pause - + Z - + Control Stick - + C-Stick - + Shake! - + [waiting] - + New Profile - + Enter a profile name: - - + + Create Input Profile - + The given profile name is not valid! - + Failed to create the input profile "%1" - + Delete Input Profile - + Failed to delete the input profile "%1" - + Load Input Profile - + Failed to load the input profile "%1" - + Save Input Profile - + Failed to save the input profile "%1" @@ -4513,11 +4672,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - None - ConfigurePerGame @@ -4572,52 +4726,57 @@ Current values are %1% and %2% respectively. - + Add-Ons Lisäosat - + System Järjestelmä - + CPU CPU (prosessori) - + Graphics Grafiikat - + Adv. Graphics - + Ext. Graphics - + Audio Ääni - + Input Profiles - + Network + Applets + + + + Properties Ominaisuudet @@ -4635,15 +4794,110 @@ Current values are %1% and %2% respectively. Lisäosat - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Päivityksen nimi - + Version Versio + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4691,62 +4945,62 @@ Current values are %1% and %2% respectively. %2 - + Users Käyttäjät - + Error deleting image Virhe poistaessa kuvaa - + Error occurred attempting to overwrite previous image at: %1. Edellistä kuvaa korvatessa tapahtui virhe %1. - + Error deleting file Virhe poistaessa tiedostoa - + Unable to delete existing file: %1. Olemassa olevan tiedoston %1 ei onnistu - + Error creating user image directory Virhe luodessa käyttäjäkuvakansiota - + Unable to create directory %1 for storing user images. Kansiota %1 käyttäjäkuvien tallentamiseksi ei voitu luoda - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4754,17 +5008,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. - + Confirm Delete - + Name: %1 UUID: %2 @@ -4965,17 +5219,22 @@ UUID: %2 - + + Show recording dialog + + + + Script Directory - + Path - + ... ... @@ -4988,7 +5247,7 @@ UUID: %2 - + Select TAS Load Directory... @@ -5125,64 +5384,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None None - - Small (32x32) - - - - - Standard (64x64) - - - - - Large (128x128) - - - - - Full Size (256x256) - - - - + Small (24x24) - + Standard (48x48) - + Large (72x72) - + Filename Tiedostonimi - + Filetype - + Title ID Nimike ID - + Title Name @@ -5251,71 +5489,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - - - - Folder Icon Size: - + Row 1 Text: Rivin 1 teksti: - + Row 2 Text: Rivin 2 teksti: - + Screenshots Kuvakaappaukset - + Ask Where To Save Screenshots (Windows Only) Kysy minne kuvakaappaukset tallennetaan (Vain Windowsilla) - + Screenshots Path: Kuvakaappauksien polku: - + ... ... - + TextLabel - + Resolution: - + Select Screenshots Path... Valitse polku kuvakaappauksille... - + <System> <System> - + English Englanti - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5449,20 +5682,20 @@ Drag points to change position, or double-click table cells to edit values.Näytä tämänhetkinen peli Discordin tilanäkymässä - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5494,27 +5727,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5552,7 +5785,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5575,12 +5808,12 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version @@ -5754,44 +5987,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! openGL ei ole saatavilla! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Virhe käynnistäessä OpenGL ydintä! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. - + Error while initializing OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 @@ -5799,203 +6032,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite - + Start Game - + Start Game without Custom Configuration - + Open Save Data Location Avaa tallennuskansio - + Open Mod Data Location Avaa modien tallennuskansio - + Open Transferable Pipeline Cache - + Link to Ryujinx - + Remove Poista - + Remove Installed Update Poista asennettu päivitys - + Remove All Installed DLC Poista kaikki asennetut DLC:t - + Remove Custom Configuration Poista mukautettu määritys - + Remove Cache Storage - + Remove OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache - + Remove All Pipeline Caches - + Remove All Installed Contents Poista kaikki asennettu sisältö - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Dumppaa RomFS - + Dump RomFS to SDMC - + Verify Integrity - + Copy Title ID to Clipboard Kopioi nimike ID leikepöydälle - + Navigate to GameDB entry Siirry GameDB merkintään - + Create Shortcut - + Add to Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders Skannaa alakansiot - + Remove Game Directory Poista pelikansio - + ▲ Move Up ▲ Liiku ylös - + ▼ Move Down ▼ Liiku alas - + Open Directory Location Avaa hakemisto - + Clear Tyhjennä - + Name Nimi - + Compatibility Yhteensopivuus - + Add-ons Lisäosat - + File type Tiedostotyyppi - + Size Koko - + Play time @@ -6003,62 +6241,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Täydellinen - + Game can be played without issues. - + Playable - + Game functions with minor graphical or audio glitches and is playable from start to finish. - + Intro/Menu Intro/Valikko - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot Ei käynnisty - + The game crashes when attempting to startup. Peli kaatuu käynnistettäessä. - + Not Tested Ei testattu - + The game has not yet been tested. Peliä ei ole vielä testattu @@ -6066,7 +6304,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Tuplaklikkaa lisätäksesi uusi kansio pelilistaan. @@ -6074,17 +6312,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Suodatin: - + Enter pattern to filter Syötä suodatettava tekstipätkä @@ -6160,12 +6398,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6174,19 +6412,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6209,154 +6439,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen - + Exit Eden - + Fullscreen - + Load File - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6408,22 +6664,22 @@ Debug Message: Arvioitu aika 5m 4s - + Loading... Ladataan... - + Loading Shaders %1 / %2 Ladataan Shaderit %1 / %2 - + Launching... Käynnistetään... - + Estimated Time %1 Arvioitu aika %1 @@ -6472,42 +6728,42 @@ Debug Message: - + Password Required to Join - + Password: - + Players - + Room Name - + Preferred Game - + Host - + Refreshing - + Refresh List @@ -6556,1091 +6812,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p - + Reset Window Size to 720p - + Reset Window Size to &900p - + Reset Window Size to 900p - + Reset Window Size to &1080p - + Reset Window Size to 1080p - + &Multiplayer - + &Tools - + Am&iibo - + Launch &Applet - + &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Apu - + &Install Files to NAND... - + L&oad File... - + Load &Folder... - + E&xit P&oistu - - + + &Pause &Pysäytä - + &Stop &Lopeta - + &Verify Installed Contents - + &About Eden - + Single &Window Mode - + Con&figure... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar - + Show &Status Bar - + Show Status Bar Näytä statuspalkki - + &Browse Public Game Lobby - + &Create Room - + &Leave Room - + &Direct Connect to Room - + &Show Current Room - + F&ullscreen - + &Restart - + Load/Remove &Amiibo... - + &Report Compatibility - + Open &Mods Page - + Open &Quickstart Guide - + &FAQ - + &Capture Screenshot - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - + Configure C&urrent Game... - - + + &Start &Käynnistä - + &Reset - - + + R&ecord - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7648,69 +7966,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7737,27 +8065,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7812,22 +8140,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7835,13 +8163,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7852,7 +8180,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7860,11 +8188,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8031,86 +8372,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8145,6 +8486,80 @@ p, li { white-space: pre-wrap; } + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8179,39 +8594,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Asennetut SD-sovellukset - - - - Installed NAND Titles - Asennetut NAND-sovellukset - - - - System Titles - Järjestelmäsovellukset - - - - Add New Game Directory - Lisää uusi pelikansio - - - - Favorites - - - - - - + + + Migration - + Clear Shader Cache @@ -8244,18 +8634,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8646,6 +9036,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Asennetut SD-sovellukset + + + + Installed NAND Titles + Asennetut NAND-sovellukset + + + + System Titles + Järjestelmäsovellukset + + + + Add New Game Directory + Lisää uusi pelikansio + + + + Favorites + + QtAmiiboSettingsDialog @@ -8763,250 +9198,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9014,22 +9449,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9037,48 +9472,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9090,18 +9525,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9109,229 +9544,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9339,83 +9830,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9436,56 +9927,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9526,7 +10017,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller @@ -9539,7 +10030,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons @@ -9552,7 +10043,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon @@ -9565,7 +10056,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon @@ -9594,7 +10085,7 @@ This is recommended if you want to share data between emulators. - + Handheld Käsikonsolimoodi @@ -9715,32 +10206,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller - + Poke Ball Plus - + NES Controller - + SNES Controller - + N64 Controller - + Sega Genesis @@ -9885,13 +10376,13 @@ p, li { white-space: pre-wrap; } - - + + OK OK - + Cancel Peruuta @@ -9926,12 +10417,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -9967,7 +10458,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/fr.ts b/dist/languages/fr.ts index 617184c6bb..5d2fa2c542 100644 --- a/dist/languages/fr.ts +++ b/dist/languages/fr.ts @@ -38,7 +38,7 @@ li.checked::marker { content: "\2612"; } <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html> - + <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Site web</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Code source</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributeurs</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Revolt</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licence</span></a></p></body></html> @@ -375,146 +375,150 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP. % - + Amiibo editor Éditeur d'Amiibo - + Controller configuration Configuration des manettes - + Data erase Effacement des données - + Error Erreur - + Net connect Connexion Internet - + Player select Sélection du joueur - + Software keyboard Clavier virtuel - + Mii Edit Édition de Mii - + Online web Web en ligne - + Shop Boutique - + Photo viewer Visionneuse de photos - + Offline web Web hors ligne - + Login share Partage d'identification - + Wifi web auth Authentification Wifi Web - + My page Ma page - + Enable Overlay Applet + Activer l'applet d'overlay + + + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. - + Output Engine: Moteur de Sortie : - + Output Device: Périphérique de sortie : - + Input Device: Périphérique d'entrée : - + Mute audio Couper le son - + Volume: Volume : - + Mute audio when in background Couper le son en arrière-plan - + Multicore CPU Emulation Émulation CPU Multicœur - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Cette option augmente l’utilisation des threads d’émulation CPU de 1 jusqu’à un maximum de 4. Il s’agit principalement d’une option de débogage et elle ne devrait pas être désactivée. - + Memory Layout Disposition de la mémoire - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Augmente la quantité de RAM émulée de 4 Go sur la Switch à 8/6 Go comme sur les kits de développement. -Cela n’affecte pas les performances ni la stabilité, mais peut permettre le chargement de mods de textures HD. + - + Limit Speed Percent Limiter la vitesse en pourcentage - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +526,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -535,60 +559,60 @@ Can help reduce stuttering at lower framerates. Peut aider à réduire les saccades à des framerates faibles. - + Accuracy: Précision : - + Change the accuracy of the emulated CPU (for debugging only). Modifie la précision du CPU émulé (réservé au débogage). - - + + Backend: Arrière-plan : - + CPU Overclock Overclocking CPU - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Overclocke le CPU émulé pour supprimer certains limiteurs FPS. Les CPU plus faibles peuvent voir leurs performances réduites et certains jeux peuvent se comporter de manière incorrecte. Utilisez Boost (1700 MHz) pour fonctionner à l'horloge native la plus élevée de la Switch, ou Fast (2000 MHz) pour fonctionner à l'horloge 2x - + Custom CPU Ticks Ticks CPU personnalisés - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Définissez une valeur personnalisée pour les cycles CPU. Des valeurs plus élevées peuvent améliorer les performances, mais risquent de provoquer des blocages. Une plage de 77-21000 est recommandée. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) Activer l'émulation MMU de l'hôte (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,100 +621,100 @@ L'activer permet à l'invité de lire/écrire directement dans la mém Désactiver cela force tous les accès mémoire à utiliser l'émulation logicielle de la MMU. - + Unfuse FMA (improve performance on CPUs without FMA) Désactivation du FMA (améliore les performances des CPU sans FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Cette option améliore la vitesse en réduisant la précision des instructions de multiplication et addition fusionnées sur les processeurs qui ne prennent pas en charge nativement FMA. - + Faster FRSQRTE and FRECPE FRSQRTE et FRECPE plus rapides - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Cette option améliore la vitesse de certaines fonctions à virgule flottante approximatives en utilisant des approximations natives moins précises. - + Faster ASIMD instructions (32 bits only) Instructions ASIMD plus rapides (32 bits seulement) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Cette option améliore la vitesse des fonctions à virgule flottante ASIMD sur 32 bits en utilisant des modes d'arrondi incorrects. - + Inaccurate NaN handling Traitement NaN imprécis - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Cette option améliore la vitesse en supprimant la vérification des NaN. Veuillez noter que cela réduit également la précision de certaines instructions en virgule flottante. - + Disable address space checks Désactiver les vérifications de l'espace d'adresse - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Cette option améliore la vitesse en supprimant une vérification de sécurité avant chaque opération mémoire. La désactiver peut permettre l’exécution de code arbitraire. - + Ignore global monitor Ignorer le moniteur global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Cette option améliore la vitesse en se basant uniquement sur la sémantique de cmpxchg pour garantir la sécurité des instructions d'accès exclusif. Veuillez noter que cela peut entraîner des blocages et d'autres conditions de concurrence. - + API: API : - + Changes the output graphics API. Vulkan is recommended. Modifie l’API graphique utilisée en sortie. Vulkan est recommandé. - + Device: Appareil : - + This setting selects the GPU to use (Vulkan only). Ce paramètre permet de sélectionner le GPU à utiliser (Vulkan uniquement). - + Resolution: Résolution : - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -699,27 +723,27 @@ Des résolutions plus élevées nécessitent plus de VRAM et de bande passante. Des options inférieures à 1X peuvent provoquer des artefacts. - + Window Adapting Filter: Filtre de fenêtre adaptatif : - + FSR Sharpness: Netteté FSR : - + Determines how sharpened the image will look using FSR's dynamic contrast. Détermine le niveau de netteté de l’image en utilisant le contraste dynamique de FSR. - + Anti-Aliasing Method: Méthode d'anticrénelage : - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -728,12 +752,12 @@ SMAA offre la meilleure qualité. FXAA peut produire une image plus stable à des résolutions plus faibles. - + Fullscreen Mode: Mode Plein écran : - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -742,12 +766,12 @@ Sans bordure offre la meilleure compatibilité avec le clavier à l'écran Le mode plein écran exclusif peut offrir de meilleures performances et un meilleur support Freesync/Gsync. - + Aspect Ratio: Format : - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -756,24 +780,24 @@ La plupart des jeux ne supportent que le format 16:9, donc des modifications son Contrôle également le format des captures d’écran. - + Use persistent pipeline cache Conserver le cache du rendu graphique - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Permet de sauvegarder les shaders sur le stockage pour un chargement plus rapide lors des démarrages ultérieurs du jeu. Le désactiver est uniquement destiné au débogage. - + Optimize SPIRV output Optimiser la sortie SPIR‑V - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -784,12 +808,12 @@ Peut légèrement améliorer les performances. Cette fonctionnalité est expérimentale. - + NVDEC emulation: Émulation NVDEC : - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -798,12 +822,12 @@ Elles peuvent être décodées soit par le CPU, soit par le GPU, ou pas du tout Dans la plupart des cas, le décodage GPU offre les meilleures performances. - + ASTC Decoding Method: Méthode de décodage ASTC : - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -815,12 +839,12 @@ GPU : Utiliser les shaders de calcul du GPU pour décoder les textures ASTC (rec CPU asynchrone : Utiliser le CPU pour décoder les textures ASTC à la demande. Élimine les saccades liées au décodage ASTC, mais peut provoquer des artefacts. - + ASTC Recompression Method: Méthode de recompression ASTC : - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -828,34 +852,44 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3 : Le format intermédiaire sera recompressé en BC1 ou BC3, ce qui économise de la VRAM mais dégrade la qualité de l’image. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: Mode d'utilisation de la VRAM : - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Permet de choisir si l’émulateur doit privilégier la conservation de la mémoire ou utiliser au maximum la mémoire vidéo disponible pour les performances. Le mode agressif peut affecter les performances d’autres applications, comme les logiciels d’enregistrement. - + Skip CPU Inner Invalidation Ignorer l'invalidation interne du CPU - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Ignore certaines invalidations de cache lors des mises à jour de la mémoire, réduisant l’utilisation du CPU et améliorant la latence. Cela peut provoquer des plantages légers. - + VSync Mode: Mode VSync : - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -866,12 +900,12 @@ Mailbox peut offrir une latence inférieure à FIFO et n’entraîne pas de déc Immediate (pas de synchronisation) affiche ce qui est disponible et peut provoquer du déchirement. - + Sync Memory Operations Synchroniser les opérations mémoire - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -880,133 +914,144 @@ Cette option corrige des problèmes dans les jeux, mais peut dégrader les perfo Les jeux Unreal Engine 4 sont souvent ceux qui bénéficient le plus de ce réglage. - + Enable asynchronous presentation (Vulkan only) Activer la présentation asynchrone (Vulkan uniquement) - + Slightly improves performance by moving presentation to a separate CPU thread. Améliore légèrement les performances en déplaçant la présentation vers un thread CPU séparé. - + Force maximum clocks (Vulkan only) Forcer la fréquence d'horloge maximale (Vulkan uniquement) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Les exécutions fonctionnent en arrière-plan en attendant les commandes graphiques pour empêcher le GPU de réduire sa vitesse de fréquence d'horloge. - + Anisotropic Filtering: Filtrage anisotropique : - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Contrôle la qualité du rendu des textures sous des angles obliques. Il est sûr de le régler à 16x sur la plupart des GPU. - + GPU Mode: - + Mode GPU : - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: Précision du DMA : - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Contrôle la précision des transferts DMA. Une précision plus élevée corrige certains problèmes dans certains jeux, mais peut réduire les performances. - + Enable asynchronous shader compilation - + Activer la compilation asynchrone des shaders - + May reduce shader stutter. Peut réduire les saccades dues aux shaders. - + Fast GPU Time - + Temps GPU rapide - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Utiliser le cache de pipeline Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Active le cache de pipeline spécifique au fournisseur de GPU. Cette option peut améliorer considérablement le temps de chargement des shaders dans les cas où le pilote Vulkan ne stocke pas les fichiers de cache de pipeline en interne. - + Enable Compute Pipelines (Intel Vulkan Only) Activer les pipelines de calcul (Vulkan sur Intel uniquement) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1015,97 +1060,119 @@ Ce réglage n’existe que pour les pilotes propriétaires Intel et peut provoqu Les pipelines de calcul sont toujours activés sur tous les autres pilotes. - + Enable Reactive Flushing Activer le Vidage Réactif - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Utilise une purge réactive au lieu d'une purge prédictive, permettant une synchronisation de la mémoire plus précise. - + Sync to framerate of video playback Synchro la fréquence d'image de la relecture du vidéo - + Run the game at normal speed during video playback, even when the framerate is unlocked. Éxécuter le jeu à une vitesse normale pendant la relecture du vidéo, même-ci la fréquence d'image est dévérouillée. - + Barrier feedback loops Boucles de rétroaction de barrière - + Improves rendering of transparency effects in specific games. Améliore le rendu des effets de transparence dans des jeux spécifiques. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State État dynamique étendu - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex Vertex provoquant - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Améliore l’éclairage et la gestion des points 3D dans certains jeux. Seuls les appareils compatibles avec Vulkan 1.0+ prennent en charge cette extension. - + Descriptor Indexing Indexation des descripteurs - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Améliore la gestion des textures et des tampons ainsi que la couche de traduction Maxwell. Certains appareils compatibles Vulkan 1.1+ et tous ceux en 1.2+ prennent en charge cette extension. - + Sample Shading Échantillonnage de shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Permet au shader de fragments de s’exécuter pour chaque échantillon dans un fragment multi-échantillonné, au lieu d’une seule fois par fragment. @@ -1113,86 +1180,86 @@ Améliore la qualité graphique au prix de performances réduites. Des valeurs plus élevées améliorent la qualité mais dégradent les performances. - + RNG Seed Seed RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. Contrôle la graine du générateur de nombres aléatoires. Principalement utilisé pour le speedrun. - + Device Name Nom de l'appareil - + The name of the console. Nom de la console. - + Custom RTC Date: Date RTC personnalisée : - + This option allows to change the clock of the console. Can be used to manipulate time in games. Cette option permet de modifier l’horloge de la console. Peut être utilisée pour manipuler le temps dans les jeux. - + The number of seconds from the current unix time Nombre de secondes écoulées depuis le 1er janvier 1970. - + Language: Langue : - + This option can be overridden when region setting is auto-select Cette option peut être remplacée lorsque la région est sur auto. - + Region: Région : - + The region of the console. Région de la console. - + Time Zone: Fuseau horaire : - + The time zone of the console. Fuseau horaire de la console. - + Sound Output Mode: Mode de sortie sonore : - + Console Mode: Mode console : - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1201,997 +1268,1048 @@ Les jeux adaptent leur résolution, leurs paramètres graphiques et les manettes Passer en mode Portable peut améliorer les performances sur les systèmes peu puissants. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot Choisir l’utilisateur au démarrage. - + Useful if multiple people use the same PC. Utile si plusieurs personnes utilisent le même PC. - + Pause when not in focus Pause lorsque la fenêtre n’est pas active. - + Pauses emulation when focusing on other windows. Met l’émulation en pause dès que l’utilisateur change de fenêtre. - + Confirm before stopping emulation Confirmer avant d'arrêter l'émulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Ignore les demandes de confirmation pour arrêter l’émulation. L’activer permet de contourner ces confirmations et de quitter directement l’émulation. - + Hide mouse on inactivity Cacher la souris en cas d'inactivité - + Hides the mouse after 2.5s of inactivity. Cache le curseur après 2,5 secondes d’inactivité. - + Disable controller applet Désactiver l'applet du contrôleur - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Désactive de force le menu de configuration des manettes dans les programmes émulés. Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. - + Check for updates Rechercher des mises à jours - + Whether or not to check for updates upon startup. Vérifier ou non les mises à jour au démarrage. - + Enable Gamemode Activer le mode jeu - + Force X11 as Graphics Backend Forcer X11 comme moteur graphique - + Custom frontend Interface personnalisée - + Real applet Applet réel - + Never Jamais - + On Load Au chargement - + Always Toujours - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU Asynchrone - + Uncompressed (Best quality) Non compressé (Meilleure qualité) - + BC1 (Low quality) BC1 (Basse qualité) - + BC3 (Medium quality) BC3 (Qualité moyenne) - - Conservative - Conservateur - - - - Aggressive - Agressif - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Nul - - - - Fast - - - - - Balanced - - - - - - Accurate - Précis - - - - - Default - Par défaut - - - - Unsafe (fast) - Insecure (rapide) - - - - Safe (stable) - Sûr (stable) - - - + + Auto Auto - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Conservateur + + + + Aggressive + Agressif + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Nul + + + + Fast + Rapide + + + + Balanced + Moyen + + + + + Accurate + Précis + + + + + Default + Par défaut + + + + Unsafe (fast) + Insecure (rapide) + + + + Safe (stable) + Sûr (stable) + + + Unsafe Risqué - + Paranoid (disables most optimizations) Paranoïaque (désactive la plupart des optimisations) - + Debugging Débogage - + Dynarmic Dynamique - + NCE NCE - + Borderless Windowed Fenêtré sans bordure - + Exclusive Fullscreen Plein écran exclusif - + No Video Output Pas de sortie vidéo - + CPU Video Decoding Décodage Vidéo sur le CPU - + GPU Video Decoding (Default) Décodage Vidéo sur le GPU (par défaut) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [EXPÉRIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPÉRIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1,25X (900p/1350p) [EXPÉRIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EXPÉRIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Plus proche voisin - + Bilinear Bilinéaire - + Bicubic Bicubique - + Gaussian Gaussien - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Area (Par zone) - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Aucun - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Par défaut (16:9) - + Force 4:3 Forcer le 4:3 - + Force 21:9 Forcer le 21:9 - + Force 16:10 Forcer le 16:10 - + Stretch to Window Étirer à la fenêtre - + Automatic Automatique - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 32x - + 64x - + 64x - + Japanese (日本語) Japonais (日本語) - + American English Anglais Américain - + French (français) Français (français) - + German (Deutsch) Allemand (Deutsch) - + Italian (italiano) Italien (italiano) - + Spanish (español) Espagnol (español) - + Chinese Chinois - + Korean (한국어) Coréen (한국어) - + Dutch (Nederlands) Néerlandais (Nederlands) - + Portuguese (português) Portugais (português) - + Russian (Русский) Russe (Русский) - + Taiwanese Taïwanais - + British English Anglais Britannique - + Canadian French Français Canadien - + Latin American Spanish Espagnol d'Amérique Latine - + Simplified Chinese Chinois Simplifié - + Traditional Chinese (正體中文) Chinois Traditionnel (正體中文) - + Brazilian Portuguese (português do Brasil) Portugais Brésilien (português do Brasil) - - Serbian (српски) - Serbe (српски) + + Polish (polska) + - - + + Thai (แบบไทย) + + + + + Japan Japon - + USA É.-U.A. - + Europe Europe - + Australia Australie - + China Chine - + Korea Corée - + Taiwan Taïwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Par défaut (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Égypte - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hong Kong - + HST HST - + Iceland Islande - + Iran Iran - + Israel Israël - + Jamaica Jamaïque - + Kwajalein Kwajalein - + Libya Libye - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Pologne - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapour - + Turkey Turquie - + UCT UCT - + Universal Universel - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stéréo - + Surround Surround - + 4GB DRAM (Default) 4 GB DRAM (Par défaut) - + 6GB DRAM (Unsafe) 6 GB DRAM (Risqué) - + 8GB DRAM 8GO DRAM - + 10GB DRAM (Unsafe) 10GO DRAM (Insecure) - + 12GB DRAM (Unsafe) 12GO DRAM (Insecure) - + Docked Mode TV - + Handheld Mode Portable - - + + Off - + Désactivé - + Boost (1700MHz) Boost (1700MHz) - + Fast (2000MHz) Rapide (2000MHz) - + Always ask (Default) Toujours demander (par défaut) - + Only if game specifies not to stop Uniquement si le jeu précise de ne pas s'arrêter - + Never ask Jamais demander - - + + Medium (256) Moyen (256) - - + + High (512) Élevé (512) - + Very Small (16 MB) - + Très petit (16Mo) - + Small (32 MB) - + Petit (32Mo) - + Normal (128 MB) - + Normal (128Mo) - + Large (256 MB) - + Large (256Mo) - + Very Large (512 MB) - + Très large (512Mo) - + Very Low (4 MB) - + Très faible (4 Mo) - + Low (8 MB) - + Faible (8 Mo) - + Normal (16 MB) - + Normal (16 Mo) - + Medium (32 MB) - + Moyen (32 Mo) - + High (64 MB) - + Élevé (64 Mo) - + Very Low (32) - + Très faible (32) - + Low (64) - + Faible (64) - + Normal (128) - + Normal (128) - + Disabled - + Désactivé - + ExtendedDynamicState 1 - + État dynamique étendu 1 - + ExtendedDynamicState 2 - + État dynamique étendu 2 - + ExtendedDynamicState 3 - + État dynamique étendu 3 + + + + Tree View + Vue en liste + + + + Grid View + Vue en grille @@ -2264,7 +2382,7 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé.Restaurer les paramètres par défaut - + Auto Auto @@ -2715,81 +2833,86 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. + Use dev.keys + + + + Enable Debug Asserts Activer les assertions de débogage - + Debugging Débogage - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Activez cette option pour afficher la dernière liste de commandes audio générée sur la console. N'affecte que les jeux utilisant le moteur de rendu audio. - + Dump Audio Commands To Console** Déversez les commandes audio à la console** - + Flush log output on each line Force l’écriture immédiate des logs à chaque nouvelle ligne. - + Enable FS Access Log Activer la journalisation des accès du système de fichiers - + Enable Verbose Reporting Services** Activer les services de rapport verbeux** - + Censor username in logs Censurer le nom d'utilisateur dans les logs - + **This will be reset automatically when Eden closes. **Ceci sera automatiquement réinitialisé à la fermeture d'Eden. @@ -2850,13 +2973,13 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. - + Audio Son - + CPU CPU @@ -2872,13 +2995,13 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. - + General Général - + Graphics Vidéo @@ -2899,7 +3022,7 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. - + Controls Contrôles @@ -2915,7 +3038,7 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé. - + System Système @@ -3033,58 +3156,58 @@ Lorsqu’un programme tente d’ouvrir ce menu, il est immédiatement fermé.Mettre à zéro le cache des métadonnées - + Select Emulated NAND Directory... Sélectionner le répertoire NAND émulé... - + Select Emulated SD Directory... Sélectionner le répertoire SD émulé... - - + + Select Save Data Directory... - + Select Gamecard Path... Sélectionner le chemin de la cartouche de jeu... - + Select Dump Directory... Sélectionner le répertoire d'extraction... - + Select Mod Load Directory... Sélectionner le répertoire de mod... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3095,7 +3218,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3103,28 +3226,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Annuler - + Migration Failed - + Failed to create destination directory. @@ -3135,12 +3258,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3161,20 +3284,55 @@ Would you like to delete the old save data? Général - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Réinitialiser tous les paramètres - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Ceci réinitialise tout les paramètres et supprime toutes les configurations par jeu. Cela ne va pas supprimer les répertoires de jeu, les profils, ou les profils d'entrée. Continuer ? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3204,33 +3362,33 @@ Would you like to delete the old save data? Couleur de l’arrière plan : - + % FSR sharpening percentage (e.g. 50%) % - + Off Désactivé - + VSync Off VSync Désactivée - + Recommended Recommandé - + On Activé - + VSync On VSync Activée @@ -3281,13 +3439,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Le mode Extended Dynamic State est désactivé sur macOS en raison des problèmes de compatibilité avec MoltenVK qui provoquent des écrans noirs. @@ -3859,7 +4017,7 @@ Would you like to delete the old save data? - + Left Stick Stick Gauche @@ -3969,14 +4127,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3989,22 +4147,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -4061,7 +4219,7 @@ Would you like to delete the old save data? - + Right Stick Stick Droit @@ -4230,88 +4388,88 @@ Pour inverser les axes, bougez d'abord votre joystick verticalement, puis h Sega Genesis - + Start / Pause Start / Pause - + Z Z - + Control Stick Stick de contrôle - + C-Stick C-Stick - + Shake! Secouez ! - + [waiting] [en attente] - + New Profile Nouveau Profil - + Enter a profile name: Entrez un nom de profil : - - + + Create Input Profile Créer un profil d'entrée - + The given profile name is not valid! Le nom de profil donné est invalide ! - + Failed to create the input profile "%1" Échec de la création du profil d'entrée "%1" - + Delete Input Profile Supprimer le profil d'entrée - + Failed to delete the input profile "%1" Échec de la suppression du profil d'entrée "%1" - + Load Input Profile Charger le profil d'entrée - + Failed to load the input profile "%1" Échec du chargement du profil d'entrée "%1" - + Save Input Profile Sauvegarder le profil d'entrée - + Failed to save the input profile "%1" Échec de la sauvegarde du profil d'entrée "%1" @@ -4606,11 +4764,6 @@ Les valeurs actuelles sont respectivement de %1% et %2%. Enable Airplane Mode Activer le mode avion - - - None - Aucun - ConfigurePerGame @@ -4665,52 +4818,57 @@ Les valeurs actuelles sont respectivement de %1% et %2%. Certains paramètres ne sont disponibles que lorsqu'un jeu n'est pas en cours d'exécution. - + Add-Ons Extensions - + System Système - + CPU CPU - + Graphics Graphiques - + Adv. Graphics Adv. Graphiques - + Ext. Graphics - + Audio Audio - + Input Profiles Profils d'entrée - + Network + Applets + + + + Properties Propriétés @@ -4728,15 +4886,110 @@ Les valeurs actuelles sont respectivement de %1% et %2%. Extensions - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nom du patch - + Version Version + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4784,62 +5037,62 @@ Les valeurs actuelles sont respectivement de %1% et %2%. %2 - + Users Utilisateurs - + Error deleting image Erreur dans la suppression de l'image - + Error occurred attempting to overwrite previous image at: %1. Une erreur est survenue en essayant de changer l'image précédente à : %1. - + Error deleting file Erreur dans la suppression du fichier - + Unable to delete existing file: %1. Impossible de supprimer le fichier existant : %1. - + Error creating user image directory Erreur dans la création du répertoire d'image de l'utilisateur - + Unable to create directory %1 for storing user images. Impossible de créer le répertoire %1 pour stocker les images de l'utilisateur. - + Error saving user image Erreur lors de l'enregistrement de la photo de profile - + Unable to save image to file Impossible d’enregistrer l’image. - + &Edit - + &Delete - + Edit User @@ -4847,17 +5100,17 @@ Les valeurs actuelles sont respectivement de %1% et %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Supprimer cet utilisateur ? Toutes les données de l'utilisateur vont être supprimées. - + Confirm Delete Confirmer la suppression - + Name: %1 UUID: %2 Nom : %1 @@ -5059,17 +5312,22 @@ UUID : %2 Mettre en pause l'exécution pendant le chargement - + + Show recording dialog + + + + Script Directory Dossier de script - + Path Chemin - + ... ... @@ -5082,7 +5340,7 @@ UUID : %2 Configuration du TAS - + Select TAS Load Directory... Sélectionner le dossier de chargement du TAS... @@ -5220,64 +5478,43 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce ConfigureUI - - - + + None Aucun - - Small (32x32) - Petite (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Grande (128x128) - - - - Full Size (256x256) - Taille Maximale (256x256) - - - + Small (24x24) Petite (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Grande (72x72) - + Filename Nom du fichier - + Filetype Type du fichier - + Title ID Identifiant du Titre - + Title Name Nom du Titre @@ -5346,71 +5583,66 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce - Game Icon Size: - Taille de l'icône du jeu : - - - Folder Icon Size: Taille de l'icône du dossier : - + Row 1 Text: Texte rangée 1 : - + Row 2 Text: Texte rangée 2 : - + Screenshots Captures d'écran - + Ask Where To Save Screenshots (Windows Only) Demander où enregistrer les captures d'écran (Windows uniquement) - + Screenshots Path: Chemin du dossier des captures d'écran : - + ... ... - + TextLabel TextLabel - + Resolution: Résolution : - + Select Screenshots Path... Sélectionnez le chemin du dossier des captures d'écran... - + <System> <System> - + English Anglais - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5544,20 +5776,20 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce Afficher le jeu en cours dans le Statut Discord - - + + All Good Tooltip Tout est OK. - + Must be between 4-20 characters Tooltip Doit comporter entre 4 et 20 caractères. - + Must be 48 characters, and lowercase a-z Tooltip Doit comporter 48 caractères, en minuscules (a-z). @@ -5589,27 +5821,27 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce La suppression de TOUTES les données est IRRÉVERSIBLE ! - + Shaders Shaders - + UserNAND NAND utilisateur - + SysNAND SysNAND - + Mods Mods - + Saves Sauvegardes @@ -5647,7 +5879,7 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce Importer les données dans ce répertoire. Cela peut prendre un certain temps et supprimera TOUTES LES DONNÉES EXISTANTES ! - + Calculating... Calcul en cours… @@ -5670,12 +5902,12 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce <html><head/><body><p>Les projets qui rendent Eden possible</p></body></html> - + Dependency Dépendance - + Version Version @@ -5851,44 +6083,44 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. GRenderWindow - - + + OpenGL not available! OpenGL n'est pas disponible ! - + OpenGL shared contexts are not supported. Les contextes OpenGL partagés ne sont pas pris en charge. - + Eden has not been compiled with OpenGL support. Eden n'a pas été compilé avec le support OpenGL - - + + Error while initializing OpenGL! Erreur lors de l'initialisation d'OpenGL ! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Votre GPU peut ne pas prendre en charge OpenGL, ou vous n'avez pas les derniers pilotes graphiques. - + Error while initializing OpenGL 4.6! Erreur lors de l'initialisation d'OpenGL 4.6 ! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Votre GPU peut ne pas prendre en charge OpenGL 4.6 ou vous ne disposez pas du dernier pilote graphique: %1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Votre GPU peut ne pas prendre en charge une ou plusieurs extensions OpenGL requises. Veuillez vous assurer que vous disposez du dernier pilote graphique.<br><br>GL Renderer :<br>%1<br><br>Extensions non prises en charge :<br>%2 @@ -5896,203 +6128,208 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. GameList - + + &Add New Game Directory + + + + Favorite Préférer - + Start Game Démarrer le jeu - + Start Game without Custom Configuration Démarrer le jeu sans configuration personnalisée - + Open Save Data Location Ouvrir l'emplacement des données de sauvegarde - + Open Mod Data Location Ouvrir l'emplacement des données des mods - + Open Transferable Pipeline Cache Ouvrir le cache de pipelines transférable - + Link to Ryujinx Lier à Ryujinx - + Remove Supprimer - + Remove Installed Update Supprimer mise à jour installée - + Remove All Installed DLC Supprimer tous les DLC installés - + Remove Custom Configuration Supprimer la configuration personnalisée - + Remove Cache Storage Supprimer le stockage du cache - + Remove OpenGL Pipeline Cache Supprimer le cache de pipelines OpenGL - + Remove Vulkan Pipeline Cache Supprimer le cache de pipelines Vulkan - + Remove All Pipeline Caches Supprimer tous les caches de pipelines - + Remove All Installed Contents Supprimer tout le contenu installé - + Manage Play Time Gérer le Temps de Jeu - + Edit Play Time Data Modifier les Données de Temps de Jeu - + Remove Play Time Data Supprimer les données de temps de jeu - - + + Dump RomFS Extraire la RomFS - + Dump RomFS to SDMC Décharger RomFS vers SDMC - + Verify Integrity Vérifier l'intégrité - + Copy Title ID to Clipboard Copier l'ID du titre dans le Presse-papiers - + Navigate to GameDB entry Accédez à l'entrée GameDB - + Create Shortcut Créer un raccourci - + Add to Desktop Ajouter au bureau - + Add to Applications Menu Ajouter au menu des applications - + Configure Game Configurer le jeux - + Scan Subfolders Scanner les sous-dossiers - + Remove Game Directory Supprimer le répertoire du jeu - + ▲ Move Up ▲ Monter - + ▼ Move Down ▼ Descendre - + Open Directory Location Ouvrir l'emplacement du répertoire - + Clear Effacer - + Name Nom - + Compatibility Compatibilité - + Add-ons Extensions - + File type Type de fichier - + Size Taille - + Play time Temps de jeu @@ -6100,62 +6337,62 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. GameListItemCompat - + Ingame En jeu - + Game starts, but crashes or major glitches prevent it from being completed. Le jeu se lance, mais crash ou des bugs majeurs l'empêchent d'être complété. - + Perfect Parfait - + Game can be played without issues. Le jeu peut être joué sans problèmes. - + Playable Jouable - + Game functions with minor graphical or audio glitches and is playable from start to finish. Le jeu fonctionne avec des glitchs graphiques ou audio mineurs et est jouable du début à la fin. - + Intro/Menu Intro/Menu - + Game loads, but is unable to progress past the Start Screen. Le jeu charge, mais ne peut pas progresser après le menu de démarrage. - + Won't Boot Ne démarre pas - + The game crashes when attempting to startup. Le jeu crash au lancement. - + Not Tested Non testé - + The game has not yet been tested. Le jeu n'a pas encore été testé. @@ -6163,7 +6400,7 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. GameListPlaceholder - + Double-click to add a new folder to the game list Double-cliquez pour ajouter un nouveau dossier à la liste de jeux @@ -6171,17 +6408,17 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. GameListSearchField - + %1 of %n result(s) %1 sur %n résultat%1 sur %n résultats%1 sur %n résultat(s) - + Filter: Filtre : - + Enter pattern to filter Entrez un motif à filtrer @@ -6257,12 +6494,12 @@ Veuillez aller dans Configurer -> Système -> Réseau puis en choisir une. HostRoomWindow - + Error Erreur - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Échec de l'annonce du salon dans le hall public. Pour héberger un salon publiquement, vous devez configurer un compte Eden valide dans Émulation -> Configuration -> Web. Si vous ne souhaitez pas publier le salon dans le hall public, sélectionnez "Non répertorié" à la place. @@ -6272,19 +6509,11 @@ Message de débogage : Hotkeys - + Audio Mute/Unmute Désactiver/Activer le son - - - - - - - - @@ -6307,154 +6536,180 @@ Message de débogage : + + + + + + + + + + + Main Window Fenêtre Principale - + Audio Volume Down Baisser le volume audio - + Audio Volume Up Augmenter le volume audio - + Capture Screenshot Prendre une capture d'ecran - + Change Adapting Filter Modifier le filtre d'adaptation - + Change Docked Mode Changer le mode de la station d'accueil - + Change GPU Mode - + Configure Configurer - + Configure Current Game Configurer le jeu actuel - + Continue/Pause Emulation Continuer/Suspendre l'Émulation - + Exit Fullscreen Quitter le plein écran - + Exit Eden Fermer Eden - + Fullscreen Plein écran - + Load File Charger un fichier - + Load/Remove Amiibo Charger/Supprimer un Amiibo - - Multiplayer Browse Public Game Lobby - Multijoueur parcourir le menu des jeux publics + + Browse Public Game Lobby + - - Multiplayer Create Room - Multijoueur créer un salon + + Create Room + - - Multiplayer Direct Connect to Room - Multijoueur connexion directe au salon + + Direct Connect to Room + - - Multiplayer Leave Room - Multijoueur quitter le salon + + Leave Room + - - Multiplayer Show Current Room - Multijoueur afficher le salon actuel + + Show Current Room + - + Restart Emulation Redémarrer l'Émulation - + Stop Emulation Arrêter l'Émulation - + TAS Record Enregistrement TAS - + TAS Reset Réinitialiser le TAS - + TAS Start/Stop Démarrer/Arrêter le TAS - + Toggle Filter Bar Activer la barre de filtre - + Toggle Framerate Limit Activer la limite de fréquence d'images - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Activer le panoramique de la souris - + Toggle Renderdoc Capture Activer la capture renderdoc - + Toggle Status Bar Activer la barre d'état + + + Toggle Performance Overlay + + InstallDialog @@ -6507,22 +6762,22 @@ Message de débogage : Temps Estimé 5m 4s - + Loading... Chargement... - + Loading Shaders %1 / %2 Chargement des shaders %1 / %2 - + Launching... Lancement... - + Estimated Time %1 Temps Estimé %1 @@ -6571,42 +6826,42 @@ Message de débogage : Rafraichir le menu - + Password Required to Join Mot de passe requis pour rejoindre - + Password: Mot de passe : - + Players Joueurs - + Room Name Nom du salon - + Preferred Game Jeu préféré - + Host Hôte - + Refreshing Rafraîchissement - + Refresh List Rafraîchir la liste @@ -6655,1091 +6910,1153 @@ Message de débogage : + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p &Réinitialiser la taille de la fenêtre à 720p - + Reset Window Size to 720p Réinitialiser la taille de la fenêtre à 720p - + Reset Window Size to &900p Réinitialiser la taille de la fenêtre à &900p - + Reset Window Size to 900p Réinitialiser la taille de la fenêtre à 900p - + Reset Window Size to &1080p Réinitialiser la taille de la fenêtre à &1080p - + Reset Window Size to 1080p Réinitialiser la taille de la fenêtre à 1080p - + &Multiplayer &Multijoueur - + &Tools &Outils - + Am&iibo Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut &Créer un Raccourci du Menu d'Accueil - + Install &Firmware Installer le &Firmware - + &Help &Aide - + &Install Files to NAND... &Installer des fichiers sur la NAND... - + L&oad File... &Charger un fichier... - + Load &Folder... &Charger un dossier - + E&xit Q&uitter - - + + &Pause &Pause - + &Stop &Arrêter - + &Verify Installed Contents &Vérifier les contenus installés - + &About Eden &À propos d'Eden - + Single &Window Mode &Mode fenêtre unique - + Con&figure... &Configurer... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar &Afficher la barre de filtre - + Show &Status Bar &Afficher la barre d'état - + Show Status Bar Afficher la barre d'état - + &Browse Public Game Lobby &Parcourir le menu des jeux publics - + &Create Room &Créer un salon - + &Leave Room &Quitter le salon - + &Direct Connect to Room &Connexion directe au salon - + &Show Current Room &Afficher le salon actuel - + F&ullscreen P&lein écran - + &Restart &Redémarrer - + Load/Remove &Amiibo... Charger/Retirer un &Amiibo… - + &Report Compatibility &Signaler la compatibilité - + Open &Mods Page Ouvrir la &page des mods - + Open &Quickstart Guide Ouvrir le &guide de démarrage rapide - + &FAQ &FAQ - + &Capture Screenshot &Capture d'écran - + &Album - + &Set Nickname and Owner &Définir le surnom et le propriétaire - + &Delete Game Data &Supprimer les données du jeu - + &Restore Amiibo &Restaurer l'amiibo - + &Format Amiibo &Formater l'amiibo - + &Mii Editor - + &Configure TAS... &Configurer TAS... - + Configure C&urrent Game... Configurer le j&eu actuel... - - + + &Start &Démarrer - + &Reset &Réinitialiser - - + + R&ecord En&registrer - + Open &Controller Menu Ouvrir le &menu des manettes - + Install Decryption &Keys Installer les &clés de déchiffrement - + &Home Menu - + &Desktop &Bureau - + &Application Menu &Menu de l'Application - + &Root Data Folder &Dossier de Données (Root) Principal. - + &NAND Folder &Dossier NAND - + &SDMC Folder &Dossier SDMC - + &Mod Folder &Dossier Mod - + &Log Folder &Dossier Log - + From Folder Depuis un dossier - + From ZIP Depuis une archive ZIP - + &Eden Dependencies Dépendances d'&Eden - + &Data Manager &Gestionnaire de données - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + Aucun + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute Remettre le son - + Mute Couper le son - + Reset Volume Réinitialiser le volume - + &Clear Recent Files - + &Continue &Continuer - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) (64-bit) - + (32-bit) (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... Fermeture du logiciel... - + Save Data Données de sauvegarde - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? Réinitialiser le temps de jeu ? - - + + RomFS Extraction Failed! L'extraction de la RomFS a échoué ! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel Annuler - + RomFS Extraction Succeeded! Extraction de la RomFS réussi ! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties Propriétés - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game Jeu - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install Échec de l'installation - + The title type you selected for the NCA is invalid. - + File not found Fichier non trouvé - + File "%1" not found - + OK OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo Amiibo - - + + The current amiibo has been removed - + Error Erreur - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo Charger un Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted Firmware corrompu - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR FSR - + NO AA - + VOLUME: MUTE VOLUME : MUET - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! Wayland détecté ! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7747,69 +8064,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - Aucun - FXAA @@ -7836,27 +8163,27 @@ Would you like to bypass this and exit anyway? Bicubique - + Zero-Tangent Zero-Tangente - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Gaussien @@ -7911,22 +8238,22 @@ Would you like to bypass this and exit anyway? Vulkan - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7934,14 +8261,14 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 La liaison de l'ancien répertoire a échoué. Vous devrez peut-être réexécuter avec des privilèges administratifs sous Windows. L'OS a renvoyé l'erreur : %1 - + Note that your configuration and data will be shared with %1. @@ -7958,7 +8285,7 @@ Si cela n'est pas convenable, supprimez les fichiers suivants : %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7969,11 +8296,24 @@ Si vous souhaitez supprimer les fichiers qui ont été laissés dans l'anci %1 - + Data was migrated successfully. Les données ont été migré avec succès + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8142,86 +8482,86 @@ Continuer quand même ? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8260,6 +8600,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8294,39 +8708,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Titres installés sur la SD - - - - Installed NAND Titles - Titres installés sur la NAND - - - - System Titles - Titres Système - - - - Add New Game Directory - Ajouter un nouveau répertoire de jeu - - - - Favorites - Favoris - - - - - + + + Migration Migration - + Clear Shader Cache Supprimer le cache de shader @@ -8361,19 +8750,19 @@ p, li { white-space: pre-wrap; } Non - + You can manually re-trigger this prompt by deleting the new config directory: %1 Vous pouvez relancer manuellement cette invite en supprimant le nouveau répertoire de configuration : %1 - + Migrating Migration - + Migrating, this may take a while... Migration, cela peut prendre un certain temps... @@ -8764,6 +9153,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 joue à %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Titres installés sur la SD + + + + Installed NAND Titles + Titres installés sur la NAND + + + + System Titles + Titres Système + + + + Add New Game Directory + Ajouter un nouveau répertoire de jeu + + + + Favorites + Favoris + QtAmiiboSettingsDialog @@ -8881,47 +9315,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware Le jeu nécessite un firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. Le jeu que vous essayez de lancer nécessite un firmware pour démarrer ou pour passer le menu d’ouverture. Veuillez <a href='https://yuzu-mirror.github.io/help/quickstart'>dumper et installer le firmware</a>, ou appuyez sur « OK » pour lancer quand même. - + Installing Firmware... Installation du firmware... - - - - - + + + + + Cancel Annuler - + Firmware Install Failed Installation du firmware échoué - + Firmware Install Succeeded Installation du firmware réussi - + Firmware integrity verification failed! Échec de la vérification de l'intégrité du firmware ! - - + + Verification failed for the following files: %1 @@ -8930,204 +9364,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Vérification de l'intégrité... - - + + Integrity verification succeeded! La vérification de l'intégrité réussi ! - - + + The operation completed successfully. L'opération s'est déroulée avec succès. - - + + Integrity verification failed! La vérification de l'intégrité a échoué ! - + File contents may be corrupt or missing. Le contenu d'un fichier peut être corrompu or manquant. - + Integrity verification couldn't be performed La vérification de l'intégrité n'a pas pu être effectuée - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Installation du firmware annulée, le firmware est peut-être en mauvais état ou corrompu. Impossible de vérifier la validité du contenu du fichier. - + Select Dumped Keys Location Sélectionner Emplacement Clés Extraites - + Decryption Keys install succeeded Installation des clés de décryptage avec succès - + Decryption Keys install failed Installation des clés de décryptage échoué - + Orphaned Profiles Detected! Profils orphelins détectés ! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> DES CHOSES GRAVES INATTENDUES PEUVENT SURVENIR SI VOUS NE LISEZ PAS CECI !<br>Eden a détecté les répertoires de sauvegarde suivants sans profil associé :<br>%1<br><br>Les profils suivants sont valides :<br>%2<br><br>Cliquez sur « OK » pour ouvrir votre dossier de sauvegarde et corriger vos profils.<br>Astuce : copiez le contenu du dossier le plus volumineux ou le plus récemment modifié ailleurs, supprimez tous les profils orphelins et déplacez le contenu copié vers le profil correct.<br><br>Toujours confus ? Consultez la <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>page d’aide</a>.<br> - + Really clear data? Vraiment effacer les données ? - + Important data may be lost! Des données importantes peuvent être perdues ! - + Are you REALLY sure? Êtes-vous VRAIMENT sûr ? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. Une fois supprimées, vos données NE POURRONT PAS être récupérées ! Ne faites cela que si vous êtes sûr à 100 % de vouloir supprimer ces données. - + Clearing... Suppression en cours… - + Select Export Location Sélectionner l’emplacement d’exportation - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Archives compressées (*.zip) - + Exporting data. This may take a while... Exportation des données en cours. Cela peut prendre un certain temps… - + Exporting Exportation en cours… - + Exported Successfully Exportation réussie - + Data was exported successfully. Les données ont été exportées avec succès. - + Export Cancelled Exportation annulée - + Export was cancelled by the user. L’exportation a été annulée par l’utilisateur. - + Export Failed Échec de l’exportation - + Ensure you have write permissions on the targeted directory and try again. Assurez-vous d’avoir les permissions d’écriture sur le répertoire ciblé et réessayez. - + Select Import Location Sélectionner l’emplacement d’importation - + Import Warning Avertissement d’importation - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Toutes les données précédentes de ce répertoire seront supprimées. Êtes-vous sûr de vouloir continuer ? - + Importing data. This may take a while... Importation des données en cours. Cela peut prendre un certain temps… - + Importing Importation en cours… - + Imported Successfully Importation réussie - + Data was imported successfully. Les données ont été importées avec succès. - + Import Cancelled Importation annulée - + Import was cancelled by the user. L’importation a été annulée par l’utilisateur. - + Import Failed Échec de l’importation - + Ensure you have read permissions on the targeted directory and try again. Assurez-vous d’avoir les permissions de lecture sur le répertoire ciblé et réessayez. @@ -9135,22 +9569,22 @@ Ne faites cela que si vous êtes sûr à 100 % de vouloir supprimer ces donné QtCommon::FS - + Linked Save Data Données de sauvegarde liées - + Save data has been linked. Les données de sauvegarde ont été liées. - + Failed to link save data Échec de la liaison des données de sauvegarde - + Could not link directory: %1 To: @@ -9161,48 +9595,48 @@ To: %2 - + Already Linked Déjà lié - + This title is already linked to Ryujinx. Would you like to unlink it? Ce titre est déjà lié à Ryujinx. Voulez‑vous le délier ? - + Failed to unlink old directory Impossible de délier l’ancien répertoire - - + + OS returned error: %1 Le système a renvoyé l’erreur : %1 - + Failed to copy save data Échec de la copie des données de sauvegarde - + Unlink Successful Déliaison réussie - + Successfully unlinked Ryujinx save data. Save data has been kept intact. Les données de sauvegarde Ryujinx ont été déliennées avec succès. Les données de sauvegarde ont été conservées intactes. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9214,18 +9648,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9233,229 +9667,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents Erreur Suppression Contenu - + Error Removing Update Erreur Suppression Mise à jour - + Error Removing DLC Erreur Suppression DLC - - - - - - + + + + + + Successfully Removed Supprimé avec succès - + Successfully removed the installed base game. Le jeu de base installé a été supprimé avec succès. - + The base game is not installed in the NAND and cannot be removed. Le jeu de base n'est pas installé dans la NAND et ne peut pas être supprimé. - + Successfully removed the installed update. La mise à jour installée a été supprimée avec succès. - + There is no update installed for this title. Il n'y a pas de mise à jour installée pour ce titre. - + There are no DLCs installed for this title. Il n'y a pas de DLCs installés pour ce titre. - + Successfully removed %1 installed DLC. Suppression de %1 DLC installé(s) avec succès. - - + + Error Removing Transferable Shader Cache Erreur Suppression Cache Shader transférable - - + + A shader cache for this title does not exist. Un shader cache pour ce titre n'existe pas. - + Successfully removed the transferable shader cache. Suppression du cache de shader transférable réussi avec succès. - + Failed to remove the transferable shader cache. Échec de la suppression du cache de shader transférable. - + Error Removing Vulkan Driver Pipeline Cache Erreur Suppression Cache de pipeline Pilotes Vulkan - + Failed to remove the driver pipeline cache. Échec de la suppression du cache de pipeline de pilotes. - - + + Error Removing Transferable Shader Caches Erreur Suppression Caches Shader Transférable - + Successfully removed the transferable shader caches. Suppression des caches de shader transférable effectuée avec succès. - + Failed to remove the transferable shader cache directory. Impossible de supprimer le dossier de cache de shader transférable. - - + + Error Removing Custom Configuration Erreur Suppression Configuration Personnalisée - + A custom configuration for this title does not exist. Il n'existe pas de configuration personnalisée pour ce titre. - + Successfully removed the custom game configuration. La configuration personnalisée du jeu a été supprimée avec succès. - + Failed to remove the custom game configuration. Échec de la suppression de la configuration personnalisée du jeu. - + Reset Metadata Cache Réinitialiser le cache des métadonnées - + The metadata cache is already empty. Le cache des métadonnées est déjà vide. - + The operation completed successfully. L'opération s'est déroulée avec succès. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Le cache des métadonnées n'a pas pu être supprimé. Il est peut-être en cours d'utilisation ou inexistant. - + Create Shortcut Créer un raccourci - + Do you want to launch the game in fullscreen? Voulez-vous lancer le jeu en plein écran ? - + Shortcut Created Raccourcis crée - + Successfully created a shortcut to %1 Création d'un raccourci vers %1 réussi avec succès - + Shortcut may be Volatile! Les raccourcis peuvent être instables ! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Cela créera un raccourci vers l'AppImage actuel. Cela peut ne pas fonctionner correctement si vous effectuez une mise à jour. Continuer ? - + Failed to Create Shortcut Échec de la création du raccourci - + Failed to create a shortcut to %1 Échec de la création d'un raccourci vers %1 - + Create Icon Créer une icône - + Cannot create icon file. Path "%1" does not exist and cannot be created. Impossible de créer le fichier icône. Le chemin "%1" n'existe pas et ne peut être créé. - + No firmware available Pas de firmware disponible - + Please install firmware to use the home menu. Veuillez installer un firmware pour utiliser le menu d'accueil - + Home Menu Applet Applet Menu d'accueil - + Home Menu is not available. Please reinstall firmware. Le menu d'accueil n'est pas disponible. Veuillez réinstaller le firmware + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache Erreur lors de l’ouverture du cache des shaders - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. Impossible de créer ou d’ouvrir le cache des shaders pour ce titre. Assurez-vous que votre répertoire de données de l’application dispose des permissions d’écriture. @@ -9463,83 +9953,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Contient des données de sauvegarde de jeu. NE SUPPRIMEZ PAS SAUF SI VOUS SAVEZ CE QUE VOUS FAITES ! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. Contient les caches de pipeline Vulkan et OpenGL. Peut être supprimé sans risque. - + Contains updates and DLC for games. Contient les mises à jour et les DLC des jeux. - + Contains firmware and applet data. Contient les données du firmware et des applets. - + Contains game mods, patches, and cheats. Contient les mods, les patchs et les cheats. - + Decryption Keys were successfully installed Les Clés de Déchiffrement ont été installées avec succès - + Unable to read key directory, aborting Impossible de lire le répertoire des clés, abandon - + One or more keys failed to copy. Une ou plusieurs clés n’ont pas pu être copiées. - + Verify your keys file has a .keys extension and try again. Vérifiez que votre fichier de clés a l’extension .keys et réessayez. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. Échec de l’initialisation des Clés de Déchiffrement. Vérifiez que vos outils d’extraction sont à jour et ré-extrayez les clés. - + Successfully installed firmware version %1 Version du Firmware %1 installée avec succès - + Unable to locate potential firmware NCA files Impossible de localiser les fichiers NCA de Firmware potentiels - + Failed to delete one or more firmware files. Échec de suppression d’un ou plusieurs fichiers Firmware. - + One or more firmware files failed to copy into NAND. Un ou plusieurs fichiers Firmware n’ont pas pu être copiés dans la NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Installation du Firmware annulée, le firmware peut être corrompu ou dans un état incorrect. Redémarrez Eden ou réinstallez le Firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9562,59 +10052,59 @@ Sélectionnez le bouton correspondant pour migrer les données depuis cet émula Cette opération peut prendre un certain temps. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. Il est recommandé de vider le cache des shaders pour tous les utilisateurs. Ne décochez pas cette option sauf si vous savez ce que vous faites. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. Conserve l’ancien répertoire de données. Cela est recommandé si vous n’avez pas de problème d’espace et que vous souhaitez conserver les données séparées pour l’ancien émulateur. - + Deletes the old data directory. This is recommended on devices with space constraints. Supprime l’ancien répertoire de données. Ceci est recommandé sur les appareils disposant de peu d’espace. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. Crée un lien de système de fichiers entre l’ancien répertoire et le répertoire Eden. Ceci est recommandé si vous souhaitez partager les données entre les émulateurs. - + Ryujinx title database does not exist. La base de données des titres Ryujinx n’existe pas. - + Invalid header on Ryujinx title database. En-tête invalide dans la base de données des titres Ryujinx. - + Invalid magic header on Ryujinx title database. En-tête magique invalide dans la base de données des titres Ryujinx. - + Invalid byte alignment on Ryujinx title database. Alignement des octets invalide dans la base de données des titres Ryujinx. - + No items found in Ryujinx title database. Aucun élément trouvé dans la base de données des titres Ryujinx. - + Title %1 not found in Ryujinx title database. Le titre %1 est introuvable dans la base de données des titres Ryujinx. @@ -9655,7 +10145,7 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu - + Pro Controller Manette Switch Pro @@ -9668,7 +10158,7 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu - + Dual Joycons Deux Joycons @@ -9681,7 +10171,7 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu - + Left Joycon Joycon gauche @@ -9694,7 +10184,7 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu - + Right Joycon Joycon droit @@ -9723,7 +10213,7 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu - + Handheld Mode Portable @@ -9844,32 +10334,32 @@ Ceci est recommandé si vous souhaitez partager les données entre les émulateu Pas assez de manettes. - + GameCube Controller Manette GameCube - + Poke Ball Plus Poké Ball Plus - + NES Controller Manette NES - + SNES Controller Manette SNES - + N64 Controller Manette N64 - + Sega Genesis Sega Genesis @@ -10024,13 +10514,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Annuler @@ -10067,12 +10557,12 @@ En sélectionnant « Depuis Eden », les données de sauvegarde précédemment s Annuler - + Failed to link save data - + OS returned error: %1 @@ -10108,7 +10598,7 @@ En sélectionnant « Depuis Eden », les données de sauvegarde précédemment s Secondes : - + Total play time reached maximum. Le temps de jeu total a atteint le maximum. diff --git a/dist/languages/hu.ts b/dist/languages/hu.ts index f2f3f155d4..3d969f7098 100644 --- a/dist/languages/hu.ts +++ b/dist/languages/hu.ts @@ -368,149 +368,174 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján. % - + Amiibo editor Amiibo szerkesztő - + Controller configuration Vezérlő konfiguráció - + Data erase Adat törlése - + Error Hiba - + Net connect - + Player select Játékos kiválasztása - + Software keyboard Szoftver billenytűzet - + Mii Edit Mii szerkesztés - + Online web Online web - + Shop Bolt - + Photo viewer Képnézegető - + Offline web Offline web - + Login share Bejelentkezés megosztása - + Wifi web auth - + My page Az oldalam - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Kimeneti motor: - + Output Device: Kimeneti eszköz: - + Input Device: Bemeneti eszköz: - + Mute audio Hang némítása - + Volume: Hangerő: - + Mute audio when in background Hang némítása, amikor háttérben van - + Multicore CPU Emulation Többmagos CPU emuláció - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout Memóriaelrendezés - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Sebesség korlátozása - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,195 +548,195 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Pontosság: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) FMA kikapcsolása (javítja a teljesítményt FMA nélküli CPU-kon) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Ez az opció a fused-multiply-add utasítások pontosságának csökkentésével javítja a sebességet olyan CPU-k esetén, amelyek nem rendelkeznek natív FMA támogatással. - + Faster FRSQRTE and FRECPE Gyorsabb FRSQRTE és FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Ez az opció javítja néhány közelítő lebegőpontos függvény sebességét azáltal, hogy kevésbé pontos natív megközelítést használ. - + Faster ASIMD instructions (32 bits only) Gyorsabb ASIMD utasítások (csak 32 bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Ez az opció növeli a 32 bites ASIMD lebegőpontos függvények sebességét a helytelen kerekítési módok használatával. - + Inaccurate NaN handling Pontatlan NaN kezelés - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Ez az opció növeli a sebességet a NaN ellenőrzés kihagyásával. Kérjük, vedd figyelembe, hogy ez bizonyos lebegőpontos utasítások pontosságát is csökkenti. - + Disable address space checks Címtartomány-ellenőrzések kikapcsolása - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Globális monitorozás mellőzése - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Eszköz: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Felbontás: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Ablakadaptív szűrő: - + FSR Sharpness: FSR élesség: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Élsimítási módszer: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Teljes képernyős mód: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -720,36 +745,36 @@ A borderless (szegély nélküli) biztosítja a legjobb kompatibilitást a képe Az exkluzív teljes képernyő jobb teljesítményt és jobb Freesync/Gsync támogatást kínálhat. - + Aspect Ratio: Képarány: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Lehetővé teszi az árnyékolók tárolását a gyorsabb betöltés érdekében a következő játékindításokkor. Kikapcsolása csak hibakeresésre szolgál. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -757,12 +782,12 @@ This feature is experimental. - + NVDEC emulation: NVDEC emuláció: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -771,12 +796,12 @@ A dekódoláshoz használhatja a CPU-t vagy a GPU-t, vagy egyáltalán nem vége A legtöbb esetben a GPU dekódolás nyújtja a legjobb teljesítményt. - + ASTC Decoding Method: ASTC dekódoló módszer: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -785,45 +810,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: ASTC újraszűrési módszer: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: VRAM használati mód: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: VSync mód: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -831,1317 +866,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Aszinkron prezentálás engedélyezése (csak Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Kicsit javítja a teljesítményt azáltal, hogy a megjelenítést külön CPU szálra helyezi át. - + Force maximum clocks (Vulkan only) Maximális órajelek kényszerítése (csak Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. A háttérben fut, miközben várja a grafikai parancsokat, hogy a GPU ne csökkentse az órajelét. - + Anisotropic Filtering: Anizotropikus szűrés: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Vulkan pipeline gyorsítótár használata. - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Reaktív ürítés használata - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Reaktív ürítést használ a prediktív ürítés helyett, ami pontosabb memóriaszinkronizálást tesz lehetővé. - + Sync to framerate of video playback Szinkronizálás a videolejátszás képkockasebességéhez - + Run the game at normal speed during video playback, even when the framerate is unlocked. A játék futtatása normál sebességgel videolejátszás közben, még akkor is, ha a képkockasebesség fel van oldva. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. Javítja az átlátszósági effektek megjelenítését bizonyos játékokban. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Eszköznév - + The name of the console. - + Custom RTC Date: Egyéni RTC dátum: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Nyelv: - + This option can be overridden when region setting is auto-select - + Region: Régió: - + The region of the console. - + Time Zone: Időzóna: - + The time zone of the console. - + Sound Output Mode: Hangkimeneti mód: - + Console Mode: Konzol mód: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Emuláció leállításának megerősítése - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Egér elrejtése inaktivitáskor - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Vezérlő applet letiltása - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode Játékmód engedélyezése - + Force X11 as Graphics Backend - + Custom frontend Egyéni frontend - + Real applet Valódi applet - + Never - + On Load - + Always - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU aszinkron - + Uncompressed (Best quality) Tömörítetlen (legjobb minőség) - + BC1 (Low quality) BC1 (alacsony minőség) - + BC3 (Medium quality) BC3 (közepes minőség) - - Conservative - Takarékos - - - - Aggressive - Aggresszív - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Pontos - - - - - Default - Alapértelmezett - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Automatikus - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Takarékos + + + + Aggressive + Aggresszív + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + Pontos + + + + + Default + Alapértelmezett + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Nem biztonságos - + Paranoid (disables most optimizations) Paranoid (a legtöbb optimalizálást letiltja) - + Debugging - + Dynarmic Dinamikus - + NCE NCE - + Borderless Windowed Szegély nélküli ablak - + Exclusive Fullscreen Exkluzív teljes képernyő - + No Video Output Nincs videokimenet - + CPU Video Decoding CPU videódekódolás - + GPU Video Decoding (Default) GPU videódekódolás (alapértelmezett) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [KÍSÉRLETI] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [KÍSÉRLETI] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [KÍSÉRLETI] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Legközelebbi szomszéd - + Bilinear Bilineáris - + Bicubic Bikubikus - + Gaussian Gauss-féle - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Nincs - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Alapértelmezett (16:9) - + Force 4:3 4:3 kényszerítése - + Force 21:9 21:9 kényszerítése - + Force 16:10 16:10 kényszerítése - + Stretch to Window Ablakhoz nyújtás - + Automatic Automatikus - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japán (日本語) - + American English Amerikai angol - + French (français) Francia (français) - + German (Deutsch) Német (Deutsch) - + Italian (italiano) Olasz (italiano) - + Spanish (español) Spanyol (español) - + Chinese Kínai - + Korean (한국어) Koreai (한국어) - + Dutch (Nederlands) Holland (Nederlands) - + Portuguese (português) Portugál (português) - + Russian (Русский) Orosz (Русский) - + Taiwanese Tajvani - + British English Brit Angol - + Canadian French Kanadai francia - + Latin American Spanish Latin-amerikai spanyol - + Simplified Chinese Egyszerűsített kínai - + Traditional Chinese (正體中文) Hagyományos kínai (正體中文) - + Brazilian Portuguese (português do Brasil) Brazíliai portugál (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japán - + USA USA - + Europe Európa - + Australia Ausztrália - + China Kína - + Korea Korea - + Taiwan Tajvan - + Auto (%1) Auto select time zone Automatikus (%1) - + Default (%1) Default time zone Alapértelmezett (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Kuba - + EET EET - + Egypt Egyiptom - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Izland - + Iran Irán - + Israel Izrael - + Jamaica Jamaika - + Kwajalein Kwajalein - + Libya Líbia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navahó - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Lengyelország - + Portugal Portugália - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Szingapúr - + Turkey Törökország - + UCT UCT - + Universal Univerzális - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Sztereó - + Surround Térhangzás - + 4GB DRAM (Default) 4GB DRAM (Alapértelmezett) - + 6GB DRAM (Unsafe) 6GB DRAM (Nem biztonságos) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Dokkolt - + Handheld Kézi - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) Mindig kérdezz rá (alapértelmezett) - + Only if game specifies not to stop Csak akkor, ha a játék kifejezetten kéri a folytatást. - + Never ask Soha ne kérdezz rá - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2213,7 +2332,7 @@ When a program attempts to open the controller applet, it is immediately closed. Visszaállítás - + Auto Automatikus @@ -2637,81 +2756,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts - + Debugging Hibakeresés - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. - + Dump Audio Commands To Console** Audioparancsok kimentése a Konzolba** - + Flush log output on each line - + Enable FS Access Log FS hozzáférési napló engedélyezése - + Enable Verbose Reporting Services** Részletes jelentést nyújtó szolgáltatások engedélyezése** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2772,13 +2896,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Hang - + CPU CPU @@ -2794,13 +2918,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Általános - + Graphics Grafika @@ -2821,7 +2945,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Irányítás @@ -2837,7 +2961,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Rendszer @@ -2955,58 +3079,58 @@ When a program attempts to open the controller applet, it is immediately closed. Metaadat gyorsítótár visszaállítása - + Select Emulated NAND Directory... Emulált NAND könyvtár kiválasztása... - + Select Emulated SD Directory... Emulált SD könyvtár kiválasztása... - - + + Select Save Data Directory... - + Select Gamecard Path... Játékkártya könyvtár kiválasztása... - + Select Dump Directory... Kimentési mappa kiválasztása... - + Select Mod Load Directory... Mod betöltő könyvtár kiválasztása... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3017,7 +3141,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3025,28 +3149,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3057,12 +3181,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3083,20 +3207,55 @@ Would you like to delete the old save data? Általános - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Összes beállítás visszaállítása - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Ez visszaállítja az összes beállítást és törli az összes játékonkénti konfigurációkat. Ez nem fogja kitörölni a játék könyvtárakat, profilokat, se a beviteli profilokat. Folytatja? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3126,33 +3285,33 @@ Would you like to delete the old save data? Háttérszín: - + % FSR sharpening percentage (e.g. 50%) % - + Off Ki - + VSync Off VSync Ki - + Recommended Ajánlott - + On Be - + VSync On VSync Be @@ -3203,13 +3362,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3781,7 +3940,7 @@ Would you like to delete the old save data? - + Left Stick Bal kar @@ -3891,14 +4050,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3911,22 +4070,22 @@ Would you like to delete the old save data? - + Plus Plusz - + ZR ZR - - + + R R @@ -3983,7 +4142,7 @@ Would you like to delete the old save data? - + Right Stick Jobb kar @@ -4152,88 +4311,88 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs Sega Genesis - + Start / Pause Indítás / Szünet - + Z Z - + Control Stick - + C-Stick - + Shake! Rázd! - + [waiting] [várakozás] - + New Profile Új profil - + Enter a profile name: Add meg a profil nevét: - - + + Create Input Profile Beviteli profil létrehozása - + The given profile name is not valid! A megadott profilnév érvénytelen! - + Failed to create the input profile "%1" A "%1" beviteli profilt nem sikerült létrehozni - + Delete Input Profile Beviteli profil törlése - + Failed to delete the input profile "%1" A "%1" beviteli profilt nem sikerült eltávolítani - + Load Input Profile Beviteli profil betöltése - + Failed to load the input profile "%1" A "%1" beviteli profilt nem sikerült betölteni - + Save Input Profile Beviteli profil mentése - + Failed to save the input profile "%1" A "%1" beviteli profilt nem sikerült elmenteni @@ -4528,11 +4687,6 @@ A jelenlegi érték %1% és %2%. Enable Airplane Mode - - - None - Nincs - ConfigurePerGame @@ -4587,52 +4741,57 @@ A jelenlegi érték %1% és %2%. Néhány beállítás csak akkor érhető el, amikor nem fut játék. - + Add-Ons Kiegészítők - + System Rendszer - + CPU CPU - + Graphics Grafika - + Adv. Graphics Haladó graf. - + Ext. Graphics - + Audio Hang - + Input Profiles Beviteli profilok - + Network + Applets + + + + Properties Tulajdonságok @@ -4650,15 +4809,110 @@ A jelenlegi érték %1% és %2%. Kiegészítők - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Patch név - + Version Verzió + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4706,62 +4960,62 @@ A jelenlegi érték %1% és %2%. %2 - + Users Felhasználók - + Error deleting image Hiba történt a kép törlése során - + Error occurred attempting to overwrite previous image at: %1. Hiba történt az előző kép felülírása során: %1. - + Error deleting file Hiba történt a fájl törlés során - + Unable to delete existing file: %1. A meglévő fájl törlése nem lehetséges: %1. - + Error creating user image directory Hiba történt a felhasználó kép könyvtárának létrehozásakor - + Unable to create directory %1 for storing user images. Nem sikerült létrehozni a(z) %1 könyvtárat a felhasználó képeinek tárolásához. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4769,17 +5023,17 @@ A jelenlegi érték %1% és %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Törlöd a felhasználót? Minden felhasználói adat törölve lesz. - + Confirm Delete Törlés megerősítése - + Name: %1 UUID: %2 Név: %1 @@ -4981,17 +5235,22 @@ UUID: %2 Végrehajtás szüneteltetése terhelés közben - + + Show recording dialog + + + + Script Directory Szkript könyvtár - + Path Útvonal - + ... ... @@ -5004,7 +5263,7 @@ UUID: %2 TAS konfigurálása - + Select TAS Load Directory... TAS betöltési könyvtár kiválasztása... @@ -5142,64 +5401,43 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb ConfigureUI - - - + + None Nincs - - Small (32x32) - Kicsi (32x32) - - - - Standard (64x64) - Szabványos (64x64) - - - - Large (128x128) - Nagy (128x128) - - - - Full Size (256x256) - Teljes méret (256x256) - - - + Small (24x24) Kicsi (24x24) - + Standard (48x48) Szabványos (48x48) - + Large (72x72) Nagy (72x72) - + Filename Fájlnév - + Filetype Fájltípus - + Title ID Játék azonosító - + Title Name Játék neve @@ -5268,71 +5506,66 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb - Game Icon Size: - Játék ikonméret: - - - Folder Icon Size: Mappa ikonméret: - + Row 1 Text: 1. sor szövege: - + Row 2 Text: 2. sor szövege: - + Screenshots Képernyőmentések - + Ask Where To Save Screenshots (Windows Only) Kérdezze meg a képernyőmentések útvonalát (csak Windowson) - + Screenshots Path: Képernyőmentések útvonala: - + ... ... - + TextLabel - + Resolution: Felbontás: - + Select Screenshots Path... Képernyőmentések útvonala... - + <System> <System> - + English Angol - + Auto (%1 x %2, %3 x %4) Screenshot width value Automatikus (%1 x %2, %3 x %4) @@ -5466,20 +5699,20 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb Jelenlegi játék megjelenítése a Discord állapotodban - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5511,27 +5744,27 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5569,7 +5802,7 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb - + Calculating... @@ -5592,12 +5825,12 @@ Húzd a pontokat a pozíció megváltoztatásához, vagy kattints duplán a táb - + Dependency - + Version @@ -5771,44 +6004,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL nem elérhető! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Hiba történt az OpenGL inicializálása során! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Lehetséges, hogy a GPU-d nem támogatja az OpenGL-t, vagy nem a legfrissebb grafikus illesztőprogram van telepítve. - + Error while initializing OpenGL 4.6! Hiba történt az OpenGL 4.6 inicializálása során! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Lehetséges, hogy a GPU-d nem támogatja az OpenGL 4.6-ot, vagy nem a legfrissebb grafikus illesztőprogram van telepítve.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Előfordulhat, hogy a GPU-d nem támogat egy vagy több szükséges OpenGL kiterjesztést. Győződj meg róla, hogy a legújabb videokártya-illesztőprogramot használod.<br><br>GL Renderer:<br>%1<br><br>Nem támogatott kiterjesztések:<br>%2 @@ -5816,203 +6049,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Kedvenc - + Start Game Játék indítása - + Start Game without Custom Configuration Játék indítása egyéni konfiguráció nélkül - + Open Save Data Location Mentett adatok helyének megnyitása - + Open Mod Data Location Modadatok helyének megnyitása - + Open Transferable Pipeline Cache Áthelyezhető pipeline gyorsítótár megnyitása - + Link to Ryujinx - + Remove Eltávolítás - + Remove Installed Update Telepített frissítés eltávolítása - + Remove All Installed DLC Összes telepített DLC eltávolítása - + Remove Custom Configuration Egyéni konfiguráció eltávolítása - + Remove Cache Storage Gyorsítótár ürítése - + Remove OpenGL Pipeline Cache OpenGL Pipeline gyorsítótár eltávolítása - + Remove Vulkan Pipeline Cache Vulkan pipeline gyorsítótár eltávolítása - + Remove All Pipeline Caches Az összes Pipeline gyorsítótár törlése - + Remove All Installed Contents Összes telepített tartalom törlése - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data Játékidő törlése - - + + Dump RomFS RomFS kimentése - + Dump RomFS to SDMC RomFS kimentése SDMC-re - + Verify Integrity Integritás ellenőrzése - + Copy Title ID to Clipboard Játék címének vágólapra másolása - + Navigate to GameDB entry GameDB bejegyzéshez navigálás - + Create Shortcut Parancsikon létrehozása - + Add to Desktop Asztalhoz adás - + Add to Applications Menu Alkalmazások menühöz adás - + Configure Game - + Scan Subfolders Almappák szkennelése - + Remove Game Directory Játékkönyvtár eltávolítása - + ▲ Move Up ▲ Feljebb mozgatás - + ▼ Move Down ▼ Lejjebb mozgatás - + Open Directory Location Könyvtár helyének megnyitása - + Clear Törlés - + Name Név - + Compatibility Kompatibilitás - + Add-ons Kiegészítők - + File type Fájltípus - + Size Méret - + Play time Játékidő @@ -6020,62 +6258,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Játékban - + Game starts, but crashes or major glitches prevent it from being completed. A játék elindul, de összeomlik, vagy súlyos hibák miatt nem fejezhető be. - + Perfect Tökéletes - + Game can be played without issues. A játék problémamentesen játszható. - + Playable Játszható - + Game functions with minor graphical or audio glitches and is playable from start to finish. A játék kisebb grafikai- és hanghibákkal végigjátszható. - + Intro/Menu Bevezető/Menü - + Game loads, but is unable to progress past the Start Screen. A játék betölt, de nem jut tovább a Kezdőképernyőn. - + Won't Boot Nem indul - + The game crashes when attempting to startup. A játék összeomlik indításkor. - + Not Tested Nem tesztelt - + The game has not yet been tested. Ez a játék még nem lett tesztelve. @@ -6083,7 +6321,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Dupla kattintással új mappát adhatsz hozzá a játéklistához. @@ -6091,17 +6329,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 a(z) %n találatból%1 a(z) %n találatból - + Filter: Szűrés: - + Enter pattern to filter Adj meg egy mintát a szűréshez @@ -6177,12 +6415,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Hiba - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6191,19 +6429,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Hang némítása/feloldása - - - - - - - - @@ -6226,154 +6456,180 @@ Debug Message: + + + + + + + + + + + Main Window Főablak - + Audio Volume Down Hangerő csökkentése - + Audio Volume Up Hangerő növelése - + Capture Screenshot Képernyőkép készítése - + Change Adapting Filter Ablakadaptív szűrő módosítása - + Change Docked Mode Dokkolt mód módosítása - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Emuláció folytatása/szüneteltetése - + Exit Fullscreen Kilépés a teljes képernyőből - + Exit Eden - + Fullscreen Teljes képernyő - + Load File Fájl betöltése - + Load/Remove Amiibo Amiibo betöltése/törlése - - Multiplayer Browse Public Game Lobby - Multiplayer nyilvános játéklobbi böngészése + + Browse Public Game Lobby + - - Multiplayer Create Room - Multiplayer szoba létrehozása + + Create Room + - - Multiplayer Direct Connect to Room - Multiplayer közvetlen kapcsolódás szobához + + Direct Connect to Room + - - Multiplayer Leave Room - Multiplayer szoba elhagyása + + Leave Room + - - Multiplayer Show Current Room - Multiplayer jelenlegi szoba megjelenítése + + Show Current Room + - + Restart Emulation Emuláció újraindítása - + Stop Emulation Emulácíó leállítása - + TAS Record TAS felvétel - + TAS Reset TAS visszaállítása - + TAS Start/Stop TAS indítása/leállítása - + Toggle Filter Bar Szűrősáv kapcsoló - + Toggle Framerate Limit Képfrissítési korlát kapcsoló - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Egérpásztázás kapcsoló - + Toggle Renderdoc Capture Renderdoc felvétel kapcsoló - + Toggle Status Bar Állapotsáv kapcsoló + + + Toggle Performance Overlay + + InstallDialog @@ -6426,22 +6682,22 @@ Debug Message: Hátralévő idő 5p 4mp - + Loading... Betöltés... - + Loading Shaders %1 / %2 Árnyékolók betöltése %1 / %2 - + Launching... Indítás... - + Estimated Time %1 Hátralévő idő %1 @@ -6490,42 +6746,42 @@ Debug Message: Lobbi frissítése - + Password Required to Join A csatlakozáshoz jelszó szükséges - + Password: Jelszó: - + Players Játékosok - + Room Name Szoba neve - + Preferred Game Preferált játék - + Host Házigazda - + Refreshing Frissítés - + Refresh List Lista frissítése @@ -6574,1091 +6830,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Ablakfelbontás visszaállítása erre: &720p - + Reset Window Size to 720p Ablakfelbontás visszaállítása 720p-re - + Reset Window Size to &900p Ablakfelbontás visszaállítása erre: &900p - + Reset Window Size to 900p Ablakfelbontás visszaállítása 900p-re - + Reset Window Size to &1080p Ablakfelbontás visszaállítása erre: &1080p - + Reset Window Size to 1080p Ablakfelbontás visszaállítása 1080p-re - + &Multiplayer &Multiplayer - + &Tools &Eszközök - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Segítség - + &Install Files to NAND... &Fájlok telepítése a NAND-ra... - + L&oad File... F&ájl betöltése... - + Load &Folder... &Mappa betöltése... - + E&xit K&ilépés - - + + &Pause &Szünet - + &Stop &Leállítás - + &Verify Installed Contents &Telepített tartalom ellenőrzése - + &About Eden - + Single &Window Mode &Egyablakos mód - + Con&figure... Kon&figurálás... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar &Szűrősáv mutatása - + Show &Status Bar &Állapotsáv mutatása - + Show Status Bar Állapotsáv mutatása - + &Browse Public Game Lobby &Nyilvános játéklobbi böngészése - + &Create Room &Szoba létrehozása - + &Leave Room &Szoba elhagyása - + &Direct Connect to Room &Közvetlen csatlakozás szobához - + &Show Current Room &Jelenlegi szoba megjelenítése - + F&ullscreen T&eljes képernyő - + &Restart &Újraindítás - + Load/Remove &Amiibo... &Amiibo betöltése/törlése... - + &Report Compatibility &Kompatibilitás jelentése - + Open &Mods Page &Modok oldal megnyitása - + Open &Quickstart Guide &Gyorstájékoztató megnyitása - + &FAQ &GYIK - + &Capture Screenshot &Képernyőkép készítése - + &Album - + &Set Nickname and Owner &Becenév és tulajdonos beállítása - + &Delete Game Data &Játékadatok törlése - + &Restore Amiibo &Amiibo helyreállítása - + &Format Amiibo &Amiibo formázása - + &Mii Editor - + &Configure TAS... &TAS konfigurálása... - + Configure C&urrent Game... J&elenlegi játék konfigurálása... - - + + &Start &Indítás - + &Reset &Visszaállítás - - + + R&ecord F&elvétel - + Open &Controller Menu &Vezérlő menü megnyitása - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7666,69 +7984,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7755,27 +8083,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7830,22 +8158,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7853,13 +8181,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7870,7 +8198,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7878,11 +8206,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8051,86 +8392,86 @@ Mindenképp folytatod? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8169,6 +8510,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8203,39 +8618,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Telepített SD játékok - - - - Installed NAND Titles - Telepített NAND játékok - - - - System Titles - Rendszercímek - - - - Add New Game Directory - Új játékkönyvtár hozzáadása - - - - Favorites - Kedvencek - - - - - + + + Migration - + Clear Shader Cache @@ -8268,18 +8658,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8670,6 +9060,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 ezzel játszik: %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Telepített SD játékok + + + + Installed NAND Titles + Telepített NAND játékok + + + + System Titles + Rendszercímek + + + + Add New Game Directory + Új játékkönyvtár hozzáadása + + + + Favorites + Kedvencek + QtAmiiboSettingsDialog @@ -8787,250 +9222,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9038,22 +9473,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9061,48 +9496,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9114,18 +9549,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9133,229 +9568,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9363,83 +9854,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9460,56 +9951,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9550,7 +10041,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro kontroller @@ -9563,7 +10054,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Dual Joycon @@ -9576,7 +10067,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Bal Joycon @@ -9589,7 +10080,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Jobb Joycon @@ -9618,7 +10109,7 @@ This is recommended if you want to share data between emulators. - + Handheld Kézi @@ -9739,32 +10230,32 @@ This is recommended if you want to share data between emulators. Nincs elég vezérlő - + GameCube Controller GameCube kontroller - + Poke Ball Plus Poke Ball Plus - + NES Controller NES kontroller - + SNES Controller SNES kontroller - + N64 Controller N64 kontroller - + Sega Genesis Sega Genesis @@ -9919,13 +10410,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Mégse @@ -9960,12 +10451,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10001,7 +10492,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/id.ts b/dist/languages/id.ts index 6d034c4727..6b2d6ad1b0 100644 --- a/dist/languages/id.ts +++ b/dist/languages/id.ts @@ -375,149 +375,174 @@ Ini akan melarang nama pengguna forum mereka dan alamat IP mereka. % - + Amiibo editor Pengubah Amiibo - + Controller configuration Konfigurasi pengontrol - + Data erase Hapus data - + Error Kesalahan - + Net connect Koneksi Terhubung - + Player select Pemain pilih - + Software keyboard Papan Ketik Perangkat Lunak - + Mii Edit Ubah Mii - + Online web Online web - + Shop Belanja - + Photo viewer Pemutar foto - + Offline web Offline web - + Login share Login berbagi - + Wifi web auth Otentikasi web Wifi - + My page Halaman saya - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Mesin Keluaran: - + Output Device: Perangkat Output: - + Input Device: Perangkat Masukan. - + Mute audio Matikan audio - + Volume: Volume: - + Mute audio when in background Bisukan audio saat berada di background - + Multicore CPU Emulation Emulasi CPU Multicore - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout Tata Letak Memori - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Persen Batas Kecepatan - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -530,60 +555,60 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Akurasi: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Overclock emulasi CPU untuk menghapus beberapa limiter FPS. CPU yang lebih lemah dapat mengalami penurunan kinerja, dan game tertentu dapat berjalan tidak semestinya. untuk menjalankan clock asli tertingi Switch, Gunakan Boost (1700MHz), atau Fast (2000MHz) untuk menjalankan 2x clock. - + Custom CPU Ticks Siklus CPU Kustom - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) Aktifkan Emulasi Host MMU (memori cepat) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -592,137 +617,137 @@ Saat diaktifkan, dapat menyebablkan reads/writes memori tamu dilakukan langsung Menonaktifkan opsi ini akan memaksa semua akses memori untuk menggunakan Emulasi MMU Perangkat Lunak. - + Unfuse FMA (improve performance on CPUs without FMA) Pisahkan FMA (meningkatkan performa pada CPU tanpa FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Opsi ini meningkatkan kecepatan dengan mengurangi akurasi instruksi fused-multiply-add pada CPU tanpa dukungan FMA asli. - + Faster FRSQRTE and FRECPE FRSQRTE dan FRECPE lebih cepat - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Opsi ini meningkatkan kecepatan beberapa fungsi titik mengambang perkiraan dengan menggunakan perkiraan asli yang kurang akurat. - + Faster ASIMD instructions (32 bits only) Instruksi ASIMD lebih cepat (hanya untuk 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Opsi ini meningkatkan kecepatan fungsi floating-point ASIMD 32 bit dengan menjalankannya dengan mode pembulatan yang salah. - + Inaccurate NaN handling Penanganan NaN tidak akurat - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Opsi ini meningkatkan kecepatan dengan menghilangkan pemeriksaan NaN. Harap dicatat ini juga mengurangi akurasi instruksi titik mengambang tertentu. - + Disable address space checks Matikan pengecekan adress space - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Abaikan monitor global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Opsi ini meningkatkan kecepatan dengan hanya mengandalkan semantik cmpxchg untuk memastikan keamanan instruksi akses eksklusif. Harap dicatat ini dapat menyebabkan deadlock dan kondisi perlombaan lainnya. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Perangkat: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Resolusi: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Filter Menyelaraskan dengan Layar: - + FSR Sharpness: Ketajaman FSR - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Metode Anti-Aliasing: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Mode Layar Penuh: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -731,36 +756,36 @@ Borderless menawarkan kompatibilitas terbaik dengan keyboard di layar yang dimin Layar penuh eksklusif mungkin menawarkan performa yang lebih baik dan dukungan Freesync/Gsync yang lebih baik. - + Aspect Ratio: Rasio Aspek: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Memungkinkan penyimpanan shader untuk mempercepat pengambilan pada saat game berikutnya dimulai. Menonaktifkannya hanya dimaksudkan untuk debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -771,12 +796,12 @@ Dapat meningkatkan sedikit performa. Fitur ini eksperimental. - + NVDEC emulation: Emulasi NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -785,12 +810,12 @@ Ini dapat menggunakan CPU atau GPU untuk dekode, atau tidak melakukan dekode sam Dalam kebanyakan kasus, dekode GPU memberikan kinerja terbaik. - + ASTC Decoding Method: ASTC Metode Dekoding: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -799,45 +824,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: ASTC Metode Pemampatan Ulang: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: Mode Penggunaan VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation Abaikan Invalidasi Internal CPU - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: Mode Sinkronisasi Vertikal - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -845,1318 +880,1402 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations Sinkronisasi Operasi Memori - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Aktifkan presentasi asinkron (hanya Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Meningkatkan kinerja sedikit dengan memindahkan presentasi ke thread CPU terpisah. - + Force maximum clocks (Vulkan only) Paksa jam maximum (Vulkan only) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Berjalan bekerja di latar belakang sambil menunggu perintah grafis untuk mencegah GPU agar tidak menurunkan kecepatan jamnya. - + Anisotropic Filtering: Anisotropic Filtering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Gunakan pipeline cache Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Memungkinkan cache pipeline spesifik vendor GPU. Opsi ini dapat meningkatkan waktu pemuatan shader secara signifikan dalam kasus di mana driver Vulkan tidak menyimpan file cache pipeline secara internal. - + Enable Compute Pipelines (Intel Vulkan Only) Aktifkan Pipa Komputasi (Hanya Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Aktifkan Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Menggunakan pemadatan reaktif alih-alih pemadatan prediktif, memungkinkan sinkronisasi memori yang lebih akurat. - + Sync to framerate of video playback Sinkronkan dengan kecepatan pemutaran video - + Run the game at normal speed during video playback, even when the framerate is unlocked. Jalankan permainan dengan kecepatan normal selama pemutaran video, bahkan ketika framerate tidak terkunci. - + Barrier feedback loops Loop umpan balik penghalang - + Improves rendering of transparency effects in specific games. Meningkatkan rendering efek transparansi dalam game tertentu. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed Benih RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Nama Perangkat - + The name of the console. - + Custom RTC Date: Tanggal RTC Kustom: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Bahasa - + This option can be overridden when region setting is auto-select - + Region: Wilayah: - + The region of the console. - + Time Zone: Zona Waktu: - + The time zone of the console. - + Sound Output Mode: Mode keluaran suara. - + Console Mode: Mode Konsol - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Konfirmasi sebelum menghentikan emulasi - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Sembunyikan mouse saat tidak aktif - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Nonaktifkan aplikasi pengontrol - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates Cek Pembaruan - + Whether or not to check for updates upon startup. - + Enable Gamemode Aktifkan Mode Permainan - + Force X11 as Graphics Backend - + Custom frontend Tampilan depan kustom - + Real applet Aplikasi nyata - + Never Tidak Pernah - + On Load - + Always Selalu - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU sinkron - + Uncompressed (Best quality) Tidak terkompresi (Kualitas Terbaik) - + BC1 (Low quality) BC1 (Kualitas rendah) - + BC3 (Medium quality) BC3 (Kualitas sedang) - - Conservative - Konservatif - - - - Aggressive - Agresif - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Akurat - - - - - Default - Bawaan - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Otomatis - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Konservatif + + + + Aggressive + Agresif + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + Akurat + + + + + Default + Bawaan + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Berbahaya - + Paranoid (disables most optimizations) Paranoid (menonaktifkan sebagian besar optimasi) - + Debugging - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Layar Tanpa Batas - + Exclusive Fullscreen Layar Penuh Eksklusif - + No Video Output Tidak ada Keluaran Suara - + CPU Video Decoding Penguraian Video menggunakan CPU - + GPU Video Decoding (Default) Penguraian Video menggunakan GPU (Bawaan) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [EKSPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EKSPERIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EKSPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Biliner - + Bicubic Bikubik - + Gaussian Gaussian - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Tak ada - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Bawaan (16:9) - + Force 4:3 Paksa 4:3 - + Force 21:9 Paksa 21:9 - + Force 16:10 Paksa 16:10 - + Stretch to Window Regangkan ke Layar - + Automatic Otomatis - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Jepang (日本語) - + American English Bahasa Inggris Amerika - + French (français) Prancis (français) - + German (Deutsch) Jerman (Deutsch) - + Italian (italiano) Italia (italiano) - + Spanish (español) Spanyol (español) - + Chinese Cina - + Korean (한국어) Korea (한국어) - + Dutch (Nederlands) Belanda (Nederlands) - + Portuguese (português) Portugis (português) - + Russian (Русский) Rusia (Русский) - + Taiwanese Taiwan - + British English Inggris Britania - + Canadian French Prancis Kanada - + Latin American Spanish Spanyol Amerika Latin - + Simplified Chinese Cina Sederhana - + Traditional Chinese (正體中文) Cina Tradisional (正體中文) - + Brazilian Portuguese (português do Brasil) Portugis Brazil (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Jepang - + USA USA - + Europe Eropa - + Australia Australia - + China Tiongkok - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Bawaan (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Kuba - + EET EET - + Egypt Mesir - + Eire Éire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Éire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islandia - + Iran Iran - + Israel Israel - + Jamaica Jamaika - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polandia - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapura - + Turkey Turki - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Bawaan) - + 6GB DRAM (Unsafe) 6GB DRAM (Tidak Aman) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Terpasang - + Handheld Jinjing - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) Selalu tanyakan (Bawaan) - + Only if game specifies not to stop Hanya jika permainan menentukan untuk tidak berhenti - + Never ask Jangan pernah bertanya - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2228,7 +2347,7 @@ When a program attempts to open the controller applet, it is immediately closed. Kembalikan ke Semula - + Auto Otomatis @@ -2678,81 +2797,86 @@ Memungkinkan berbagai macam optimasi IR. + Use dev.keys + + + + Enable Debug Asserts Nyalakan Awakutu Assert - + Debugging Pengawakutuan - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Aktifkan ini untuk menghasilkan daftar perintah audio terbaru ke konsol. Hanya mempengaruhi permainan yang menggunakan renderer audio. - + Dump Audio Commands To Console** Dump Perintah Audio Ke Console** - + Flush log output on each line - + Enable FS Access Log Nyalakan Log Akses FS - + Enable Verbose Reporting Services** Nyalakan Layanan Laporan Bertele-tele** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2813,13 +2937,13 @@ Memungkinkan berbagai macam optimasi IR. - + Audio Audio - + CPU CPU @@ -2835,13 +2959,13 @@ Memungkinkan berbagai macam optimasi IR. - + General Umum - + Graphics Grafis @@ -2862,7 +2986,7 @@ Memungkinkan berbagai macam optimasi IR. - + Controls Kendali @@ -2878,7 +3002,7 @@ Memungkinkan berbagai macam optimasi IR. - + System Sistem @@ -2996,58 +3120,58 @@ Memungkinkan berbagai macam optimasi IR. Atur Ulang Cache Metadata - + Select Emulated NAND Directory... Pilih Direktori NAND yang Diemulasikan... - + Select Emulated SD Directory... Pilih Direktori SD yang Diemulasikan... - - + + Select Save Data Directory... - + Select Gamecard Path... Pilih Jalur Kartu Permainan... - + Select Dump Directory... Pilih Jalur Dump... - + Select Mod Load Directory... Pilih Direktori Pemuatan Mod... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3058,7 +3182,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3066,28 +3190,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3098,12 +3222,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3124,20 +3248,55 @@ Would you like to delete the old save data? Umum - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Atur Ulang Semua Pengaturan - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Ini mengatur ulang semua pengaturan dan menghapus semua konfigurasi permainan. Ini tidak akan menghapus direktori permainan, profil, atau profil input. Lanjutkan? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3167,33 +3326,33 @@ Would you like to delete the old save data? Warna Latar: - + % FSR sharpening percentage (e.g. 50%) % - + Off Mati - + VSync Off VSync Mati - + Recommended Direkomendasikan - + On Nyala - + VSync On VSync Aktif @@ -3244,13 +3403,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3822,7 +3981,7 @@ Would you like to delete the old save data? - + Left Stick Stik Kiri @@ -3932,14 +4091,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3952,22 +4111,22 @@ Would you like to delete the old save data? - + Plus Tambah - + ZR ZR - - + + R R @@ -4024,7 +4183,7 @@ Would you like to delete the old save data? - + Right Stick Stik Kanan @@ -4193,88 +4352,88 @@ Untuk membalikkan sumbu, pertama gerakkan joystik secara tegak lurus, lalu menda Sega Genesis - + Start / Pause Mulai / Jeda - + Z Z - + Control Stick Stik Kendali - + C-Stick C-Stick - + Shake! Getarkan! - + [waiting] [menunggu] - + New Profile Profil Baru - + Enter a profile name: Masukkan nama profil: - - + + Create Input Profile Ciptakan Profil Masukan - + The given profile name is not valid! Nama profil yang diberi tidak sah! - + Failed to create the input profile "%1" Gagal membuat profil masukan "%1" - + Delete Input Profile Hapus Profil Masukan - + Failed to delete the input profile "%1" Gagal menghapus profil masukan "%1" - + Load Input Profile Muat Profil Masukan - + Failed to load the input profile "%1" Gagal memuat profil masukan "%1" - + Save Input Profile Simpat Profil Masukan - + Failed to save the input profile "%1" Gagal menyimpan profil masukan "%1" @@ -4568,11 +4727,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - Tak ada - ConfigurePerGame @@ -4627,52 +4781,57 @@ Current values are %1% and %2% respectively. Beberapa pengaturan hanya tersedia ketika permainan tidak sedang berjalan. - + Add-Ons Pengaya (Add-On) - + System Sistem - + CPU CPU - + Graphics Grafis - + Adv. Graphics Ljtan. Grafik - + Ext. Graphics - + Audio Audio - + Input Profiles Profil Masukan - + Network + Applets + + + + Properties Properti @@ -4690,15 +4849,110 @@ Current values are %1% and %2% respectively. Pengaya (Add-On) - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nama Tambalan - + Version Versi + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4746,62 +5000,62 @@ Current values are %1% and %2% respectively. %2 - + Users Pengguna - + Error deleting image Kesalahan ketika menghapus gambar - + Error occurred attempting to overwrite previous image at: %1. Kesalahan saat mencoba menimpa gambar sebelumnya di: %1. - + Error deleting file Kesalahan saat menghapus berkas - + Unable to delete existing file: %1. Tak dapat menghapus berkas yang ada: %1. - + Error creating user image directory Kesalahan saat menciptakan direktori pengguna - + Unable to create directory %1 for storing user images. Tidak bisa menciptakan direktori %1 untuk menyimpan gambar pengguna. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4809,17 +5063,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. - + Confirm Delete Konfirmasi Penghapusan - + Name: %1 UUID: %2 @@ -5020,17 +5274,22 @@ UUID: %2 - + + Show recording dialog + + + + Script Directory - + Path Jalur - + ... ... @@ -5043,7 +5302,7 @@ UUID: %2 - + Select TAS Load Directory... @@ -5180,64 +5439,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None Tak ada - - Small (32x32) - Kecil (32x32) - - - - Standard (64x64) - Standar (64x64) - - - - Large (128x128) - Besar (128x128) - - - - Full Size (256x256) - Ukuran Penuh (256x256) - - - + Small (24x24) Kecil (24x24) - + Standard (48x48) Standar (48x48) - + Large (72x72) Besar (72x72) - + Filename Nama Berkas - + Filetype Filetype - + Title ID ID Judul - + Title Name Nama Judul @@ -5306,71 +5544,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - Ukuran Ikon Game: - - - Folder Icon Size: Ukuran Ikon Folder: - + Row 1 Text: Teks Baris 1: - + Row 2 Text: Teks Baris 2: - + Screenshots Screenshot - + Ask Where To Save Screenshots (Windows Only) Menanya Dimana Untuk Menyimpan Screenshot (Hanya untuk Windows) - + Screenshots Path: Jalur Screenshot: - + ... ... - + TextLabel - + Resolution: Resolusi: - + Select Screenshots Path... Pilih Jalur Screenshot... - + <System> <System> - + English Bahasa Inggris - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5504,20 +5737,20 @@ Drag points to change position, or double-click table cells to edit values.Tampilkan Permainan Saat ini pada Status Discord Anda - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5549,27 +5782,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5607,7 +5840,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5630,12 +5863,12 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version @@ -5809,44 +6042,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL tidak tersedia! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Terjadi kesalahan menginisialisasi OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. VGA anda mungkin tidak mendukung OpenGL, atau anda tidak memiliki pemacu piranti (driver) grafis terbaharu. - + Error while initializing OpenGL 4.6! Terjadi kesalahan menginisialisasi OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 VGA anda mungkin tidak mendukung OpenGL 4.6, atau anda tidak memiliki pemacu piranti (driver) grafis terbaharu.<br><br>Pemuat GL:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 VGA anda mungkin tidak mendukung satu atau lebih ekstensi OpenGL. Mohon pastikan bahwa anda memiliki pemacu piranti (driver) grafis terbaharu.<br><br>Pemuat GL:<br>%1<br><br>Ekstensi yang tidak didukung:<br>%2 @@ -5854,203 +6087,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Favorit - + Start Game Mulai permainan - + Start Game without Custom Configuration - + Open Save Data Location Buka Lokasi Data Penyimpanan - + Open Mod Data Location Buka Lokasi Data Mod - + Open Transferable Pipeline Cache - + Link to Ryujinx - + Remove Singkirkan - + Remove Installed Update - + Remove All Installed DLC - + Remove Custom Configuration - + Remove Cache Storage - + Remove OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache - + Remove All Pipeline Caches - + Remove All Installed Contents Hapus semua konten terinstall. - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Dump RomFS - + Dump RomFS to SDMC - + Verify Integrity - + Copy Title ID to Clipboard Salin Judul ID ke Clipboard. - + Navigate to GameDB entry Pindah ke tampilan GameDB - + Create Shortcut Buat pintasan - + Add to Desktop Menambahkan ke Desktop - + Add to Applications Menu - + Configure Game - + Scan Subfolders Memindai subfolder - + Remove Game Directory - + ▲ Move Up - + ▼ Move Down - + Open Directory Location Buka Lokasi Direktori - + Clear Bersihkan - + Name Nama - + Compatibility Kompatibilitas - + Add-ons Pengaya (Add-On) - + File type Tipe berkas - + Size Ukuran - + Play time @@ -6058,62 +6296,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. - + Perfect Sempurna - + Game can be played without issues. Permainan dapat dimainkan tanpa kendala. - + Playable - + Game functions with minor graphical or audio glitches and is playable from start to finish. - + Intro/Menu Awal/Menu - + Game loads, but is unable to progress past the Start Screen. - + Won't Boot Tidak Akan Berjalan - + The game crashes when attempting to startup. Gim rusak saat mencoba untuk memulai. - + Not Tested Belum dites - + The game has not yet been tested. Gim belum pernah dites. @@ -6121,7 +6359,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Klik dua kali untuk menambahkan folder sebagai daftar permainan. @@ -6129,17 +6367,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: - + Enter pattern to filter Masukkan pola untuk memfilter @@ -6215,12 +6453,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Kesalahan - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6229,19 +6467,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute - - - - - - - - @@ -6264,154 +6494,180 @@ Debug Message: + + + + + + + + + + + Main Window - + Audio Volume Down - + Audio Volume Up - + Capture Screenshot Tangkapan Layar - + Change Adapting Filter - + Change Docked Mode - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation - + Exit Fullscreen - + Exit Eden - + Fullscreen - + Load File Muat Berkas - + Load/Remove Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - - - - - Stop Emulation - - - - - TAS Record - - - TAS Reset + Browse Public Game Lobby - TAS Start/Stop + Create Room - Toggle Filter Bar + Direct Connect to Room - Toggle Framerate Limit + Leave Room - Toggle Mouse Panning + Show Current Room - Toggle Renderdoc Capture + Restart Emulation + Stop Emulation + + + + + TAS Record + + + + + TAS Reset + + + + + TAS Start/Stop + + + + + Toggle Filter Bar + + + + + Toggle Framerate Limit + + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + + Toggle Renderdoc Capture + + + + Toggle Status Bar + + + Toggle Performance Overlay + + InstallDialog @@ -6463,22 +6719,22 @@ Debug Message: Waktu yang diperlukan 5m 4d - + Loading... Memuat... - + Loading Shaders %1 / %2 - + Launching... Memulai... - + Estimated Time %1 @@ -6527,42 +6783,42 @@ Debug Message: - + Password Required to Join Kata sandi diperlukan untuk bergabung - + Password: Kata sandi - + Players Pemain - + Room Name Nama Ruang - + Preferred Game - + Host - + Refreshing - + Refresh List @@ -6611,1091 +6867,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Atur ulang ukuran bingkai ke &720p - + Reset Window Size to 720p Atur ulang ukuran bingkai ke 720p - + Reset Window Size to &900p Atur ulang ukuran bingkai ke &900p - + Reset Window Size to 900p Atur ulang ukuran bingkai ke 900p - + Reset Window Size to &1080p - + Reset Window Size to 1080p - + &Multiplayer - + &Tools - + Am&iibo - + Launch &Applet - + &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help - + &Install Files to NAND... - + L&oad File... - + Load &Folder... - + E&xit - - + + &Pause &Jeda - + &Stop - + &Verify Installed Contents - + &About Eden - + Single &Window Mode - + Con&figure... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar - + Show &Status Bar - + Show Status Bar Munculkan Status Bar - + &Browse Public Game Lobby - + &Create Room - + &Leave Room - + &Direct Connect to Room - + &Show Current Room - + F&ullscreen - + &Restart - + Load/Remove &Amiibo... - + &Report Compatibility - + Open &Mods Page - + Open &Quickstart Guide Buka %Panduan cepat - + &FAQ - + &Capture Screenshot - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - + Configure C&urrent Game... - - + + &Start &Mulai - + &Reset - - + + R&ecord R&ekam - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7703,69 +8021,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7792,27 +8120,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7867,22 +8195,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7890,13 +8218,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7907,7 +8235,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7915,11 +8243,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8086,86 +8427,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8200,6 +8541,80 @@ p, li { white-space: pre-wrap; } + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8234,39 +8649,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - - - - - Installed NAND Titles - - - - - System Titles - - - - - Add New Game Directory - Tambahkan direktori permainan - - - - Favorites - - - - - - + + + Migration - + Clear Shader Cache @@ -8299,18 +8689,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8701,6 +9091,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + + + + + Installed NAND Titles + + + + + System Titles + + + + + Add New Game Directory + Tambahkan direktori permainan + + + + Favorites + + QtAmiiboSettingsDialog @@ -8818,250 +9253,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9069,22 +9504,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9092,48 +9527,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9145,18 +9580,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9164,229 +9599,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9394,83 +9885,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9491,56 +9982,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9581,7 +10072,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Kontroler Pro @@ -9594,7 +10085,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Joycon Dual @@ -9607,7 +10098,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon Kiri @@ -9620,7 +10111,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon Kanan @@ -9649,7 +10140,7 @@ This is recommended if you want to share data between emulators. - + Handheld Jinjing @@ -9770,32 +10261,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Kontroler GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Kontroler NES - + SNES Controller Kontroler SNES - + N64 Controller Kontroler N64 - + Sega Genesis Sega Genesis @@ -9940,13 +10431,13 @@ p, li { white-space: pre-wrap; } - - + + OK OK - + Cancel Batalkan @@ -9981,12 +10472,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10022,7 +10513,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/it.ts b/dist/languages/it.ts index 51e2d8d6c1..fa4190b0b1 100644 --- a/dist/languages/it.ts +++ b/dist/languages/it.ts @@ -375,152 +375,177 @@ Questo bannerà sia il suo nome utente del forum che il suo indirizzo IP.% - + Amiibo editor Editor Amiibo - + Controller configuration Configurazione controller - + Data erase Cancella dati - + Error Errore - + Net connect Connessione Net - + Player select Seleziona giocatore - + Software keyboard Tastiera software - + Mii Edit Modifica Mii - + Online web Online web - + Shop Negozio - + Photo viewer Visualizzatore foto - + Offline web Offline web - + Login share Login con account di terze parti - + Wifi web auth Autorizzazione Wifi web - + My page La mia pagina - + Enable Overlay Applet + Abilita l'Overlay Applet + + + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. - + Output Engine: Motore di output: - + Output Device: Dispositivo di output: - + Input Device: Dispositivo di input: - + Mute audio Silenzia l'audio - + Volume: Volume: - + Mute audio when in background Silenzia l'audio quando la finestra è in background - + Multicore CPU Emulation Emulazione CPU multi-core - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Quest'opzione aumenta l'utilizzo dei thread emulati della CPU da 1 ad un massimo di 4. Si tratta di un impostazione di debug che non dovrebbe essere disabilitata. - + Memory Layout Layout di memoria - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Aumenta l'utilizzo della RAM emulata dai 4GB del modello di serie agli 8/6GB del devkit. -Non impatta le prestazioni o la stabilità, ma potrebbe permettere il caricamento delle mod con texture in alta definizione. + Aumenta la quantità di RAM emulata. +Non impatta le prestazioni/stabilità del sistema, ma potrebbe permettere il caricamento delle mod con texture ad alta definizione. - + Limit Speed Percent Percentuale di limite della velocità - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. Controlla la massima velocità di rendering del gioco, ma sta a quest'ultimo scegliere se girare più velocemente. 200% per un gioco che gira a 30 FPS diventa 60 FPS, e per un gioco a 60 FPS sarà 120 FPS. + + + Turbo Speed + Modalità Turbo + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + Quando il tasto veloce della Modalità Turbo è premuto, la velocità sarà limitata a questa percentuale. + + + + Slow Speed + Modalità Lenta + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + Quando il tasto veloce della Modalità Lenta è premuto, la velocità sarà limitata a questa percentuale. + Synchronize Core Speed @@ -534,60 +559,60 @@ Can help reduce stuttering at lower framerates. Può ridurre lo stuttering quando il framerate è basso. - + Accuracy: Precisione: - + Change the accuracy of the emulated CPU (for debugging only). Cambia la precisione della CPU emulata (solo per debug) - - + + Backend: Back-end: - + CPU Overclock Overclock della CPU - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Aumenta il clock della CPU emulata per rimuovere alcuni limitatori di FPS. Le CPU meno potenti potrebbero avere prestazioni ridotte, e alcuni giochi potrebbero comportarsi in maniera errata. Usa Boost (1700MHz) per girare al massimo clock di Switch, oppure Veloce (2000MHz) per un clock raddoppiato. - + Custom CPU Ticks Tick CPU personalizzati - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Imposta un valore personalizzato per i tick della CPU. Valori più alti possono aumentare le prestazioni, ma possono anche causare stalli nei giochi. Si consiglia un valore compreso tra 77 e 21000. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) Abilita l'emulazione della MMU nell'host (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -596,100 +621,100 @@ Abilitandola, le letture/scritture nella memoria del guest vengono eseguite dire Disabilitandola, tutti gli accessi alla memoria vengono costretti a utilizzare l'emulazione software della MMU. - + Unfuse FMA (improve performance on CPUs without FMA) Non fondere FMA (migliora le prestazioni della CPU senza FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Quest'opzione migliora la velocità riducendo la precisione delle istruzioni fused-multiply-add (FMA) sulle CPU senza il supporto nativo a FMA. - + Faster FRSQRTE and FRECPE FRSQRTE e FRECPE più veloci - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Quest'opzione migliora la velocità di alcune funzioni in virgola mobile approssimate utilizzando delle approssimazioni native meno accurate. - + Faster ASIMD instructions (32 bits only) Istruzioni ASIMD più veloci (solo 32 bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Quest'opzione migliora la velocità delle funzioni in virgola mobile ASIMD a 32 bit eseguendole con modalità di arrotondamento non corrette. - + Inaccurate NaN handling Gestione inaccurata NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Quest'opzione migliora la velocità rimuovendo il controllo dei valori NaN. Tieni presente che ciò riduce la precisione di alcune istruzioni in virgola mobile. - + Disable address space checks Disattiva i controlli dello spazio degli indirizzi - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Quest'opzione migliora la velocità eliminando un controllo di sicurezza prima di ogni operazione di memoria. Disabilitarla potrebbe permettere l'esecuzione di codice malevolo. - + Ignore global monitor Ignora il monitor globale - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Quest'opzione migliora la velocità affidandosi alla semantica di cmpxchg per garantire sicurezza nelle istruzioni con accesso esclusivo. Nota che questo può causare stalli e altre race condition. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Cambia l'API dell'output grafico. Vulkan è consigliato. - + Device: Dispositivo: - + This setting selects the GPU to use (Vulkan only). Quest'opzione seleziona la GPU da usare (solo con Vulkan). - + Resolution: Risoluzione: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -698,27 +723,27 @@ Alte risoluzioni hanno bisogno di piu VRAM e banda. Opzioni inferiori a 1X possono causare artefatti. - + Window Adapting Filter: Filtro di adattamento alla finestra: - + FSR Sharpness: Nitidezza FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. Determina quanto sarà nitida l'immagine utilizzando il contrasto dinamico di FSR. - + Anti-Aliasing Method: Metodo di anti-aliasing: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -727,12 +752,12 @@ SMAA offre la migliore qualità. FXAA può produrre un'immagine più stabile nelle risoluzioni più basse. - + Fullscreen Mode: Modalità schermo intero: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -741,12 +766,12 @@ Exclusive fullscreen may offer better performance and better Freesync/Gsync supp "Schermo intero esclusivo" può offrire prestazioni maggiori e un supporto migliore al Freesync/Gsync. - + Aspect Ratio: Rapporto d'aspetto: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -755,24 +780,24 @@ La maggior parte dei giochi supporta solo 16:9, quindi le mod sono necessarie pe Controlla anche il rapporto d'aspetto degli screenshot. - + Use persistent pipeline cache Usa la cache persistente delle pipeline - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Permette di salvare gli shader su disco per velocizzarne il caricamento negli avvii successivi del gioco. Disabilitarla ha senso solo quando si effettua il debug. - + Optimize SPIRV output Ottimizza output SPIR-V - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -783,12 +808,12 @@ Potrebbe aumentare di poco le prestazioni. Questa funzione è sperimentale. - + NVDEC emulation: Emulazione NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -797,12 +822,12 @@ In most cases, GPU decoding provides the best performance. Nella maggior parte dei casi, la decodifica tramite GPU fornisce prestazioni migliori. - + ASTC Decoding Method: Metodo di decodifica ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -814,12 +839,12 @@ GPU: Usa i compute shader della GPU per decodificare le texture ASTC (consigliat CPU (Asincrono): Usa la CPU per decodificare le texture ASTC se richiesto. Elimina lo stuttering causato dalla decodifica ma potrebbe generare artefatti visivi. - + ASTC Recompression Method: Metodo di ricompressione ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -827,34 +852,44 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3: Il formato intermedio sarà ricompresso nel formato BC1 o BC3, risparmiando VRAM ma peggiorando la qualità visiva. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: Modalità di utilizzo della VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Determina se l'emulatore dovrebbe risparmiare memoria o utilizzarne il più possibile per massimizzare le prestazioni. La modalità aggressiva potrebbe impattare sulle prestazioni di altre applicazioni, come i programmi di registrazione. - + Skip CPU Inner Invalidation Salta invalidamento interno CPU - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Salta alcuni invalidamenti della cache durante gli aggiornamenti della memoria, riducendo l'uso della CPU e migliorando la latenza. Questo potrebbe causare soft-crash. - + VSync Mode: Modalità VSync: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -865,12 +900,12 @@ Mailbox può avere una latenza minore di FIFO e non ha tearing ma potrebbe perde Immediate (no sincronizzazione) mostra tutto il disponibile, quindi anche tearing. - + Sync Memory Operations Sincronizza operazioni di memoria - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -879,44 +914,44 @@ Questa opzione dovrebbe risolvere problemi in alcuni giochi, ma potrebbe ridurre I giochi con Unreal Engine 4 sembrano essere i più colpiti. - + Enable asynchronous presentation (Vulkan only) Abilita la presentazione asincrona (solo Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Migliora di poco le prestazioni spostando la presentazione su un thread della CPU separato. - + Force maximum clocks (Vulkan only) Forza clock massimi (solo Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Esegue del lavoro in background durante l'attesa dei comandi grafici per evitare che la GPU diminuisca la sua velocità di clock. - + Anisotropic Filtering: Filtro anisotropico: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Controlla la qualità del rendering delle texture negli angoli obliqui. Si può utilizzare in modo sicuro al 16x su quasi tutte le GPU. - + GPU Mode: Modalità GPU: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. @@ -925,90 +960,101 @@ La maggior parte dei giochi viene renderizzata senza problemi con le modalità & I particellari tendono a essere renderizzati correttamente solo in modalità "Accurata". - + DMA Accuracy: Precisione DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Controlla la precisione del DMA. La precisione "Sicura" risolve dei problemi in alcuni giochi, ma può ridurre le prestazioni. - + Enable asynchronous shader compilation Abilita la compilazione asincrona degli shader - + May reduce shader stutter. Può ridurre i fenomeni di stuttering (scatti) causati dagli shader. - + Fast GPU Time Tempo GPU veloce - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Aumenta il clock della GPU emulata per aumentare la risoluzione dinamica e la distanza di rendering. Usa 256 per massimizzare le prestazioni e 512 per massimizzare la qualità visiva. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Usa la cache delle pipeline di Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Abilita la cache delle pipeline specifica del produttore della GPU. Quest'opzione può ridurre di molto i tempi di caricamento degli shader nei casi in cui il driver Vulkan non memorizza la cache delle pipeline internamente. - + Enable Compute Pipelines (Intel Vulkan Only) Abilita le compute pipeline (solo per Vulkan su Intel) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1017,184 +1063,206 @@ Quest'impostazione esiste solo per i driver proprietari Intel e potrebbe fa Le compute pipelines sono sempre attivate su tutti gli altri drivers. - + Enable Reactive Flushing Abilita il flushing reattivo - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Utilizza il flushing reattivo invece di quello predittivo, al fine di ottenere una sincronizzazione della memoria più accurata. - + Sync to framerate of video playback Sincronizza il framerate a quello del video - + Run the game at normal speed during video playback, even when the framerate is unlocked. Esegue il gioco a velocità normale durante le cutscene, anche quando il framerate è sbloccato. - + Barrier feedback loops Barrier feedback loops - + Improves rendering of transparency effects in specific games. Migliora il rendering degli effetti di trasparenza in alcuni giochi. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State Stato dinamico esteso - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Controlla il numero di funzionalità che possono essere usate con lo stato dinamico esteso. Gli stati più alti consentono più funzionalità e possono migliorare le prestazioni, ma possono causare ulteriori problemi grafici. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Migliora l'illuminazione e la gestione dei vertici in alcuni giochi. Solo i dispositivi con Vulkan 1.0+ supportano quest'estensione. - + Descriptor Indexing Indicizzazione descrittori - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Migliora la gestione di texture e buffer, ma anche il layer di traduzione Maxwell. Alcuni dispositivi con Vulkan 1.1+ e tutti quelli con 1.2+ supportano quest'estensione. - + Sample Shading Sample shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Permette al fragment shader di eseguire per campione in un frammento multi-campione invece che una volta per frammento. Migliora la qualità grafica a scapito delle prestazioni. Alti valori migliorano la qualità ma peggiorano le prestazioni. - + RNG Seed Seed RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. Controlla il seme del generatore di numeri casuali. Principalmente utilizzato per le speedrun. - + Device Name Nome del dispositivo - + The name of the console. Il nome della console. - + Custom RTC Date: Data RTC personalizzata: - + This option allows to change the clock of the console. Can be used to manipulate time in games. Quest'opzione permette di modificare l'orologio della console. Può essere usato per manipolare il tempo nei giochi. - + The number of seconds from the current unix time Il numero di secondi dal tempo Unix attuale - + Language: Lingua: - + This option can be overridden when region setting is auto-select Può essere rimpiazzato se il fuso orario della Regione è impostato su Auto - + Region: Regione: - + The region of the console. La regione della console. - + Time Zone: Fuso orario: - + The time zone of the console. Il fuso orario della console. - + Sound Output Mode: Modalità di output del suono: - + Console Mode: Modalità console: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1203,998 +1271,1049 @@ I giochi ne terranno conto e modificheranno la risoluzione, i dettagli e i contr Impostare l'opzione su "Portatile" può aiutare a migliorare le prestazioni sui sistemi meno potenti. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot Scegli il profilo utente all'avvio - + Useful if multiple people use the same PC. Utile se più persone utilizzano lo stesso PC. - + Pause when not in focus Metti in pausa quando la finestra non è in primo piano - + Pauses emulation when focusing on other windows. Mette in pausa l'emulazione quando altre finestre sono in primo piano. - + Confirm before stopping emulation Chiedi conferma prima di arrestare l'emulazione - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Sovrascrive le richieste di conferma per fermare l'emulazione. Abilitarla bypassa queste richieste e l'emulazione cesserà immediatamente. - + Hide mouse on inactivity Nascondi il puntatore del mouse se inattivo - + Hides the mouse after 2.5s of inactivity. Nasconde il mouse dopo 2,5 secondi di inattività. - + Disable controller applet Disabilita l'applet controller - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Disabilita forzatamente l'uso dell'applet del controller nei programmi emulati. Quando un programma proverà ad aprire l'applet del controller, quest'ultimo verrà immediatamente chiuso. - + Check for updates Controlla la presenza di aggiornamenti - + Whether or not to check for updates upon startup. Determina se controllare o meno la presenza di aggiornamenti all'avvio. - + Enable Gamemode Abilita Gamemode - + Force X11 as Graphics Backend Forza l'uso del back-end grafico X11 - + Custom frontend Frontend personalizzato - + Real applet Applet reale - + Never Mai - + On Load Al caricamento - + Always Sempre - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU (Asincrono) - + Uncompressed (Best quality) Nessuna compressione (qualità migliore) - + BC1 (Low quality) BC1 (qualità bassa) - + BC3 (Medium quality) BC3 (qualità media) - - Conservative - Conservativa - - - - Aggressive - Aggressiva - - - - Vulkan - Vulkan - - - - OpenGL GLSL - OpenGL GLSL - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - OpenGL GLASM (shader assembly, solo NVIDIA) - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - OpenGL SPIR-V (sperimentale, solo AMD/MESA) - - - - Null - Nullo - - - - Fast - Veloce - - - - Balanced - Bilanciata - - - - - Accurate - Accurata - - - - - Default - Predefinito - - - - Unsafe (fast) - Non sicuro (veloce) - - - - Safe (stable) - Sicuro (stabile) - - - + + Auto Automatico - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Conservativa + + + + Aggressive + Aggressiva + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (shader assembly, solo NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (sperimentale, solo AMD/MESA) + + + + Null + Nullo + + + + Fast + Veloce + + + + Balanced + Bilanciata + + + + + Accurate + Accurata + + + + + Default + Predefinito + + + + Unsafe (fast) + Non sicuro (veloce) + + + + Safe (stable) + Sicuro (stabile) + + + Unsafe Non sicura - + Paranoid (disables most optimizations) Paranoica (disabilita la maggior parte delle ottimizzazioni) - + Debugging Debug - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Finestra senza bordi - + Exclusive Fullscreen Schermo intero esclusivo - + No Video Output Nessun output video - + CPU Video Decoding Decodifica video CPU - + GPU Video Decoding (Default) Decodifica video GPU (predefinita) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [SPERIMENTALE] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [SPERIMENTALE] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [SPERIMENTALE] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [SPERIMENTALE] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [SPERIMENTALE] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest neighbor - + Bilinear Bilineare - + Bicubic Bicubico - + Gaussian Gaussiano - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Area - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Nessuna - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Predefinito (16:9) - + Force 4:3 Forza 4:3 - + Force 21:9 Forza 21:9 - + Force 16:10 Forza 16:10 - + Stretch to Window Allunga a finestra - + Automatic Automatico - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Giapponese (日本語) - + American English Inglese americano - + French (français) Francese (français) - + German (Deutsch) Tedesco (Deutsch) - + Italian (italiano) Italiano - + Spanish (español) Spagnolo (español) - + Chinese Cinese - + Korean (한국어) Coreano (한국어) - + Dutch (Nederlands) Olandese (Nederlands) - + Portuguese (português) Portoghese (português) - + Russian (Русский) Russo (Русский) - + Taiwanese Taiwanese - + British English Inglese britannico - + Canadian French Francese canadese - + Latin American Spanish Spagnolo latino-americano - + Simplified Chinese Cinese semplificato - + Traditional Chinese (正體中文) Cinese tradizionale (正體中文) - + Brazilian Portuguese (português do Brasil) Portoghese brasiliano (português do Brasil) - - Serbian (српски) - Serbo (српски) + + Polish (polska) + - - + + Thai (แบบไทย) + + + + + Japan Giappone - + USA USA - + Europe Europa - + Australia Australia - + China Cina - + Korea Corea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Automatico (%1) - + Default (%1) Default time zone Predefinito (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egitto - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islanda - + Iran Iran - + Israel Israele - + Jamaica Giamaica - + Kwajalein Kwajalein - + Libya Libia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polonia - + Portugal Portogallo - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Turchia - + UCT UCT - + Universal Universale - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Predefinito) - + 6GB DRAM (Unsafe) 6GB DRAM (Non sicuro) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (Non sicuro) - + 12GB DRAM (Unsafe) 12GB DRAM (Non sicuro) - + Docked Dock - + Handheld Portatile - - + + Off Disattivato - + Boost (1700MHz) Boost (1700MHz) - + Fast (2000MHz) Veloce (2000MHz) - + Always ask (Default) Chiedi sempre (Predefinito) - + Only if game specifies not to stop Solo se il gioco richiede di non essere arrestato - + Never ask Non chiedere mai - - + + Medium (256) Medio (256) - - + + High (512) Alto (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled Disabilitato - + ExtendedDynamicState 1 Stato dinamico esteso 1 - + ExtendedDynamicState 2 Stato dinamico esteso 2 - + ExtendedDynamicState 3 Stato dinamico esteso 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2266,7 +2385,7 @@ Quando un programma proverà ad aprire l'applet del controller, quest' Ripristina valori predefiniti - + Auto Auto @@ -2676,7 +2795,7 @@ Quando un programma proverà ad aprire l'applet del controller, quest' Disable Buffer Reorder - Disabilita il Riordinamento del Buffer + Disabilita il riordinamento dei buffer @@ -2715,81 +2834,86 @@ Quando un programma proverà ad aprire l'applet del controller, quest' + Use dev.keys + + + + Enable Debug Asserts Abilita le asserzioni di debug - + Debugging Debug - + Battery Serial: Codice seriale della batteria: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: Codice seriale dell'unità: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Abilita questa opzione per stampare l'ultima lista dei comandi audio nella console. Impatta solo i giochi che usano il renderer audio. - + Dump Audio Commands To Console** Stampa i comandi audio nella console** - + Flush log output on each line Svuota l'output del log su ogni riga - + Enable FS Access Log Abilita log di accesso al FS - + Enable Verbose Reporting Services** Abilita servizi di segnalazione dettagliata** - + Censor username in logs Censura il nome utente nei log - + **This will be reset automatically when Eden closes. **L'opzione verrà automaticamente ripristinata alla chiusura di Eden. @@ -2850,13 +2974,13 @@ Quando un programma proverà ad aprire l'applet del controller, quest' - + Audio Audio - + CPU CPU @@ -2872,13 +2996,13 @@ Quando un programma proverà ad aprire l'applet del controller, quest' - + General Generale - + Graphics Grafica @@ -2899,7 +3023,7 @@ Quando un programma proverà ad aprire l'applet del controller, quest' - + Controls Comandi @@ -2915,7 +3039,7 @@ Quando un programma proverà ad aprire l'applet del controller, quest' - + System Sistema @@ -2970,7 +3094,7 @@ Quando un programma proverà ad aprire l'applet del controller, quest' Save Data - + Dati di salvataggio @@ -3033,58 +3157,58 @@ Quando un programma proverà ad aprire l'applet del controller, quest' Elimina cache dei metadati - + Select Emulated NAND Directory... Seleziona la cartella della NAND emulata... - + Select Emulated SD Directory... Seleziona la cartella della scheda SD emulata... - - + + Select Save Data Directory... - + Seleziona la cartella dei dati di salvataggio... - + Select Gamecard Path... Seleziona il percorso della cartuccia di gioco... - + Select Dump Directory... Seleziona la cartella di estrazione... - + Select Mod Load Directory... Seleziona la cartella per il caricamento delle mod... - + Save Data Directory - + Cartella dei dati di salvataggio - + Choose an action for the save data directory: - + Scegli cosa fare per la cartella dei dati di salvataggio: + + + + Set Custom Path + Seleziona un percorso personalizzato - Set Custom Path - - - - Reset to NAND - + Reimposta alla cartella NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3092,59 +3216,71 @@ New: %2 Would you like to migrate saves from the old location? WARNING: This will overwrite any conflicting saves in the new location! - + Sono presenti dei dati di salvataggio in entrambe le posizioni. + +Precedente: %1 +Destinazione: %2 + +Vuoi migrare i salvataggi dalla posizione precedente? +ATTENZIONE: eventuali salvataggi in conflitto nella nuova posizione verranno sovrascritti! - + Would you like to migrate your save data to the new location? From: %1 To: %2 - + Vuoi migrare i dati di salvataggio nella nuova posizione? + +Origine: %1 +Destinazione: %2 - + Migrate Save Data - + Migra dati di salvataggio - + Migrating save data... - + Migrazione dei dati di salvataggio in corso... - + Cancel - + Annulla + + + + + Migration Failed + Migrazione fallita - - Migration Failed - - - - Failed to create destination directory. - + Impossibile creare la cartella di destinazione. Failed to migrate save data: %1 - + Impossibile migrare i dati di salvataggio: +%1 + + + + Migration Complete + Migrazione completata - Migration Complete - - - - Save data has been migrated successfully. Would you like to delete the old save data? - + I dati di salvataggio sono stati migrati con successo. + +Vuoi cancellare i dati precedenti? @@ -3161,20 +3297,55 @@ Would you like to delete the old save data? Generale - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Ripristina tutte le impostazioni - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Tutte le impostazioni verranno ripristinate e tutte le configurazioni dei giochi verranno rimosse. Le cartelle di gioco, i profili e i profili di input non saranno cancellati. Vuoi procedere? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3204,33 +3375,33 @@ Would you like to delete the old save data? Colore dello sfondo: - + % FSR sharpening percentage (e.g. 50%) % - + Off Disattivato - + VSync Off VSync disattivato - + Recommended Consigliata - + On Attivato - + VSync On VSync attivato @@ -3281,13 +3452,13 @@ Would you like to delete the old save data? Estensioni di Vulkan - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Lo stato dinamico esteso è disabilitato su macOS a causa di un problema di compatibilità di MoltenVK che causa schermo nero. @@ -3859,7 +4030,7 @@ Would you like to delete the old save data? - + Left Stick Levetta sinistra @@ -3969,14 +4140,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3989,22 +4160,22 @@ Would you like to delete the old save data? - + Plus Più - + ZR ZR - - + + R R @@ -4061,7 +4232,7 @@ Would you like to delete the old save data? - + Right Stick Levetta destra @@ -4230,88 +4401,88 @@ Per invertire gli assi, prima muovi la levetta verticalmente, e poi orizzontalme Sega Genesis - + Start / Pause Avvia / Metti in pausa - + Z Z - + Control Stick Levetta di Controllo - + C-Stick Levetta C - + Shake! Scuoti! - + [waiting] [in attesa] - + New Profile Nuovo profilo - + Enter a profile name: Inserisci un nome profilo: - - + + Create Input Profile Crea un profilo di input - + The given profile name is not valid! Il nome profilo inserito non è valido! - + Failed to create the input profile "%1" Impossibile creare il profilo di input "%1" - + Delete Input Profile Elimina un profilo di input - + Failed to delete the input profile "%1" Impossibile eliminare il profilo di input "%1" - + Load Input Profile Carica un profilo di input - + Failed to load the input profile "%1" Impossibile caricare il profilo di input "%1" - + Save Input Profile Salva un profilo di Input - + Failed to save the input profile "%1" Impossibile creare il profilo di input "%1" @@ -4610,11 +4781,6 @@ Per attivarlo, disattiva il mouse emulato. Enable Airplane Mode Abilita la modalità aereo - - - None - Nessuna - ConfigurePerGame @@ -4669,52 +4835,57 @@ Per attivarlo, disattiva il mouse emulato. Alcune impostazioni sono disponibili soltanto quando un gioco non è in esecuzione. - + Add-Ons Add-on - + System Sistema - + CPU CPU - + Graphics Grafica - + Adv. Graphics Grafica (Avanzate) - + Ext. Graphics Grafica (Estensioni) - + Audio Audio - + Input Profiles Profili di input - + Network Rete + Applets + + + + Properties Proprietà @@ -4732,15 +4903,110 @@ Per attivarlo, disattiva il mouse emulato. Add-on - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nome della patch - + Version Versione + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4788,80 +5054,80 @@ Per attivarlo, disattiva il mouse emulato. %2 - + Users Utenti - + Error deleting image Impossibile eliminare l'immagine - + Error occurred attempting to overwrite previous image at: %1. Impossibile sovrascrivere l'immagine precedente in: %1. - + Error deleting file Impossibile eliminare il file - + Unable to delete existing file: %1. Impossibile eliminare il file già esistente: %1. - + Error creating user image directory Impossibile creare la cartella delle immagini dell'utente - + Unable to create directory %1 for storing user images. Impossibile creare la cartella %1 per archiviare le immagini dell'utente. - + Error saving user image Impossibile salvare l'immagine utente - + Unable to save image to file Impossibile salvare l'immagine nel file - + &Edit - + &Modifica - + &Delete - + &Elimina - + Edit User - + Modifica utente ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Eliminare questo utente? Tutti i suoi dati di salvataggio verranno rimossi. - + Confirm Delete Conferma eliminazione - + Name: %1 UUID: %2 Nome: %1 @@ -5063,17 +5329,22 @@ UUID: %2 Metti in pausa l'esecuzione durante i caricamenti - + + Show recording dialog + + + + Script Directory Cartella degli script - + Path Percorso - + ... ... @@ -5086,7 +5357,7 @@ UUID: %2 Configurazione TAS - + Select TAS Load Directory... Seleziona la cartella di caricamento TAS... @@ -5224,64 +5495,43 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab ConfigureUI - - - + + None Nessuna - - Small (32x32) - Piccola (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Grande (128x128) - - - - Full Size (256x256) - Dimensione intera (256x256) - - - + Small (24x24) Piccola (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Grande (72x72) - + Filename Nome del file - + Filetype Tipo di file - + Title ID ID del gioco (Title ID) - + Title Name Nome del gioco @@ -5350,71 +5600,66 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab - Game Icon Size: - Dimensione dell'icona del gioco: - - - Folder Icon Size: Dimensione dell'icona delle cartelle: - + Row 1 Text: Testo riga 1: - + Row 2 Text: Testo riga 2: - + Screenshots Screenshot - + Ask Where To Save Screenshots (Windows Only) Chiedi dove salvare gli screenshot (solo Windows) - + Screenshots Path: Percorso degli screenshot: - + ... ... - + TextLabel Etichetta - + Resolution: Risoluzione: - + Select Screenshots Path... Seleziona il percorso degli screenshot... - + <System> <System> - + English Inglese - + Auto (%1 x %2, %3 x %4) Screenshot width value Automatica (%1 x %2, %3 x %4) @@ -5548,20 +5793,20 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab Mostra il gioco in uso nel tuo stato di Discord - - + + All Good Tooltip - Tutto ok + OK - + Must be between 4-20 characters Tooltip Dev'essere compreso fra 4 e 20 caratteri - + Must be 48 characters, and lowercase a-z Tooltip Devono essere 48 caratteri e contenere minuscole a-z @@ -5590,30 +5835,30 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab Deleting ANY data is IRREVERSABLE! - Cancellare qualunque dato è IRREVERSIBILE! + La cancellazione di qualsiasi dato è IRREVERSIBILE! - + Shaders Shader - + UserNAND UserNAND - + SysNAND SysNAND - + Mods Mod - + Saves Salvataggi @@ -5633,25 +5878,25 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab Open with your system file manager - Apri con il tuo file manager di sitema + Apri con il gestore file di sistema Delete all data in this directory. THIS IS 100% IRREVERSABLE! - Cancella tutti i dati in questa cartella. QUESTO È IRREVERSIBILE AL 100%! + Cancella tutti i dati in questa cartella. L'OPERAZIONE È COMPLETAMENTE IRREVERSIBILE! Export all data in this directory. This may take a while! - Esporta tutti i dati in questa cartella. Potrebbe passare un po' di tempo! + Esporta tutti i dati in questa cartella. Potrebbe impiegare un po' di tempo! Import data for this directory. This may take a while, and will delete ALL EXISTING DATA! - Importa dati in questa cartella. Ci vuole un po' di tempo, e cancellerà TUTTI I DATI ESISTENTI! + Importa dati in questa cartella. Potrebbe impiegare un po' di tempo, e TUTTI I DATI ESISTENTI verranno cancellati! - + Calculating... Calcolo in corso... @@ -5674,12 +5919,12 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab <html><head/><body><p>I progetti che rendono Eden possibile</p></body></html> - + Dependency Dipendenza - + Version Versione @@ -5855,44 +6100,44 @@ Vai su Configura -> Sistema -> Rete e selezionane una. GRenderWindow - - + + OpenGL not available! OpenGL non disponibile! - + OpenGL shared contexts are not supported. Gli shared context di OpenGL non sono supportati. - + Eden has not been compiled with OpenGL support. Eden non è stato compilato con il supporto a OpenGL. - - + + Error while initializing OpenGL! Errore durante l'inizializzazione di OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. La tua GPU potrebbe non supportare OpenGL, o non hai installato l'ultima versione dei driver video. - + Error while initializing OpenGL 4.6! Errore durante l'inizializzazione di OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 La tua GPU potrebbe non supportare OpenGL 4.6, o non hai installato l'ultima versione dei driver video.<br><br>Renderer GL:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 La tua GPU potrebbe non supportare una o più estensioni OpenGL richieste. Assicurati di aver installato i driver video più recenti.<br><br>Renderer GL:<br>%1<br><br>Estensioni non supportate:<br>%2 @@ -5900,203 +6145,208 @@ Vai su Configura -> Sistema -> Rete e selezionane una. GameList - + + &Add New Game Directory + + + + Favorite Preferito - + Start Game Avvia gioco - + Start Game without Custom Configuration Avvia gioco senza la configurazione personalizzata - + Open Save Data Location Apri la cartella dei dati di salvataggio - + Open Mod Data Location Apri la cartella delle mod - + Open Transferable Pipeline Cache Apri la cartella della cache trasferibile delle pipeline - + Link to Ryujinx Collega con Ryujinx - + Remove Rimuovi - + Remove Installed Update Rimuovi l'aggiornamento installato - + Remove All Installed DLC Rimuovi tutti i DLC installati - + Remove Custom Configuration Rimuovi la configurazione personalizzata - + Remove Cache Storage Rimuovi la cache del gioco - + Remove OpenGL Pipeline Cache Rimuovi la cache delle pipeline OpenGL - + Remove Vulkan Pipeline Cache Rimuovi la cache delle pipeline Vulkan - + Remove All Pipeline Caches Rimuovi tutte le cache delle pipeline - + Remove All Installed Contents Rimuovi tutti i contenuti installati - + Manage Play Time Gestisci il tempo di gioco - + Edit Play Time Data Modifica il tempo di gioco - + Remove Play Time Data Reimposta il tempo di gioco - - + + Dump RomFS Estrai RomFS - + Dump RomFS to SDMC Estrai RomFS su SDMC - + Verify Integrity Verifica integrità - + Copy Title ID to Clipboard Copia il Title ID negli appunti - + Navigate to GameDB entry Vai alla pagina di GameDB - + Create Shortcut Crea scorciatoia - + Add to Desktop Aggiungi al desktop - + Add to Applications Menu Aggiungi al menù delle applicazioni - + Configure Game Configura gioco - + Scan Subfolders Scansiona le sottocartelle - + Remove Game Directory Rimuovi cartella dei giochi - + ▲ Move Up ▲ Sposta in alto - + ▼ Move Down ▼ Sposta in basso - + Open Directory Location Apri cartella - + Clear Cancella - + Name Nome - + Compatibility Compatibilità - + Add-ons Add-on - + File type Tipo di file - + Size Dimensione - + Play time Tempo di gioco @@ -6104,62 +6354,62 @@ Vai su Configura -> Sistema -> Rete e selezionane una. GameListItemCompat - + Ingame In-game - + Game starts, but crashes or major glitches prevent it from being completed. Il gioco parte, ma non può essere completato a causa di arresti anomali o di glitch importanti. - + Perfect Perfetto - + Game can be played without issues. Il gioco funziona senza problemi. - + Playable Giocabile - + Game functions with minor graphical or audio glitches and is playable from start to finish. Il gioco presenta alcuni glitch audio o video minori ed è possibile giocare dall'inizio alla fine. - + Intro/Menu Intro/Menù - + Game loads, but is unable to progress past the Start Screen. Il gioco si avvia, ma è impossibile proseguire oltre la schermata iniziale. - + Won't Boot Non si avvia - + The game crashes when attempting to startup. Il gioco si blocca quando viene avviato. - + Not Tested Non testato - + The game has not yet been tested. Il gioco non è ancora stato testato. @@ -6167,7 +6417,7 @@ Vai su Configura -> Sistema -> Rete e selezionane una. GameListPlaceholder - + Double-click to add a new folder to the game list Clicca due volte per aggiungere una nuova cartella alla lista dei giochi @@ -6175,17 +6425,17 @@ Vai su Configura -> Sistema -> Rete e selezionane una. GameListSearchField - + %1 of %n result(s) %1 di %n risultato%1 di %n di risultati%1 di %n risultati - + Filter: Filtro: - + Enter pattern to filter Inserisci pattern per filtrare @@ -6261,12 +6511,12 @@ Vai su Configura -> Sistema -> Rete e selezionane una. HostRoomWindow - + Error Errore - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Annuncio della stanza pubblica fallito. Per ospitare una stanza pubblica, devi avere un account Eden valido configurato in Emulazione -> Configura -> Web. Se non vuoi pubblicare una stanza pubblicamente, selezione Non in lista. @@ -6276,19 +6526,11 @@ Messaggio debug: Hotkeys - + Audio Mute/Unmute Attiva/disattiva l'audio - - - - - - - - @@ -6311,154 +6553,180 @@ Messaggio debug: + + + + + + + + + + + Main Window Finestra principale - + Audio Volume Down Abbassa il volume dell'audio - + Audio Volume Up Alza il volume dell'audio - + Capture Screenshot Cattura screenshot - + Change Adapting Filter Cambia filtro di adattamento - + Change Docked Mode Cambia modalità console - + Change GPU Mode Cambia modalità GPU - + Configure Configura - + Configure Current Game Configura il gioco in uso - + Continue/Pause Emulation Continua/Metti in pausa l'emulazione - + Exit Fullscreen Esci dalla modalità schermo intero - + Exit Eden Esci da Eden - + Fullscreen Schermo intero - + Load File Carica file - + Load/Remove Amiibo Carica/Rimuovi Amiibo - - Multiplayer Browse Public Game Lobby - Multigiocatore - Sfoglia lobby di gioco pubblica + + Browse Public Game Lobby + - - Multiplayer Create Room - Multigiocatore - Crea stanza + + Create Room + - - Multiplayer Direct Connect to Room - Multigiocatore - Collegamento diretto a una stanza + + Direct Connect to Room + - - Multiplayer Leave Room - Multigiocatore - Esci dalla stanza + + Leave Room + - - Multiplayer Show Current Room - Multigiocatore - Mostra stanza attuale + + Show Current Room + - + Restart Emulation Riavvia l'emulazione - + Stop Emulation Arresta l'emulazione - + TAS Record Registra TAS - + TAS Reset Reimposta TAS - + TAS Start/Stop Avvia/interrompi TAS - + Toggle Filter Bar Mostra/nascondi la barra del filtro - + Toggle Framerate Limit Attiva/disattiva il limite del framerate - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Attiva/disattiva il mouse panning - + Toggle Renderdoc Capture Abilita cattura Renderdoc - + Toggle Status Bar Mostra/nascondi la barra di stato + + + Toggle Performance Overlay + + InstallDialog @@ -6511,22 +6779,22 @@ Messaggio debug: Tempo stimato 5m 4s - + Loading... Caricamento... - + Loading Shaders %1 / %2 %1 / %2 shader caricati - + Launching... Avvio in corso... - + Estimated Time %1 Tempo Stimato %1 @@ -6575,42 +6843,42 @@ Messaggio debug: Aggiorna lobby - + Password Required to Join Password richiesta per entrare - + Password: Password: - + Players Giocatori - + Room Name Nome stanza - + Preferred Game Gioco preferito - + Host Host - + Refreshing Aggiornamento in corso - + Refresh List Aggiorna lista @@ -6659,714 +6927,776 @@ Messaggio debug: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Ripristina le dimensioni della finestra a &720p - + Reset Window Size to 720p Ripristina le dimensioni della finestra a 720p - + Reset Window Size to &900p Ripristina le dimensioni della finestra a &900p - + Reset Window Size to 900p Ripristina le dimensioni della finestra a 900p - + Reset Window Size to &1080p Ripristina le dimensioni della finestra a &1080p - + Reset Window Size to 1080p Ripristina le dimensioni della finestra a 1080p - + &Multiplayer &Multigiocatore - + &Tools &Strumenti - + Am&iibo Am&iibo - + Launch &Applet Avvia &applet - + &TAS &TAS - + &Create Home Menu Shortcut &Crea scorciatoia per il menù Home - + Install &Firmware Installa &firmware - + &Help &Aiuto - + &Install Files to NAND... &Installa file su NAND... - + L&oad File... Carica &file... - + Load &Folder... Carica &cartella... - + E&xit &Esci - - + + &Pause &Pausa - + &Stop Arre&sta - + &Verify Installed Contents &Verifica i contenuti installati - + &About Eden &Informazioni su Eden - + Single &Window Mode &Modalità finestra singola - + Con&figure... Configura... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Mostra barra del &filtro - + Show &Status Bar Mostra barra di &stato - + Show Status Bar Mostra barra di stato - + &Browse Public Game Lobby &Sfoglia lobby di gioco pubblica - + &Create Room &Crea stanza - + &Leave Room &Esci dalla stanza - + &Direct Connect to Room Collegamento &diretto a una stanza - + &Show Current Room &Mostra stanza attuale - + F&ullscreen Schermo intero - + &Restart &Riavvia - + Load/Remove &Amiibo... Carica/Rimuovi &Amiibo... - + &Report Compatibility &Segnala la compatibilità - + Open &Mods Page Apri la pagina delle &mod - + Open &Quickstart Guide Apri la &guida introduttiva - + &FAQ &Domande frequenti - + &Capture Screenshot Cattura schermo - + &Album &Album - + &Set Nickname and Owner &Imposta nickname e proprietario - + &Delete Game Data &Rimuovi i dati di gioco - + &Restore Amiibo &Ripristina gli Amiibo - + &Format Amiibo &Formatta gli Amiibo - + &Mii Editor Editor &Mii - + &Configure TAS... &Configura TAS... - + Configure C&urrent Game... Configura il gioco in uso... - - + + &Start &Avvia - + &Reset &Reimposta - - + + R&ecord R&egistra - + Open &Controller Menu Apri il menù dei &controller - + Install Decryption &Keys Installa le &chiavi di crittografia - + &Home Menu Menù &Home - + &Desktop &Desktop - + &Application Menu &Menù delle applicazioni - + &Root Data Folder Cartella &principale dei dati - + &NAND Folder Cartella &NAND - + &SDMC Folder Cartella &SDMC - + &Mod Folder Cartella delle &mod - + &Log Folder Cartella dei &log - + From Folder Da una cartella - + From ZIP Da un file ZIP - + &Eden Dependencies &Dipendenze di Eden - + &Data Manager Gestione &dati - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + Nessuno + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected Rilevata installazione di Vulkan non funzionante - + Vulkan initialization failed during boot. L'inizializzazione di Vulkan è fallita durante l'avvio. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Gioco in esecuzione - + Loading Web Applet... Caricamento dell'applet web... - - + + Disable Web Applet Disabilita l'applet web - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) Disabilitare l'applet web potrebbe causare dei comportamenti indesiderati e andrebbe fatto solo con Super Mario 3D All-Stars. Sei sicuro di voler procedere? (Puoi riabilitarlo quando vuoi nelle impostazioni di debug.) - + The amount of shaders currently being built Il numero di shader in fase di compilazione - + The current selected resolution scaling multiplier. Il moltiplicatore attuale della risoluzione. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Velocità attuale dell'emulazione. Valori più alti o più bassi di 100% indicano che l'emulazione sta funzionando più velocemente o lentamente rispetto a una Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. Il numero di fotogrammi al secondo che il gioco sta attualmente renderizzando. Può variare in base al gioco e alla situazione. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. Tempo necessario per emulare un fotogramma della Switch, senza tenere conto del limite al framerate o del V-Sync. Per un'emulazione alla massima velocità, il valore non dovrebbe essere superiore a 16.67 ms. - + Unmute Riattiva - + Mute Silenzia - + Reset Volume Reimposta volume - + &Clear Recent Files &Cancella i file recenti - + &Continue &Continua - + Warning: Outdated Game Format Attenzione: Formato del gioco obsoleto - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. Stai usando una cartella contenente una ROM decostruita per avviare questo gioco, che è un formato obsoleto e sostituito da NCA, NAX, XCI o NSP. Le ROM decostruite non hanno icone né metadati e non supportano gli aggiornamenti.<br>Per una spiegazione sui vari formati della console Switch supportati da Eden, consulta il manuale utente. Non riceverai di nuovo questo avviso. - - + + Error while loading ROM! Errore nel caricamento della ROM! - + The ROM format is not supported. Il formato della ROM non è supportato. - + An error occurred initializing the video core. Errore durante l'inizializzazione del componente video di base - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. Eden ha riscontrato un errore durante l'esecuzione del componente video di base. Di solito questo errore è causato da driver GPU obsoleti, compresi quelli integrati. Consulta il log per maggiori dettagli. Per informazioni su come accedere al log, visita <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>questa pagina</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. Errore nel caricamento della ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Esegui un nuovo dump dei tuoi file o chiedi aiuto su Discord/Stoat. - + An unknown error occurred. Please see the log for more details. Si è verificato un errore sconosciuto. Consulta il log per maggiori dettagli. - + (64-bit) (64 bit) - + (32-bit) (32 bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... Chiusura del software in corso... - + Save Data Dati di salvataggio - + Mod Data Dati delle mod - + Error Opening %1 Folder Impossibile aprire la cartella %1 - - + + Folder does not exist! La cartella non esiste! - + Remove Installed Game Contents? Rimuovere il contenuto del gioco installato? - + Remove Installed Game Update? Rimuovere l'aggiornamento installato? - + Remove Installed Game DLC? Rimuovere il DLC installato? - + Remove Entry Rimuovi voce - + Delete OpenGL Transferable Shader Cache? Vuoi rimuovere la cache trasferibile degli shader OpenGL? - + Delete Vulkan Transferable Shader Cache? Vuoi rimuovere la cache trasferibile degli shader Vulkan? - + Delete All Transferable Shader Caches? Vuoi rimuovere tutte le cache trasferibili degli shader? - + Remove Custom Game Configuration? Rimuovere la configurazione personalizzata del gioco? - + Remove Cache Storage? Rimuovere la cache del gioco? - + Remove File Rimuovi file - + Remove Play Time Data Reimposta il tempo di gioco - + Reset play time? Vuoi reimpostare il tempo di gioco? - - + + RomFS Extraction Failed! Estrazione RomFS fallita! - + There was an error copying the RomFS files or the user cancelled the operation. Si è verificato un errore durante la copia dei file del RomFS o l'operazione è stata annullata dall'utente. - + Full Completa - + Skeleton Cartelle - + Select RomFS Dump Mode Seleziona la modalità di estrazione del RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. Seleziona come vorresti estrarre il RomFS. <br>La modalità Completa copierà tutti i file in una nuova cartella mentre<br>la modalità Cartelle creerà solamente la struttura delle cartelle. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root Non c'è abbastanza spazio disponibile in %1 per estrarre il RomFS. Libera lo spazio o seleziona una cartella di estrazione diversa in Emulazione > Configura > Sistema > File system > Cartella di estrazione - + Extracting RomFS... Estrazione RomFS in corso... - - + + Cancel Annulla - + RomFS Extraction Succeeded! Estrazione RomFS riuscita! - + The operation completed successfully. L'operazione è stata completata con successo. - + Error Opening %1 Impossibile aprire %1 - + Select Directory Seleziona cartella - + Properties Proprietà - + The game properties could not be loaded. Non è stato possibile caricare le proprietà del gioco. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. Eseguibile Switch (%1);;Tutti i file (*.*) - + Load File Carica file - + Open Extracted ROM Directory Apri la cartella della ROM estratta - + Invalid Directory Selected Cartella selezionata non valida - + The directory you have selected does not contain a 'main' file. La cartella che hai selezionato non contiene un file "main". - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) File Switch installabili (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files Installa file - + %n file(s) remaining %n file rimanente%n di file rimanenti%n file rimanenti - + Installing file "%1"... Installazione del file "%1"... - - + + Install Results Risultati dell'installazione - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. Per evitare possibli conflitti, sconsigliamo di installare i giochi base su NAND. Usa questa funzione solo per installare aggiornamenti e DLC. - + %n file(s) were newly installed %n nuovo file è stato installato @@ -7375,7 +7705,7 @@ Usa questa funzione solo per installare aggiornamenti e DLC. - + %n file(s) were overwritten %n file è stato sovrascritto @@ -7384,7 +7714,7 @@ Usa questa funzione solo per installare aggiornamenti e DLC. - + %n file(s) failed to install %n file non è stato installato a causa di errori @@ -7393,369 +7723,369 @@ Usa questa funzione solo per installare aggiornamenti e DLC. - + System Application Applicazione di sistema - + System Archive Archivio di sistema - + System Application Update Aggiornamento di un'applicazione di sistema - + Firmware Package (Type A) Pacchetto firmware (tipo A) - + Firmware Package (Type B) Pacchetto firmware (tipo B) - + Game Gioco - + Game Update Aggiornamento di gioco - + Game DLC DLC - + Delta Title Titolo delta - + Select NCA Install Type... Seleziona il tipo di installazione NCA... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) Seleziona il tipo del file NCA da installare: (Nella maggior parte dei casi, il valore predefinito "Gioco" va bene) - + Failed to Install Installazione fallita - + The title type you selected for the NCA is invalid. Il tipo che hai selezionato per il file NCA non è valido. - + File not found File non trovato - + File "%1" not found File "%1" non trovato - + OK OK - + Function Disabled Funzionalità disabilitata - + Compatibility list reporting is currently disabled. Check back later! La segnalazione della compatibilità è al momento disabilitata. Torna a controllare più avanti! - + Error opening URL Impossibile aprire l'URL - + Unable to open the URL "%1". Non è stato possibile aprire l'URL "%1". - + TAS Recording Registrazione TAS - + Overwrite file of player 1? Vuoi sovrascrivere il file del giocatore 1? - + Invalid config detected Rilevata configurazione non valida - + Handheld controller can't be used on docked mode. Pro controller will be selected. Il controller portatile non può essere utilizzato in modalità dock. Verrà selezionato il controller Pro. - - + + Amiibo Amiibo - - + + The current amiibo has been removed L'Amiibo corrente è stato rimosso - + Error Errore - - + + The current game is not looking for amiibos Il gioco in uso non è alla ricerca di Amiibo - + Amiibo File (%1);; All Files (*.*) File Amiibo (%1);; Tutti i file (*.*) - + Load Amiibo Carica Amiibo - + Error loading Amiibo data Impossibile caricare i dati dell'Amiibo - + The selected file is not a valid amiibo Il file selezionato non è un Amiibo valido - + The selected file is already on use Il file selezionato è già in uso - + An unknown error occurred Si è verificato un errore sconosciuto - - + + Keys not installed Chiavi non installate - - + + Install decryption keys and restart Eden before attempting to install firmware. Installa le chiavi di crittografia e riavvia Eden prima di installare il firmware. - + Select Dumped Firmware Source Location Seleziona il percorso del firmware estratto - + Select Dumped Firmware ZIP Seleziona il file ZIP del firmware estratto - + Zipped Archives (*.zip) Archivi compressi (*.zip) - + Firmware cleanup failed Pulizia del firmware fallita - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available Nessun firmware disponibile - + Firmware Corrupted Firmware corrotto - + Unknown applet Applet sconosciuto - + Applet doesn't map to a known value. L'applet non è associato a un valore noto. - + Record not found Non trovato - + Applet not found. Please reinstall firmware. Applet non trovato. Reinstalla il firmware. - + Capture Screenshot Cattura screenshot - + PNG Image (*.png) Immagine PNG (*.png) - + Update Available Aggiornamento disponibile - - Download the %1 update? - Vuoi scaricare l'aggiornamento %1? + + Download %1? + Vuoi scaricare la versione %1? - + TAS state: Running %1/%2 Stato TAS: In esecuzione (%1/%2) - + TAS state: Recording %1 Stato TAS: Registrazione in corso (%1) - + TAS state: Idle %1/%2 Stato TAS: In attesa (%1/%2) - + TAS State: Invalid Stato TAS: Non valido - + &Stop Running &Interrompi esecuzione - + Stop R&ecording Interrompi r&egistrazione - + Building: %n shader(s) Compilazione di %n shaderCompilazione di %n shaderCompilazione di %n shader - + Scale: %1x %1 is the resolution scaling factor Risoluzione: %1x - + Speed: %1% / %2% Velocità: %1% / %2% - + Speed: %1% Velocità: %1% - + Game: %1 FPS Gioco: %1 FPS - + Frame: %1 ms Frame: %1 ms - + FSR FSR - + NO AA NO AA - + VOLUME: MUTE VOLUME: MUTO - + VOLUME: %1% Volume percentage (e.g. 50%) VOLUME: %1% - + Derivation Components Missing Componenti di derivazione mancanti - + Decryption keys are missing. Install them now? - + Chiavi di crittografia mancanti. Vuoi installarle ora? - + Wayland Detected! Wayland rilevato! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7766,70 +8096,80 @@ Si consiglia invece di usare X11. Vuoi forzare l'uso di quest'ultimo per i prossimi avvii? - + Use X11 Usa X11 - + Continue with Wayland Continua con Wayland - + Don't show again Non mostrare di nuovo - + Restart Required Riavvio richiesto - + Restart Eden to apply the X11 backend. Riavvia Eden per usare il back-end X11. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target Seleziona RomFS da estrarre - + Please select which RomFS you would like to dump. Seleziona quale RomFS vorresti estrarre. - + Are you sure you want to close Eden? Sei sicuro di voler uscire da Eden? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. Sei sicuro di voler arrestare l'emulazione? Tutti i progressi non salvati verranno perduti. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? L'applicazione attualmente in esecuzione ha richiesto a Eden di non uscire. Vuoi uscire comunque? - - - None - Nessuno - FXAA @@ -7856,27 +8196,27 @@ Vuoi uscire comunque? Bicubico - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Gaussiano @@ -7931,22 +8271,22 @@ Vuoi uscire comunque? Vulkan - + OpenGL GLSL OpenGL GLSL - + OpenGL SPIRV OpenGL SPIR-V - + OpenGL GLASM OpenGL GLASM - + Null Nullo @@ -7954,13 +8294,13 @@ Vuoi uscire comunque? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7971,7 +8311,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7979,11 +8319,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. I dati sono stati migrati con successo. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8114,127 +8467,127 @@ Vuoi continuare lo stesso? New User - + Nuovo utente Change Avatar - + Cambia avatar Set Image - + Imposta immagine UUID - + UUID Eden - + Eden Username - + Nome utente UUID must be 32 hex characters (0-9, A-F) - + Lo UUID dev'essere di 32 caratteri esadecimali (0-9, A-F) Generate - + Genera - + Select User Image - + Seleziona immagine dell'utente - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + File immagine (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Nessun firmware disponibile - + Please install the firmware to use firmware avatars. - + Installa il firmware per usare gli avatar. - - + + Error loading archive - + Caricamento dell'archivio fallito - + Archive is not available. Please install/reinstall firmware. - + Archivio non disponibile. Installa o reinstalla il firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Impossibile trovare il RomFS. Il file o le chiavi di crittografia potrebbero essere danneggiati. - + Error extracting archive - + Estrazione dell'archivio fallita - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Impossibile estrarre il RomFS. Il file o le chiavi di crittografia potrebbero essere danneggiati. - + Error finding image directory - + Impossibile trovare la cartella delle immagini - + Failed to find image directory in the archive. - + Non è stato possibile trovare la cartella delle immagini nell'archivio. - + No images found - + Nessuna immagine trovata - + No avatar images were found in the archive. - + Non sono state trovate immagini degli avatar nell'archivio. - - + + All Good Tooltip - + OK - + Must be 32 hex characters (0-9, a-f) Tooltip - + Dev'essere di 32 caratteri esadecimali (0-9, a-f) - + Must be between 1 and 32 characters Tooltip - + Dev'essere compreso fra 1 e 32 caratteri @@ -8270,6 +8623,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8283,60 +8710,35 @@ p, li { white-space: pre-wrap; } Select - + Seleziona Cancel - + Annulla Background Color - + Colore dello sfondo Select Firmware Avatar - + Seleziona avatar del firmware QObject - - Installed SD Titles - Titoli SD installati - - - - Installed NAND Titles - Titoli NAND installati - - - - System Titles - Titoli di sistema - - - - Add New Game Directory - Aggiungi nuova cartella dei giochi - - - - Favorites - Preferiti - - - - - + + + Migration - + Clear Shader Cache @@ -8369,18 +8771,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating Migrazione in corso - + Migrating, this may take a while... La migrazione è in corso, potrebbe richiedere un po' di tempo... @@ -8771,6 +9173,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 sta giocando a %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Titoli SD installati + + + + Installed NAND Titles + Titoli NAND installati + + + + System Titles + Titoli di sistema + + + + Add New Game Directory + Aggiungi nuova cartella dei giochi + + + + Favorites + Preferiti + QtAmiiboSettingsDialog @@ -8888,47 +9335,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware Firmware richiesto - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. Il gioco che stai cercando di avviare richiede il firmware per poter partire o per superare il menù iniziale. <a href='https://yuzu-mirror.github.io/help/quickstart'>Esegui il dump del firmware e installalo</a>, o premi "OK" per continuare lo stesso. - + Installing Firmware... Installazione del firmware in corso... - - - - - + + + + + Cancel Annulla - + Firmware Install Failed Installazione del firmware fallita - + Firmware Install Succeeded Installazione del firmware riuscita - + Firmware integrity verification failed! Verifica dell'integrità del firmware fallita! - - + + Verification failed for the following files: %1 @@ -8937,203 +9384,203 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Verifica dell'integrità in corso... - - + + Integrity verification succeeded! Verifica dell'integrità riuscita! - - + + The operation completed successfully. L'operazione è stata completata con successo. - - + + Integrity verification failed! Verifica dell'integrità fallita! - + File contents may be corrupt or missing. I contenuti dei file potrebbero essere corrotti o mancanti. - + Integrity verification couldn't be performed Impossibile effettuare la verifica dell'integrità - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Installazione del firmware annullata, il firmware potrebbe essere corrotto o in cattivo stato. Non è stato possibile controllare la validità dei contenuti dei file. - + Select Dumped Keys Location - + Decryption Keys install succeeded Installazione delle chiavi di crittografia riuscita - + Decryption Keys install failed Installazione delle chiavi di crittografia fallita - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location Scegli dove esportare i dati - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Archivi compressi (*.zip) - + Exporting data. This may take a while... Esportazione dei dati in corso. Potrebbe richiedere un po' di tempo... - + Exporting Esportazione in corso - + Exported Successfully Esportazione completata - + Data was exported successfully. I dati sono stati esportati con successo. - + Export Cancelled Esportazione annullata - + Export was cancelled by the user. L'esportazione è stata annullata dall'utente. - + Export Failed Esportazione fallita - + Ensure you have write permissions on the targeted directory and try again. Assicurati di disporre dei permessi di scrittura nella cartella selezionata e poi riprova. - + Select Import Location Seleziona il file da importare - + Import Warning Attenzione - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Tutti i dati già presenti in questa cartella verranno eliminati. Sei sicuro di voler procedere? - + Importing data. This may take a while... Importazione dei dati in corso. Potrebbe richiedere un po' di tempo... - + Importing Importazione in corso - + Imported Successfully Importazione completata - + Data was imported successfully. I dati sono stati importati con successo. - + Import Cancelled Importazione annullata - + Import was cancelled by the user. L'importazione è stata annullata dall'utente. - + Import Failed Importazione fallita - + Ensure you have read permissions on the targeted directory and try again. Assicurati di disporre dei permessi di lettura nella cartella selezionata e poi riprova. @@ -9141,22 +9588,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data Dati di salvataggio collegati - + Save data has been linked. I dati di salvataggio sono stati collegati. - + Failed to link save data Impossibile collegare i dati di salvataggio - + Could not link directory: %1 To: @@ -9167,48 +9614,48 @@ A: %2 - + Already Linked Dati già collegati - + This title is already linked to Ryujinx. Would you like to unlink it? Questo titolo è già stato collegato con Ryujinx. Vuoi scollegarlo? - + Failed to unlink old directory Impossibile scollegare la vecchia cartella - - + + OS returned error: %1 Il sistema ha restituito un errore: %1 - + Failed to copy save data Impossibile copiare i dati di salvataggio - + Unlink Successful Scollegamento effettuato - + Successfully unlinked Ryujinx save data. Save data has been kept intact. I dati di salvataggio di Ryujinx sono stati scollegati non successo. I dati sono stati lasciati intatti. - + Could not find Ryujinx installation Installazione di Ryujinx non trovata - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9222,18 +9669,18 @@ Vuoi selezionare manualmente la cartella dell'installazione portatile da us Cartella dell'installazione portatile di Ryujinx - + Not a valid Ryujinx directory Cartella di Ryujinx non valida - + The specified directory does not contain valid Ryujinx data. La cartella specificata non contiene dei dati di Ryujinx validi. - - + + Could not find Ryujinx save data Impossibile trovare il salvataggio di Ryujinx @@ -9241,229 +9688,285 @@ Vuoi selezionare manualmente la cartella dell'installazione portatile da us QtCommon::Game - + Error Removing Contents Impossibile rimuovere il contentuto - + Error Removing Update Impossibile rimuovere l'aggiornamento - + Error Removing DLC Impossibile rimuovere il DLC - - - - - - + + + + + + Successfully Removed Rimozione completata - + Successfully removed the installed base game. Il gioco base installato è stato rimosso con successo. - + The base game is not installed in the NAND and cannot be removed. Il gioco base non è installato su NAND e non può essere rimosso. - + Successfully removed the installed update. L'aggiornamento installato è stato rimosso con successo. - + There is no update installed for this title. Non c'è alcun aggiornamento installato per questo gioco. - + There are no DLCs installed for this title. Non c'è alcun DLC installato per questo gioco. - + Successfully removed %1 installed DLC. %1 DLC rimossi con successo. - - + + Error Removing Transferable Shader Cache Impossibile rimuovere la cache trasferibile degli shader - - + + A shader cache for this title does not exist. Non esiste una cache degli shader per questo gioco. - + Successfully removed the transferable shader cache. La cache trasferibile degli shader è stata rimossa con successo. - + Failed to remove the transferable shader cache. Si è verificato un errore nel rimuovere la cache trasferibile degli shader. - + Error Removing Vulkan Driver Pipeline Cache Impossibile rimuovere la cache delle pipeline del driver Vulkan - + Failed to remove the driver pipeline cache. Si è verificato un errore nel rimuovere la cache delle pipeline del driver. - - + + Error Removing Transferable Shader Caches Impossibile rimuovere le cache trasferibili degli shader - + Successfully removed the transferable shader caches. Le cache trasferibili degli shader sono state rimosse con successo. - + Failed to remove the transferable shader cache directory. Si è verificato un errore nel rimuovere la cartella della cache trasferibile degli shader. - - + + Error Removing Custom Configuration Impossibile rimuovere la configurazione personalizzata - + A custom configuration for this title does not exist. Non esiste una configurazione personalizzata per questo gioco. - + Successfully removed the custom game configuration. La configurazione personalizzata del gioco è stata rimossa con successo. - + Failed to remove the custom game configuration. Si è verificato un errore nel rimuovere la configurazione personalizzata del gioco. - + Reset Metadata Cache Svuota la cache dei metadati - + The metadata cache is already empty. La cache dei metadati è già vuota. - + The operation completed successfully. L'operazione è stata completata con successo. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Impossibile eliminare la cache dei metadati. Potrebbe essere in uso o inesistente. - + Create Shortcut Crea scorciatoia - + Do you want to launch the game in fullscreen? Vuoi avviare il gioco a schermo intero? - + Shortcut Created Scorciatoia creata - + Successfully created a shortcut to %1 Scorciatoia creata con successo per %1 - + Shortcut may be Volatile! Scorciatoia potenzialmente instabile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Verrà creata una scorciatoia all'AppImage attuale. Potrebbe non funzionare correttamente se effettui un aggiornamento. Vuoi continuare? - + Failed to Create Shortcut Impossibile creare la scorciatoia - + Failed to create a shortcut to %1 Si è verificato un errore nel creare la scorciatoia per %1 - + Create Icon Crea icona - + Cannot create icon file. Path "%1" does not exist and cannot be created. Impossibile creare il file dell'icona. Il percorso "%1" non esiste e non può essere creato. - + No firmware available Nessun firmware disponibile - + Please install firmware to use the home menu. Installa il firmware per usare il menù Home. - + Home Menu Applet Applet menù Home - + Home Menu is not available. Please reinstall firmware. Il menù Home non è disponibile. Reinstalla il firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache Impossibile aprire la cache degli shader - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. Si è verificato un errore durante la creazione o l'apertura della cache degli shader per questo titolo. Assicurati di disporre dei permessi di scrittura nella cartella dei dati dell'app. @@ -9471,84 +9974,84 @@ Vuoi selezionare manualmente la cartella dell'installazione portatile da us QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Contiene i dati di salvataggio dei giochi. NON RIMUOVERLI se non sei consapevole di ciò che stai facendo! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. Contiene le cache delle pipeline Vulkan e OpenGL. È generalmente sicuro rimuoverle. - + Contains updates and DLC for games. Contiene gli aggiornamenti e i DLC dei giochi. - + Contains firmware and applet data. Contiene il firmware e i dati degli applet. - + Contains game mods, patches, and cheats. Contiene le mod, le patch e i trucchi dei giochi. - + Decryption Keys were successfully installed Le chiavi di crittografia sono state installate con successo - + Unable to read key directory, aborting - + One or more keys failed to copy. Non è stato possibile copiare una o più chiavi. - + Verify your keys file has a .keys extension and try again. Verifica che il file delle chiavi abbia l'estensione .keys e riprova. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. Inizializzazione delle chiavi di crittografia non riuscita. Controlla che gli strumenti per il dump siano aggiornati ed esegui di nuovo il dump delle chiavi. - + Successfully installed firmware version %1 La versione %1 del firmware è stata installata con successo - + Unable to locate potential firmware NCA files Non è stato possibile trovare potenziali file NCA del firmware - + Failed to delete one or more firmware files. Non è stato possibile rimuovere uno o più file del firmware. - + One or more firmware files failed to copy into NAND. Non è stato possibile copiare in NAND uno o più file del firmware. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Installazione del firmware annullata, il firmware potrebbe essere corrotto o in cattivo stato. Riavvia Eden o reinstalla il firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - Firmware mancante. Il firmware è necessario per poter eseguire certi giochi e usare il menù Home. Si consiglia di usare la versione 19.0.1 o una precedente, dal momento che il supporto alla versione 20.0.0 e successive è attualmente sperimentale. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + @@ -9568,56 +10071,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. Il database dei titoli di Ryujinx non esiste. - + Invalid header on Ryujinx title database. Header non valido nel database dei titoli di Ryujinx. - + Invalid magic header on Ryujinx title database. "Magic header" non valido nel database dei titoli di Ryujinx. - + Invalid byte alignment on Ryujinx title database. Allineamento byte non valido nel database dei titoli di Ryujinx. - + No items found in Ryujinx title database. Non sono stati trovati elementi nel database dei titoli di Ryujinx. - + Title %1 not found in Ryujinx title database. Il titolo %1 non è stato trovato nel database dei titoli di Ryujinx. @@ -9658,7 +10161,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9671,7 +10174,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Due Joycon @@ -9684,7 +10187,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon sinistro @@ -9697,7 +10200,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon destro @@ -9726,7 +10229,7 @@ This is recommended if you want to share data between emulators. - + Handheld Portatile @@ -9847,32 +10350,32 @@ This is recommended if you want to share data between emulators. Non ci sono abbastanza controller collegati. - + GameCube Controller Controller GameCube - + Poke Ball Plus Poké Ball Plus - + NES Controller Controller NES - + SNES Controller Controller SNES - + N64 Controller Controller N64 - + Sega Genesis Sega Genesis @@ -10027,13 +10530,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Annulla @@ -10070,12 +10573,12 @@ Selezionando "Da Eden", i dati di salvataggio pre-esistenti in Ryujinx Annulla - + Failed to link save data Impossibile collegare i dati di salvataggio - + OS returned error: %1 Il sistema ha restituito un errore: %1 @@ -10111,7 +10614,7 @@ Selezionando "Da Eden", i dati di salvataggio pre-esistenti in Ryujinx Secondi: - + Total play time reached maximum. Il tempo di gioco totale ha raggiunto il limite massimo. diff --git a/dist/languages/ja_JP.ts b/dist/languages/ja_JP.ts index 533fda564b..24085cf94b 100644 --- a/dist/languages/ja_JP.ts +++ b/dist/languages/ja_JP.ts @@ -4,12 +4,12 @@ About Eden - + Edenについて <html><head/><body><p><span style=" font-size:28pt;">Eden</span></p></body></html> - + <html><head/><body><p><span style=" font-size:28pt;">Eden</span></p></body></html> @@ -368,149 +368,174 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Controller configuration - + Data erase - + Error エラー - + Net connect - + Player select - + Software keyboard ソフトウェアキーボード - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: 出力エンジン: - + Output Device: 出力デバイス: - + Input Device: 入力デバイス: - + Mute audio - + Volume: 音量: - + Mute audio when in background 非アクティブ時にサウンドをミュート - + Multicore CPU Emulation マルチコアCPUエミュレーション - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout メモリレイアウト - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent エミュレーション速度の制限 - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: エミュレーション精度: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: バックエンド: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) FMAの融合を解除 (FMAに対応していないCPUのパフォーマンスを向上させる) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. このオプションは, ネイティブのFMAサポートがないCPU上で, 融合積和(fused-multiply-add)命令の精度を下げて高速化します. - + Faster FRSQRTE and FRECPE Faster FRSQRTE and FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. このオプションは、より精度の低い近似値を使用することで、近似浮動小数点関数の速度を向上させます。 - + Faster ASIMD instructions (32 bits only) 高速なASIMD命令 (32bitのみ) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. このオプションは、不正確な丸めモードで実行することにより、32ビットASIMD浮動小数点関数の速度を向上させます。 - + Inaccurate NaN handling 不正確な非数値の取り扱い - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks アドレス空間チェックの無効化 - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: 使用デバイス: - + This setting selects the GPU to use (Vulkan only). - + Resolution: 解像度: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: ウィンドウ適応フィルター: - + FSR Sharpness: FSR シャープネス: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: アンチエイリアス方式: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: フルスクリーンモード: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: アスペクト比: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC エミュレーション: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: ASTC デコード方式: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,1363 +804,1460 @@ stuttering but may present artifacts. - + ASTC Recompression Method: ASTC 再圧縮方式: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: 垂直同期: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. Immediate (no synchronization) presents whatever is available and can exhibit tearing. - + FIFO (VSync) はフレーム落ちやティアリングがありませんがスクリーンのリフレッシュレートに制限されます. +FIFO Relaxed は FIFO に似ていますが, 速度低下からの回復時にティアリングを許容します. +Mailbox は FIFO よりも遅延が小さくティアリングがありませんがフレーム落ちの可能性があります. +Immediate (no synchronization) は表示可能なものをすべて表示し, ティアリング発生の可能性があります. - + Sync Memory Operations - + メモリ操作の同期 - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) 非同期プレゼンテーション (Vulkan のみ) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) 最大クロック強制 (Vulkan のみ) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. GPUのクロックスピードを下げないように、グラフィックコマンドを待っている間、バックグラウンドで作業を実行させます。 - + Anisotropic Filtering: 異方性フィルタリング: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + GPUモード: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + DMA精度: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Vulkan パイプラインキャッシュを使用 - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) コンピュート・パイプラインの有効化(インテル Vulkan のみ) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback ビデオ再生のフレームレートに同期する - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. 特定のゲームにおける透明エフェクトのレンダリングを改善します。 - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed 乱数シード値の変更 - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name デバイス名 - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: 言語: - + This option can be overridden when region setting is auto-select - + Region: 地域: - + The region of the console. - + Time Zone: タイムゾーン: - + The time zone of the console. - + Sound Output Mode: 音声出力モード: - + Console Mode: - + コンソールモード: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation エミュレーションを停止する前に確認する - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity 非アクティブ時にマウスカーソルを隠す - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet コントローラーアプレットの無効化 - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU 非同期 - + Uncompressed (Best quality) 圧縮しない (最高品質) - + BC1 (Low quality) BC1 (低品質) - + BC3 (Medium quality) BC3 (中品質) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - 正確 - - - - - Default - デフォルト - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto 自動 - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (アセンブリシェーダー、NVIDIA のみ) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V(実験的、AMD/Mesaのみ) + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + 正確 + + + + + Default + デフォルト + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe 不安定 - + Paranoid (disables most optimizations) パラノイド (ほとんどの最適化を無効化) - + Debugging - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed ボーダーレスウィンドウ - + Exclusive Fullscreen 排他的フルスクリーン - + No Video Output ビデオ出力しない - + CPU Video Decoding ビデオをCPUでデコード - + GPU Video Decoding (Default) ビデオをGPUでデコード (デフォルト) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [実験的] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [実験的] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [実験的] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian Gaussian - + Lanczos - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + AMD FidelityFX Super Resolution - + Area - + MMPX - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None なし - + FXAA FXAA - + SMAA SMAA - + Default (16:9) デフォルト (16:9) - + Force 4:3 強制 4:3 - + Force 21:9 強制 21:9 - + Force 16:10 強制 16:10 - + Stretch to Window ウィンドウに合わせる - + Automatic 自動 - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 32x - + 64x - + 64x - + Japanese (日本語) 日本語 - + American English アメリカ英語 - + French (français) フランス語 (français) - + German (Deutsch) ドイツ語 (Deutsch) - + Italian (italiano) イタリア語 (italiano) - + Spanish (español) スペイン語 (español) - + Chinese 中国語 - + Korean (한국어) 韓国語 (한국어) - + Dutch (Nederlands) オランダ語 (Nederlands) - + Portuguese (português) ポルトガル語 (português) - + Russian (Русский) ロシア語 (Русский) - + Taiwanese 台湾語 - + British English イギリス英語 - + Canadian French カナダフランス語 - + Latin American Spanish ラテンアメリカスペイン語 - + Simplified Chinese 簡体字中国語 - + Traditional Chinese (正體中文) 繁体字中国語 (正體中文) - + Brazilian Portuguese (português do Brasil) ブラジルポルトガル語 (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan 日本 - + USA アメリカ - + Europe ヨーロッパ - + Australia オーストラリア - + China 中国 - + Korea 韓国 - + Taiwan 台湾 - + Auto (%1) Auto select time zone 自動 (%1) - + Default (%1) Default time zone 既定 (%1) - + CET 中央ヨーロッパ時間 - + CST6CDT CST6CDT - + Cuba キューバ - + EET 東ヨーロッパ標準時 - + Egypt エジプト - + Eire アイルランド - + EST アメリカ東部標準時 - + EST5EDT EST5EDT - + GB GB - + GB-Eire イギリス-アイルランド - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich グリニッジ - + Hongkong 香港 - + HST ハワイ標準時 - + Iceland アイスランド - + Iran イラン - + Israel イスラエル - + Jamaica ジャマイカ - + Kwajalein クェゼリン - + Libya リビア - + MET 中東時間 - + MST MST - + MST7MDT MST7MDT - + Navajo ナバホ - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland ポーランド - + Portugal ポルトガル - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore シンガポール - + Turkey トルコ - + UCT UCT - + Universal ユニバーサル - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu ズールー - + Mono モノラル - + Stereo ステレオ - + Surround サラウンド - + 4GB DRAM (Default) 4GB DRAM (デフォルト) - + 6GB DRAM (Unsafe) 6GB DRAM (不安定) - + 8GB DRAM - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Docked - + Handheld 携帯モード - - + + Off - + Boost (1700MHz) - + Boost (1700MHz) - + Fast (2000MHz) - + Fast (2000MHz) - + Always ask (Default) 常に確認する (デフォルト) - + Only if game specifies not to stop ゲームが停止しないように指定しているときのみ - + Never ask 確認しない - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + 無効 - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2207,7 +2329,7 @@ When a program attempts to open the controller applet, it is immediately closed. デフォルトに戻す - + Auto 自動 @@ -2658,81 +2780,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts デバッグアサートの有効化 - + Debugging デバッグ - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. これを有効にすると、最新のオーディオコマンドリストがコンソールに出力されます。オーディオレンダラーを使用するゲームにのみ影響します。 - + Dump Audio Commands To Console** オーディオコマンドをコンソールにダンプ** - + Flush log output on each line - + Enable FS Access Log FSアクセスログの有効化 - + Enable Verbose Reporting Services** 詳細なレポートサービスの有効化** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2793,13 +2920,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio サウンド - + CPU CPU @@ -2815,13 +2942,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General 全般 - + Graphics グラフィック @@ -2842,7 +2969,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls 操作 @@ -2858,7 +2985,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System システム @@ -2976,58 +3103,58 @@ When a program attempts to open the controller applet, it is immediately closed. メタデータのキャッシュをクリア - + Select Emulated NAND Directory... NANDディレクトリを選択... - + Select Emulated SD Directory... SDカードディレクトリを選択... - - + + Select Save Data Directory... - + Select Gamecard Path... ゲームカードのパスを選択... - + Select Dump Directory... ダンプディレクトリを選択... - + Select Mod Load Directory... Mod読込元ディレクトリを選択... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3038,7 +3165,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3046,28 +3173,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + キャンセル - + Migration Failed - + Failed to create destination directory. @@ -3078,12 +3205,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3104,19 +3231,54 @@ Would you like to delete the old save data? 全般 - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings すべての設定をリセット - + Eden + Eden + + + + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? + すべての設定がリセットされ、ゲームごとの設定もすべて削除されます。ゲームディレクトリ、プロファイル、入力プロファイルは削除されません。続行しますか? + + + + Select External Content Directory... - - This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? - すべての設定がリセットされ、ゲームごとの設定もすべて削除されます。ゲームディレクトリ、プロファイル、入力プロファイルは削除されません。続行しますか? + + Directory Already Added + + + + + This directory is already in the list. + @@ -3147,33 +3309,33 @@ Would you like to delete the old save data? 背景色: - + % FSR sharpening percentage (e.g. 50%) % - + Off オフ - + VSync Off VSync オフ - + Recommended 推奨 - + On オン - + VSync On VSync オン @@ -3221,16 +3383,16 @@ Would you like to delete the old save data? Vulkan Extensions - + GPU拡張機能 - + % Sample Shading percentage (e.g. 50%) - + % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3802,7 +3964,7 @@ Would you like to delete the old save data? - + Left Stick Lスティック @@ -3912,14 +4074,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3932,22 +4094,22 @@ Would you like to delete the old save data? - + Plus + - + ZR ZR - - + + R R @@ -4004,7 +4166,7 @@ Would you like to delete the old save data? - + Right Stick Rスティック @@ -4173,88 +4335,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< メガドライブ - + Start / Pause スタート/ ポーズ - + Z Z - + Control Stick - + C-Stick Cスティック - + Shake! 振ってください - + [waiting] [待機中] - + New Profile 新規プロファイル - + Enter a profile name: プロファイル名を入力: - - + + Create Input Profile 入力プロファイルを作成 - + The given profile name is not valid! プロファイル名が無効です! - + Failed to create the input profile "%1" 入力プロファイル "%1" の作成に失敗しました - + Delete Input Profile 入力プロファイルを削除 - + Failed to delete the input profile "%1" 入力プロファイル "%1" の削除に失敗しました - + Load Input Profile 入力プロファイルをロード - + Failed to load the input profile "%1" 入力プロファイル "%1" のロードに失敗しました - + Save Input Profile 入力プロファイルをセーブ - + Failed to save the input profile "%1" 入力プロファイル "%1" のセーブに失敗しました @@ -4360,7 +4522,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Eden - + Eden @@ -4548,11 +4710,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - なし - ConfigurePerGame @@ -4607,52 +4764,57 @@ Current values are %1% and %2% respectively. いくつかの設定はゲームが実行中でないときのみ設定できます - + Add-Ons アドオン - + System システム - + CPU CPU - + Graphics グラフィック - + Adv. Graphics 高度なグラフィック - + Ext. Graphics - + Audio サウンド - + Input Profiles 入力プロファイル - + Network - + ネットワーク + Applets + + + + Properties プロパティ @@ -4670,15 +4832,110 @@ Current values are %1% and %2% respectively. アドオン - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name 名称 - + Version バージョン + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4726,62 +4983,62 @@ Current values are %1% and %2% respectively. %2 - + Users ユーザ - + Error deleting image 画像削除エラー - + Error occurred attempting to overwrite previous image at: %1. 既存画像の上書き時にエラーが発生しました: %1 - + Error deleting file ファイル削除エラー - + Unable to delete existing file: %1. ファイルを削除できませんでした: %1 - + Error creating user image directory ユーザー画像ディレクトリ作成失敗 - + Unable to create directory %1 for storing user images. ユーザー画像保存ディレクトリ”%1”を作成できませんでした。 - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4789,17 +5046,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. このユーザを削除しますか? このユーザのすべてのセーブデータが削除されます. - + Confirm Delete ユーザの削除 - + Name: %1 UUID: %2 名称: %1 @@ -5001,17 +5258,22 @@ UUID: %2 ロード中は実行を一時停止 - + + Show recording dialog + + + + Script Directory スクリプトディレクトリ - + Path パス - + ... ... @@ -5024,7 +5286,7 @@ UUID: %2 TAS 設定 - + Select TAS Load Directory... TAS ロードディレクトリを選択... @@ -5162,64 +5424,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None なし - - Small (32x32) - 小 (32x32) - - - - Standard (64x64) - 標準 (64x64) - - - - Large (128x128) - 大 (128x128) - - - - Full Size (256x256) - フルサイズ (256x256) - - - + Small (24x24) 小 (24x24) - + Standard (48x48) 標準 (48x48) - + Large (72x72) 大 (72x72) - + Filename ファイル名 - + Filetype ファイル種別 - + Title ID タイトルID - + Title Name タイトル名 @@ -5288,71 +5529,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - ゲームアイコンサイズ: - - - Folder Icon Size: フォルダアイコンサイズ: - + Row 1 Text: 1行目の表示内容: - + Row 2 Text: 2行目の表示内容: - + Screenshots スクリーンショット - + Ask Where To Save Screenshots (Windows Only) スクリーンショット時に保存先を確認する(Windowsのみ) - + Screenshots Path: スクリーンショットの保存先: - + ... ... - + TextLabel - + Resolution: 解像度: - + Select Screenshots Path... スクリーンショットの保存先を選択... - + <System> <System> - + English English - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5486,20 +5722,20 @@ Drag points to change position, or double-click table cells to edit values.Discordのステータスに実行中のゲームを表示 - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5531,27 +5767,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5589,7 +5825,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5612,14 +5848,14 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version - + バージョン @@ -5683,27 +5919,27 @@ Drag points to change position, or double-click table cells to edit values. Username is not valid. Must be 4 to 20 alphanumeric characters. - + ユーザー名が無効です。4~20文字の英数字で入力してください。 Room name is not valid. Must be 4 to 20 alphanumeric characters. - + ルーム名が無効です。4~20文字の英数字で入力してください。 Username is already in use or not valid. Please choose another. - + ユーザー名がすでに使用されているか、無効です。別のユーザー名を選択してください。 IP is not a valid IPv4 address. - + 有効なIPv4アドレスではありません。 Port must be a number between 0 to 65535. - + 0〜65535の間を入力してください @@ -5763,12 +5999,12 @@ Drag points to change position, or double-click table cells to edit values. IP address is already in use. Please choose another. - + IPアドレスはすでに使用されています。別のものを選択してください。 You do not have enough permission to perform this action. - + この操作を実行するための十分な権限がありません。 @@ -5785,50 +6021,50 @@ Please go to Configure -> System -> Network and make a selection. Error - + エラー GRenderWindow - - + + OpenGL not available! OpenGLは使用できません! - + OpenGL shared contexts are not supported. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! OpenGL初期化エラー - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. GPUがOpenGLをサポートしていないか、グラフィックスドライバーが最新ではありません。 - + Error while initializing OpenGL 4.6! OpenGL4.6初期化エラー! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 GPUがOpenGL4.6をサポートしていないか、グラフィックスドライバーが最新ではありません。<br><br>GL レンダラ:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 GPUが1つ以上の必要なOpenGL拡張機能をサポートしていない可能性があります。最新のグラフィックドライバを使用していることを確認してください。<br><br>GL レンダラ:<br>%1<br><br>サポートされていない拡張機能:<br>%2 @@ -5836,203 +6072,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite お気に入り - + Start Game ゲームを開始 - + Start Game without Custom Configuration カスタム設定なしでゲームを開始 - + Open Save Data Location セーブデータディレクトリを開く - + Open Mod Data Location Modデータディレクトリを開く - + Open Transferable Pipeline Cache パイプラインキャッシュを開く - + Link to Ryujinx - + Remove 削除 - + Remove Installed Update インストールされているアップデートを削除 - + Remove All Installed DLC 全てのインストールされているDLCを削除 - + Remove Custom Configuration カスタム設定を削除 - + Remove Cache Storage キャッシュストレージを削除 - + Remove OpenGL Pipeline Cache OpenGLパイプラインキャッシュを削除 - + Remove Vulkan Pipeline Cache Vulkanパイプラインキャッシュを削除 - + Remove All Pipeline Caches すべてのパイプラインキャッシュを削除 - + Remove All Installed Contents 全てのインストールされているコンテンツを削除 - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data プレイ時間情報を削除 - - + + Dump RomFS RomFSをダンプ - + Dump RomFS to SDMC RomFSをSDMCにダンプ - + Verify Integrity 整合性を確認 - + Copy Title ID to Clipboard タイトルIDをクリップボードへコピー - + Navigate to GameDB entry GameDBエントリを表示 - + Create Shortcut ショートカットを作成 - + Add to Desktop デスクトップに追加 - + Add to Applications Menu アプリケーションメニューに追加 - + Configure Game - + Scan Subfolders サブフォルダをスキャンする - + Remove Game Directory ゲームディレクトリを削除する - + ▲ Move Up ▲ 上へ移動 - + ▼ Move Down ▼ 下へ移動 - + Open Directory Location ディレクトリの場所を開く - + Clear クリア - + Name ゲーム名 - + Compatibility 互換性 - + Add-ons アドオン - + File type ファイル種別 - + Size ファイルサイズ - + Play time プレイ時間 @@ -6040,62 +6281,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame - + Game starts, but crashes or major glitches prevent it from being completed. ゲームは始まるが、クラッシュや大きな不具合でクリアできない。 - + Perfect カンペキ - + Game can be played without issues. ゲームは問題なくプレイできる。 - + Playable プレイ可 - + Game functions with minor graphical or audio glitches and is playable from start to finish. ゲームは、グラフィックやオーディオに小さな不具合はあるが、最初から最後までプレイできる。 - + Intro/Menu イントロ - + Game loads, but is unable to progress past the Start Screen. ゲームはロードされるが、スタート画面から先に進めない。 - + Won't Boot 起動不可 - + The game crashes when attempting to startup. ゲームは起動時にクラッシュしました。 - + Not Tested 未テスト - + The game has not yet been tested. このゲームはまだテストされていません。 @@ -6103,7 +6344,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list 新しいゲームリストフォルダを追加するにはダブルクリックしてください。 @@ -6111,17 +6352,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: フィルター: - + Enter pattern to filter フィルターパターンを入力 @@ -6197,12 +6438,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error エラー - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6211,19 +6452,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute 音声ミュート/解除 - - - - - - - - @@ -6246,154 +6479,180 @@ Debug Message: + + + + + + + + + + + Main Window メイン画面 - + Audio Volume Down 音量を下げる - + Audio Volume Up 音量を上げる - + Capture Screenshot スクリーンショットを撮る - + Change Adapting Filter 適応フィルターの変更 - + Change Docked Mode ドックモードを変更 - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation エミュレーションの一時停止/再開 - + Exit Fullscreen フルスクリーンをやめる - + Exit Eden - + Fullscreen フルスクリーン - + Load File ファイルのロード - + Load/Remove Amiibo 読み込み/解除 Amiibo - - - Multiplayer Browse Public Game Lobby - - - - - Multiplayer Create Room - - - - - Multiplayer Direct Connect to Room - - - - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - - Restart Emulation - エミュレーションをリスタート - - - - Stop Emulation - エミュレーションをやめる - - - - TAS Record - TAS 記録 - - TAS Reset - TAS リセット + Browse Public Game Lobby + - TAS Start/Stop - TAS 開始/停止 + Create Room + - Toggle Filter Bar - フィルターバー切り替え + Direct Connect to Room + - Toggle Framerate Limit - フレームレート制限切り替え + Leave Room + - Toggle Mouse Panning + Show Current Room + Restart Emulation + エミュレーションをリスタート + + + + Stop Emulation + エミュレーションをやめる + + + + TAS Record + TAS 記録 + + + + TAS Reset + TAS リセット + + + + TAS Start/Stop + TAS 開始/停止 + + + + Toggle Filter Bar + フィルターバー切り替え + + + + Toggle Framerate Limit + フレームレート制限切り替え + + + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + + Toggle Mouse Panning + + + + Toggle Renderdoc Capture - + Toggle Status Bar ステータスバー切り替え + + + Toggle Performance Overlay + + InstallDialog @@ -6446,22 +6705,22 @@ Debug Message: 予想時間 5分4秒 - + Loading... ロード中... - + Loading Shaders %1 / %2 シェーダーをロード中 %1 / %2 - + Launching... 起動中... - + Estimated Time %1 予想時間 %1 @@ -6510,42 +6769,42 @@ Debug Message: ロビー更新 - + Password Required to Join 参加にはパスワードが必要です。 - + Password: パスワード: - + Players プレイヤー - + Room Name ルーム名 - + Preferred Game 優先ゲーム - + Host ホスト - + Refreshing 更新中 - + Refresh List リスト更新 @@ -6594,1091 +6853,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p &720P - + Reset Window Size to 720p ウィンドウサイズを720Pにリセット - + Reset Window Size to &900p &900P - + Reset Window Size to 900p ウィンドウサイズを900Pにリセット - + Reset Window Size to &1080p &1080P - + Reset Window Size to 1080p ウィンドウサイズを1080Pにリセット - + &Multiplayer マルチプレイヤー (&M) - + &Tools ツール(&T) - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help ヘルプ(&H) - + &Install Files to NAND... ファイルをNANDにインストール...(&I) - + L&oad File... ファイルをロード...(&L) - + Load &Folder... フォルダをロード...(&F) - + E&xit 終了(&E) - - + + &Pause 中断(&P) - + &Stop 停止(&S) - + &Verify Installed Contents インストールされたコンテンツを確認(&V) - + &About Eden - + Single &Window Mode シングルウィンドウモード(&W) - + Con&figure... 設定...(&F) - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar フィルターバーを表示 (&F) - + Show &Status Bar ステータスバー(&S) - + Show Status Bar ステータスバーの表示 - + &Browse Public Game Lobby 公開ゲームロビーを参照 (&B) - + &Create Room ルームを作成 (&C) - + &Leave Room ルームを退出 (&L) - + &Direct Connect to Room ルームに直接接続 (&D) - + &Show Current Room 現在のルームを表示 (&S) - + F&ullscreen 全画面表示(&F) - + &Restart 再実行(&R) - + Load/Remove &Amiibo... &Amiibo をロード/削除... - + &Report Compatibility 互換性を報告(&R) - + Open &Mods Page &Modページを開く - + Open &Quickstart Guide クイックスタートガイドを開く(&Q) - + &FAQ &FAQ - + &Capture Screenshot スクリーンショットをキャプチャ(&C) - + &Album - + &Set Nickname and Owner オーナーとニックネームを設定 (&S) - + &Delete Game Data ゲームデータの消去 (&D) - + &Restore Amiibo Amiibo を復旧 (&R) - + &Format Amiibo Amiibo を初期化(&F) - + &Mii Editor - + &Configure TAS... TASを設定... (&C) - + Configure C&urrent Game... 現在のゲームを設定...(&U) - - + + &Start 実行(&S) - + &Reset リセット(&R) - - + + R&ecord 記録(&R) - + Open &Controller Menu コントローラーメニューを開く (&C) - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7686,69 +8007,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7775,27 +8106,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7850,22 +8181,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7873,13 +8204,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7890,7 +8221,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7898,11 +8229,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8071,86 +8415,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8189,6 +8533,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8223,39 +8641,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - インストール済みSDタイトル - - - - Installed NAND Titles - インストール済みNANDタイトル - - - - System Titles - システムタイトル - - - - Add New Game Directory - 新しいゲームディレクトリを追加する - - - - Favorites - お気に入り - - - - - + + + Migration - + Clear Shader Cache @@ -8288,18 +8681,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8690,6 +9083,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1は%2をプレイ中です + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + インストール済みSDタイトル + + + + Installed NAND Titles + インストール済みNANDタイトル + + + + System Titles + システムタイトル + + + + Add New Game Directory + 新しいゲームディレクトリを追加する + + + + Favorites + お気に入り + QtAmiiboSettingsDialog @@ -8807,250 +9245,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9058,22 +9496,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9081,48 +9519,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9134,18 +9572,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9153,229 +9591,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9383,83 +9877,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9480,56 +9974,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9570,7 +10064,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Proコントローラー @@ -9583,7 +10077,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Joy-Con(L/R) @@ -9596,7 +10090,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joy-Con(L) @@ -9609,7 +10103,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joy-Con(R) @@ -9638,7 +10132,7 @@ This is recommended if you want to share data between emulators. - + Handheld 携帯モード @@ -9759,32 +10253,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller ゲームキューブコントローラー - + Poke Ball Plus モンスターボールプラス - + NES Controller ファミコン・コントローラー - + SNES Controller スーパーファミコン・コントローラー - + N64 Controller ニンテンドウ64・コントローラー - + Sega Genesis メガドライブ @@ -9939,13 +10433,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel キャンセル @@ -9977,15 +10471,15 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Cancel - + キャンセル - + Failed to link save data - + OS returned error: %1 @@ -10021,7 +10515,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/ko_KR.ts b/dist/languages/ko_KR.ts index 3929b273b9..e2b34d8f4f 100644 --- a/dist/languages/ko_KR.ts +++ b/dist/languages/ko_KR.ts @@ -368,149 +368,174 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Controller configuration - + Data erase - + Error 오류 - + Net connect - + Player select - + Software keyboard 소프트웨어 키보드 - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: 출력 엔진: - + Output Device: 출력 장치: - + Input Device: 입력 장치: - + Mute audio - + Volume: 볼륨: - + Mute audio when in background 백그라운드에서 오디오 음소거 - + Multicore CPU Emulation 멀티 코어 CPU 에뮬레이션 - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent 속도 퍼센트 제한 - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: 정확도: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) FMA 분리 (FMA를 지원하지 않는 CPU에서의 성능을 향상시킵니다) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE 더 빠른 FRSQRTE와 FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) 더 빠른 ASIMD 명령어(32비트 전용) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling 부정확한 NaN 처리 - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks 주소 공간 검사 비활성화 - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor 글로벌 모니터 무시 - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: 장치: - + This setting selects the GPU to use (Vulkan only). - + Resolution: 해상도: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: 윈도우 적응형 필터: - + FSR Sharpness: FSR 선명도: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: 안티에일리어싱 방식: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: 전체 화면 모드: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: 화면비: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC 에뮬레이션: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: VSync 모드: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1317 +860,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) 비동기 프레젠테이션 활성화(Vulkan만 해당) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) 강제 최대 클록 (Vulkan 전용) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. 실행은 GPU가 클럭 속도를 낮추지 않도록 그래픽 명령을 기다리는 동안 백그라운드에서 작동합니다. - + Anisotropic Filtering: 비등방성 필터링: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Vulkan 파이프라인 캐시 사용 - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing 반응형 플러싱 활성화 - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback 동영상 재생 프레임 속도에 동기화 - + Run the game at normal speed during video playback, even when the framerate is unlocked. 프레임 속도가 잠금 해제된 상태에서도 동영상 재생 중에 일반 속도로 게임을 실행합니다. - + Barrier feedback loops 차단 피드백 루프 - + Improves rendering of transparency effects in specific games. 특정 게임에서 투명도 효과의 렌더링을 개선합니다. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG 시드 - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name 장치 이름 - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: 국가: - + The region of the console. - + Time Zone: 시계: - + The time zone of the console. - + Sound Output Mode: 소리 출력 모드: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity 비활성 상태일 때 마우스 숨기기 - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet 컨트롤러 애플릿 비활성화 - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU GPU - + CPU Asynchronous - + Uncompressed (Best quality) 비압축(최고 품질) - + BC1 (Low quality) BC1(저품질) - + BC3 (Medium quality) BC3(중간 품질) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulcan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - 정확함 - - - - - Default - 기본값 - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto 자동 - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulcan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + 정확함 + + + + + Default + 기본값 + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe 최적화 (안전하지 않음) - + Paranoid (disables most optimizations) 편집증(대부분의 최적화 비활성화) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed 경계 없는 창 모드 - + Exclusive Fullscreen 독점 전체화면 모드 - + No Video Output 비디오 출력 없음 - + CPU Video Decoding CPU 비디오 디코딩 - + GPU Video Decoding (Default) GPU 비디오 디코딩(기본값) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [실험적] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [실험적] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor 최근접 보간 - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian 가우시안 - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None 없음 - + FXAA FXAA - + SMAA SMAA - + Default (16:9) 기본 (16:9) - + Force 4:3 강제 4:3 - + Force 21:9 강제 21:9 - + Force 16:10 강제 16:10 - + Stretch to Window 창에 맞게 늘림 - + Automatic 자동 - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) 일본어 (日本語) - + American English 미국 영어 - + French (français) 프랑스어(français) - + German (Deutsch) 독일어(Deutsch) - + Italian (italiano) 이탈리아어(italiano) - + Spanish (español) 스페인어(español) - + Chinese 중국어 - + Korean (한국어) 한국어 (Korean) - + Dutch (Nederlands) 네덜란드어 (Nederlands) - + Portuguese (português) 포르투갈어(português) - + Russian (Русский) 러시아어 (Русский) - + Taiwanese 대만어 - + British English 영어 (British English) - + Canadian French 캐나다 프랑스어 - + Latin American Spanish 라틴 아메리카 스페인어 - + Simplified Chinese 간체 - + Traditional Chinese (正體中文) 중국어 번체 (正體中文) - + Brazilian Portuguese (português do Brasil) 브라질 포르투갈어(português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan 일본 - + USA 미국 - + Europe 유럽 - + Australia 호주 - + China 중국 - + Korea 대한민국 - + Taiwan 대만 - + Auto (%1) Auto select time zone 자동 (%1) - + Default (%1) Default time zone 기본 (%1) - + CET 중앙유럽 표준시(CET) - + CST6CDT CST6CDT - + Cuba 쿠바 - + EET 동유럽 표준시(EET) - + Egypt 이집트 - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB 영국 하계 표준시(GB) - + GB-Eire GB-Eire - + GMT 그리니치 표준시(GMT) - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich 그리니치 - + Hongkong 홍콩 - + HST 하와이-알류샨 표준시(HST) - + Iceland 아이슬란드 - + Iran 이란 - + Israel 이스라엘 - + Jamaica 자메이카 - + Kwajalein 크와잘린 - + Libya 리비아 - + MET 중앙유럽 표준시(MET) - + MST 산악 표준시(MST) - + MST7MDT MST7MDT - + Navajo 나바호 - + NZ 뉴질랜드 표준시(NZ) - + NZ-CHAT 채텀 표준시(NZ-CHAT) - + Poland 폴란드 - + Portugal 포르투갈 - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK 북한 표준시(ROK) - + Singapore 싱가포르 - + Turkey 터키 - + UCT UCT - + Universal Universal - + UTC 협정 세계시(UTC) - + W-SU 유럽/모스크바(W-SU) - + WET 서유럽 - + Zulu 줄루 - + Mono 모노 - + Stereo 스테레오 - + Surround 서라운드 - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked 거치 모드 - + Handheld 휴대 모드 - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2207,7 +2326,7 @@ When a program attempts to open the controller applet, it is immediately closed. 기본값으로 초기화 - + Auto 자동 @@ -2659,81 +2778,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts 디버그 에러 검출 활성화 - + Debugging 디버깅 - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. 이 옵션을 활성화하면 가장 최근에 생성된 오디오 명령어 목록을 콘솔에 출력할 수 있습니다. 오디오 렌더러를 사용하는 게임에만 영향을 줍니다. - + Dump Audio Commands To Console** 콘솔에 오디오 명령어 덤프 - + Flush log output on each line - + Enable FS Access Log FS 액세스 로그 활성화 - + Enable Verbose Reporting Services** 자세한 리포팅 서비스 활성화** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2794,13 +2918,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio 오디오 - + CPU CPU @@ -2816,13 +2940,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General 일반 - + Graphics 그래픽 @@ -2843,7 +2967,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls 조작 @@ -2859,7 +2983,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System 시스템 @@ -2977,58 +3101,58 @@ When a program attempts to open the controller applet, it is immediately closed. 메타 데이터 캐시 초기화 - + Select Emulated NAND Directory... 가상 NAND 경로 선택 - + Select Emulated SD Directory... 가상 SD 경로 선택 - - + + Select Save Data Directory... - + Select Gamecard Path... 게임카드 경로 설정 - + Select Dump Directory... 덤프 경로 설정 - + Select Mod Load Directory... 모드 불러오기 경로 설정 - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3039,7 +3163,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3047,28 +3171,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3079,12 +3203,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3105,20 +3229,55 @@ Would you like to delete the old save data? 일반 - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings 모든 설정 초기화 - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? 모든 환경 설정과 게임별 맞춤 설정이 초기화됩니다. 게임 디렉토리나 프로필, 또는 입력 프로필은 삭제되지 않습니다. 진행하시겠습니까? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3148,33 +3307,33 @@ Would you like to delete the old save data? 배경색: - + % FSR sharpening percentage (e.g. 50%) % - + Off - + VSync Off 수직동기화 끔 - + Recommended 추천 - + On - + VSync On 수직동기화 켬 @@ -3225,13 +3384,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3803,7 +3962,7 @@ Would you like to delete the old save data? - + Left Stick L 스틱 @@ -3913,14 +4072,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3933,22 +4092,22 @@ Would you like to delete the old save data? - + Plus + - + ZR ZR - - + + R R @@ -4005,7 +4164,7 @@ Would you like to delete the old save data? - + Right Stick R 스틱 @@ -4174,88 +4333,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< 세가 제네시스 - + Start / Pause 시작 / 일시중지 - + Z Z - + Control Stick 컨트롤 스틱 - + C-Stick C-Stick - + Shake! 흔드세요! - + [waiting] [대기중] - + New Profile 새 프로필 - + Enter a profile name: 프로필 이름을 입력하세요: - - + + Create Input Profile 입력 프로필 생성 - + The given profile name is not valid! 해당 프로필 이름은 사용할 수 없습니다! - + Failed to create the input profile "%1" "%1" 입력 프로필 생성 실패 - + Delete Input Profile 입력 프로필 삭제 - + Failed to delete the input profile "%1" "%1" 입력 프로필 삭제 실패 - + Load Input Profile 입력 프로필 불러오기 - + Failed to load the input profile "%1" "%1" 입력 프로필 불러오기 실패 - + Save Input Profile 입력 프로필 저장 - + Failed to save the input profile "%1" "%1" 입력 프로필 저장 실패 @@ -4549,11 +4708,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - 없음 - ConfigurePerGame @@ -4608,52 +4762,57 @@ Current values are %1% and %2% respectively. 일부 설정은 게임이 실행 중이 아닐 때만 사용할 수 있습니다. - + Add-Ons 부가 기능 - + System 시스템 - + CPU CPU - + Graphics 그래픽 - + Adv. Graphics 고급 그래픽 - + Ext. Graphics - + Audio 오디오 - + Input Profiles 입력 프로파일 - + Network + Applets + + + + Properties 속성 @@ -4671,15 +4830,110 @@ Current values are %1% and %2% respectively. 애드온 - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name 패치 이름 - + Version 버전 + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4727,62 +4981,62 @@ Current values are %1% and %2% respectively. %2 - + Users 유저 - + Error deleting image 이미지 삭제 오류 - + Error occurred attempting to overwrite previous image at: %1. %1에서 이전 이미지를 덮어쓰는 중 오류가 발생했습니다. - + Error deleting file 파일 삭제 오류 - + Unable to delete existing file: %1. 기존 파일을 삭제할 수 없음: %1. - + Error creating user image directory 사용자 이미지 디렉토리 생성 오류 - + Unable to create directory %1 for storing user images. 사용자 이미지를 저장하기 위한 %1 디렉토리를 만들 수 없습니다. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4790,17 +5044,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. 이 사용자를 삭제하시겠습니까? 사용자의 저장 데이터가 모두 삭제됩니다. - + Confirm Delete 삭제 확인 - + Name: %1 UUID: %2 이름: %1 @@ -5002,17 +5256,22 @@ UUID: %2 로드 중 실행 일시중지 - + + Show recording dialog + + + + Script Directory 스크립트 주소 - + Path 주소 - + ... ... @@ -5025,7 +5284,7 @@ UUID: %2 TAS 설정 - + Select TAS Load Directory... TAS 로드 디렉토리 선택... @@ -5163,64 +5422,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None 없음 - - Small (32x32) - 작은 크기 (32x32) - - - - Standard (64x64) - 기본 크기 (64x64) - - - - Large (128x128) - 큰 크기 (128x128) - - - - Full Size (256x256) - 전체 크기(256x256) - - - + Small (24x24) 작은 크기 (24x24) - + Standard (48x48) 기본 크기 (48x48) - + Large (72x72) 큰 크기 (72x72) - + Filename 파일명 - + Filetype 파일타입 - + Title ID 타이틀 ID - + Title Name 타이틀 이름 @@ -5289,71 +5527,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - 게임 아이콘 크기: - - - Folder Icon Size: 폴더 아이콘 크기: - + Row 1 Text: 1번째 행 텍스트: - + Row 2 Text: 2번째 행 텍스트: - + Screenshots 스크린샷 - + Ask Where To Save Screenshots (Windows Only) 스크린샷 저장 위치 물어보기 (Windows 전용) - + Screenshots Path: 스크린샷 경로 : - + ... ... - + TextLabel - + Resolution: 해상도: - + Select Screenshots Path... 스크린샷 경로 선택... - + <System> <System> - + English English - + Auto (%1 x %2, %3 x %4) Screenshot width value 자동 (%1 x %2, %3 x %4) @@ -5487,20 +5720,20 @@ Drag points to change position, or double-click table cells to edit values.디스코드에 실행중인 게임을 나타낼 수 있습니다. - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5532,27 +5765,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5590,7 +5823,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5613,12 +5846,12 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version @@ -5792,44 +6025,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL을 사용할 수 없습니다! - + OpenGL shared contexts are not supported. OpenGL 공유 컨텍스트는 지원되지 않습니다. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! OpenGL을 초기화하는 동안 오류가 발생했습니다! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. 사용하시는 GPU가 OpenGL을 지원하지 않거나, 최신 그래픽 드라이버가 설치되어 있지 않습니다. - + Error while initializing OpenGL 4.6! OpenGL 4.6 초기화 중 오류 발생! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 사용하시는 GPU가 OpenGL 4.6을 지원하지 않거나 최신 그래픽 드라이버가 설치되어 있지 않습니다. <br><br>GL 렌더링 장치:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 사용하시는 GPU가 1개 이상의 OpenGL 확장 기능을 지원하지 않습니다. 최신 그래픽 드라이버가 설치되어 있는지 확인하세요. <br><br>GL 렌더링 장치:<br>%1<br><br>지원하지 않는 확장 기능:<br>%2 @@ -5837,203 +6070,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite 선호하는 게임 - + Start Game 게임 시작 - + Start Game without Custom Configuration 맞춤 설정 없이 게임 시작 - + Open Save Data Location 세이브 데이터 경로 열기 - + Open Mod Data Location MOD 데이터 경로 열기 - + Open Transferable Pipeline Cache 전송 가능한 파이프라인 캐시 열기 - + Link to Ryujinx - + Remove 제거 - + Remove Installed Update 설치된 업데이트 삭제 - + Remove All Installed DLC 설치된 모든 DLC 삭제 - + Remove Custom Configuration 사용자 지정 구성 제거 - + Remove Cache Storage 캐시 스토리지 제거 - + Remove OpenGL Pipeline Cache OpenGL 파이프라인 캐시 제거 - + Remove Vulkan Pipeline Cache Vulkan 파이프라인 캐시 제거 - + Remove All Pipeline Caches 모든 파이프라인 캐시 제거 - + Remove All Installed Contents 설치된 모든 컨텐츠 제거 - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS RomFS를 덤프 - + Dump RomFS to SDMC RomFS를 SDMC로 덤프 - + Verify Integrity - + Copy Title ID to Clipboard 클립보드에 타이틀 ID 복사 - + Navigate to GameDB entry GameDB 항목으로 이동 - + Create Shortcut 바로가기 만들기 - + Add to Desktop 데스크톱에 추가 - + Add to Applications Menu 애플리케이션 메뉴에 추가 - + Configure Game - + Scan Subfolders 하위 폴더 스캔 - + Remove Game Directory 게임 디렉토리 제거 - + ▲ Move Up ▲ 위로 이동 - + ▼ Move Down ▼ 아래로 이동 - + Open Directory Location 디렉토리 위치 열기 - + Clear 초기화 - + Name 이름 - + Compatibility 호환성 - + Add-ons 부가 기능 - + File type 파일 형식 - + Size 크기 - + Play time @@ -6041,62 +6279,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame 게임 내 - + Game starts, but crashes or major glitches prevent it from being completed. 게임이 시작되지만, 충돌이나 주요 결함으로 인해 게임이 완료되지 않습니다. - + Perfect 완벽함 - + Game can be played without issues. 문제 없이 게임 플레이가 가능합니다. - + Playable 재생 가능 - + Game functions with minor graphical or audio glitches and is playable from start to finish. 약간의 그래픽 또는 오디오 결함이 있는 게임 기능이 있으며 처음부터 끝까지 플레이할 수 있습니다. - + Intro/Menu 인트로/메뉴 - + Game loads, but is unable to progress past the Start Screen. 게임이 로드되지만 시작 화면을 지나서 진행할 수 없습니다. - + Won't Boot 실행 불가 - + The game crashes when attempting to startup. 게임 실행 시 크래시가 일어납니다. - + Not Tested 테스트되지 않음 - + The game has not yet been tested. 이 게임은 아직 테스트되지 않았습니다. @@ -6104,7 +6342,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list 더블 클릭하여 게임 목록에 새 폴더 추가 @@ -6112,17 +6350,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: 필터: - + Enter pattern to filter 검색 필터 입력 @@ -6198,12 +6436,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error 오류 - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6212,19 +6450,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute 오디오 음소거/음소거 해제 - - - - - - - - @@ -6247,154 +6477,180 @@ Debug Message: + + + + + + + + + + + Main Window 메인 윈도우 - + Audio Volume Down 오디오 볼륨 낮추기 - + Audio Volume Up 오디오 볼륨 키우기 - + Capture Screenshot 스크린샷 캡처 - + Change Adapting Filter 적응형 필터 변경 - + Change Docked Mode 독 모드 변경 - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation 재개/에뮬레이션 일시중지 - + Exit Fullscreen 전체화면 종료 - + Exit Eden - + Fullscreen 전체화면 - + Load File 파일 로드 - + Load/Remove Amiibo Amiibo 로드/제거 - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room - - Multiplayer Direct Connect to Room + + Direct Connect to Room - - Multiplayer Leave Room + + Leave Room - - Multiplayer Show Current Room + + Show Current Room - + Restart Emulation 에뮬레이션 재시작 - + Stop Emulation 에뮬레이션 중단 - + TAS Record TAS 기록 - + TAS Reset TAS 리셋 - + TAS Start/Stop TAS 시작/멈춤 - + Toggle Filter Bar 상태 표시줄 전환 - + Toggle Framerate Limit 프레임속도 제한 토글 - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning 마우스 패닝 활성화 - + Toggle Renderdoc Capture - + Toggle Status Bar 상태 표시줄 전환 + + + Toggle Performance Overlay + + InstallDialog @@ -6447,22 +6703,22 @@ Debug Message: 예상 시간 5m 4s - + Loading... 불러오는 중... - + Loading Shaders %1 / %2 셰이더 로딩 %1 / %2 - + Launching... 실행 중... - + Estimated Time %1 예상 시간 %1 @@ -6511,42 +6767,42 @@ Debug Message: 로비 새로 고침 - + Password Required to Join 입장시 비밀번호가 필요합니다 - + Password: 비밀번호: - + Players 플레이어 - + Room Name 방 이름 - + Preferred Game 선호하는 게임 - + Host 호스트 - + Refreshing 새로 고치는 중 - + Refresh List 새로 고침 목록 @@ -6595,1091 +6851,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p 창 크기를 720p로 맞추기(&7) - + Reset Window Size to 720p 창 크기를 720p로 맞추기 - + Reset Window Size to &900p 창 크기를 900p로 맞추기(&9) - + Reset Window Size to 900p 창 크기를 900p로 맞추기 - + Reset Window Size to &1080p 창 크기를 1080p로 맞추기(&1) - + Reset Window Size to 1080p 창 크기를 1080p로 맞추기 - + &Multiplayer 멀티플레이어(&M) - + &Tools 도구(&T) - + Am&iibo - + Launch &Applet - + &TAS TAS(&T) - + &Create Home Menu Shortcut - + Install &Firmware - + &Help 도움말(&H) - + &Install Files to NAND... 낸드에 파일 설치(&I) - + L&oad File... 파일 불러오기...(&L) - + Load &Folder... 폴더 불러오기...(&F) - + E&xit 종료(&X) - - + + &Pause 일시중지(&P) - + &Stop 정지(&S) - + &Verify Installed Contents - + &About Eden - + Single &Window Mode 싱글 창 모드(&W) - + Con&figure... 설정(&f) - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar 필터링 바 표시(&F) - + Show &Status Bar 상태 표시줄 보이기(&S) - + Show Status Bar 상태 표시줄 보이기 - + &Browse Public Game Lobby 공개 게임 로비 찾아보기(&B) - + &Create Room 방 만들기(&C) - + &Leave Room 방에서 나가기(&L) - + &Direct Connect to Room 방에 직접 연결(&D) - + &Show Current Room 현재 방 표시(&S) - + F&ullscreen 전체 화면(&u) - + &Restart 재시작(&R) - + Load/Remove &Amiibo... Amiibo 로드/제거(&A)... - + &Report Compatibility 호환성 보고(&R) - + Open &Mods Page 게임 모드 페이지 열기(&M) - + Open &Quickstart Guide 빠른 시작 가이드 열기(&Q) - + &FAQ FAQ(&F) - + &Capture Screenshot 스크린샷 찍기(&C) - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... TAS설정...(&C) - + Configure C&urrent Game... 실행중인 게임 맞춤 설정...(&u) - - + + &Start 시작(&S) - + &Reset 리셋(&R) - - + + R&ecord 레코드(&e) - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7687,69 +8005,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7776,27 +8104,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7851,22 +8179,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7874,13 +8202,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7891,7 +8219,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7899,11 +8227,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8072,86 +8413,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8190,6 +8531,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8224,39 +8639,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - 설치된 SD 타이틀 - - - - Installed NAND Titles - 설치된 NAND 타이틀 - - - - System Titles - 시스템 타이틀 - - - - Add New Game Directory - 새 게임 디렉토리 추가 - - - - Favorites - 선호하는 게임 - - - - - + + + Migration - + Clear Shader Cache @@ -8289,18 +8679,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8691,6 +9081,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1이(가) %2을(를) 플레이 중입니다 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + 설치된 SD 타이틀 + + + + Installed NAND Titles + 설치된 NAND 타이틀 + + + + System Titles + 시스템 타이틀 + + + + Add New Game Directory + 새 게임 디렉토리 추가 + + + + Favorites + 선호하는 게임 + QtAmiiboSettingsDialog @@ -8808,250 +9243,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9059,22 +9494,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9082,48 +9517,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9135,18 +9570,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9154,229 +9589,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9384,83 +9875,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9481,56 +9972,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9571,7 +10062,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller 프로 컨트롤러 @@ -9584,7 +10075,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons 듀얼 조이콘 @@ -9597,7 +10088,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon 왼쪽 조이콘 @@ -9610,7 +10101,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon 오른쪽 조이콘 @@ -9639,7 +10130,7 @@ This is recommended if you want to share data between emulators. - + Handheld 휴대 모드 @@ -9760,32 +10251,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller GameCube 컨트롤러 - + Poke Ball Plus 몬스터볼 Plus - + NES Controller NES 컨트롤러 - + SNES Controller SNES 컨트롤러 - + N64 Controller N64 컨트롤러 - + Sega Genesis 세가 제네시스 @@ -9940,13 +10431,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel 취소 @@ -9981,12 +10472,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10022,7 +10513,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/nb.ts b/dist/languages/nb.ts index 8087756b04..ba3acb8e80 100644 --- a/dist/languages/nb.ts +++ b/dist/languages/nb.ts @@ -4,7 +4,7 @@ About Eden - + Om Eden @@ -82,12 +82,12 @@ li.checked::marker { content: "\2612"; } Send Chat Message - Send Chat Melding + Send chatmelding Send Message - Send Melding + Send melding @@ -122,18 +122,18 @@ li.checked::marker { content: "\2612"; } View Profile - Vis Profil + Vis profil Block Player - Blokker Spiller + Blokkér spiller When you block a player, you will no longer receive chat messages from them.<br><br>Are you sure you would like to block %1? - Når du blokkerer en spiller vil du ikke lengere kunne motta chat meldinger fra dem.<br><br>Er du sikker på at du vil blokkere %1? + Når du blokkerer en spiller vil du ikke lengere kunne motta chatmeldinger fra dem.<br><br>Er du sikker på at du vil blokkere %1? @@ -148,7 +148,7 @@ li.checked::marker { content: "\2612"; } Kick Player - Spark Ut Spiller + Spark ut spiller @@ -158,7 +158,7 @@ li.checked::marker { content: "\2612"; } Ban Player - Bannlys Spiller + Bannlys spiller @@ -190,7 +190,7 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse. Leave Room - Forlat Rommet + Forlat rom @@ -216,7 +216,7 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse. Report Compatibility - Rapporter Kompabilitet + Meld inn kompatibilitet @@ -227,7 +227,7 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse. Report Game Compatibility - Rapporter Spillkompabilitet + Meld inn spillkompatibilitet @@ -337,7 +337,7 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse. Thank you for your submission! - Tusen takk for ditt bidrag! + Takk for innsendingen din! @@ -368,153 +368,178 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse.% - + Amiibo editor - + Amiibo-redigerer + + + + Controller configuration + Kontrolleroppsett - Controller configuration - + Data erase + Datasletting - Data erase - - - - Error Feil - + Net connect - + Nettverkstilkobling + + + + Player select + Spillervalg - Player select - - - - Software keyboard Programvaretastatur - + Mii Edit - + Online web - + Shop - + Photo viewer - + Fotoviser - + Offline web - + Login share - + Innloggingsdeling - + Wifi web auth - + My page - + Min side - + Enable Overlay Applet - - Output Engine: - Utgangsmotor - - - - Output Device: - Utgangsenhet: - - - - Input Device: - Inngangsenhet: - - - - Mute audio + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + Output Engine: + Utdatamotor: + + + + Output Device: + Utdataenhet: + + + + Input Device: + Inndataenhet: + + Mute audio + Demp lyd + + + Volume: Volum: - + Mute audio when in background Demp lyden når yuzu kjører i bakgrunnen - + Multicore CPU Emulation Fjerkjernes prosessoremulering - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - + Minneoppsett - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Begrens Farts-Prosent - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Turbohastighet + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + Tregmodus-hastighet + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed - + Synkroniser kjernehastighet @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Nøyaktighet: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + CPU-overklokking - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Del opp FMA (forbedre ytelsen på prosessorer uten FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE Raskere FRSQRTE og FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Raskere ASIMD-instruksjoner (kun 32-bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Unøyaktig NaN-håndtering - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Slå av adresseromskontroller - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorer global overvåkning - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Enhet: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Oppløsning: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Vindustilpasningsfilter: - + FSR Sharpness: - FSR Skarphet: + FSR-skarphet: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: - Anti-aliasing–metode: + Antialiasingmetode: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Fullskjermmodus: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: - Størrelsesforhold: + Bildeforhold: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Optimaliser SPIRV-utdata - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC-emulering: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: - VSync Modus: + VSync-modus: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1317 +860,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Aktiver asynkron presentasjon (kun Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) Tving maksikal klokkehastighet (kun Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Kjører arbeid i bakgrunnen mens den venter på grafikkommandoer for å forhindre at GPU-en senker klokkehastigheten. - + Anisotropic Filtering: Anisotropisk filtrering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + GPU-modus: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + DMA-nøyaktighet: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache - Bruk Vulkan rørledningsbuffer + Bruk Vulkan-rørledningsbuffer - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Aktiver Reaktiv Tømming - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback Synkroniser med bildefrekvensen for videoavspilling - + Run the game at normal speed during video playback, even when the framerate is unlocked. Kjør spillet i normal hastighet under videoavspilling, selv når bildefrekvensen er låst opp. - + Barrier feedback loops Tilbakekoblingssløyfer for barrierer - + Improves rendering of transparency effects in specific games. Forbedrer gjengivelsen av transparenseffekter i spesifikke spill. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed - Frø For Tilfeldig Nummergenerering + RNG-frø - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Enhetsnavn - + The name of the console. - + Konsollens navn. - + Custom RTC Date: - + Selvvalgt RTC-dato: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + Språk: - + This option can be overridden when region setting is auto-select - + Region: Region: - + The region of the console. - + Konsollens region. - + Time Zone: Tidssone: - + The time zone of the console. - + Konsollens tidssone. - + Sound Output Mode: - Lydutgangsmodus: + Lydutdatamodus: - + Console Mode: - + Konsollmodus: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Gjem mus under inaktivitet - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Deaktiver kontroller-appleten - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Se etter oppdateringer - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + Aldri - + On Load - + Always - + Alltid - + CPU CPU - + GPU - + Skjermkort - + CPU Asynchronous - + Uncompressed (Best quality) - Ukomprimert (beste kvalitet) + Ukomprimert (Best kvalitet) - + BC1 (Low quality) BC1 (Lav kvalitet) - + BC3 (Medium quality) - BC3 (Medium kvalitet) + BC3 (Middels kvalitet) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Nøyaktig - - - - - Default - Standard - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Auto - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + + + + + Aggressive + Aggressiv + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (eksperimentelt, kun AMD/Mesa) + + + + Null + Null + + + + Fast + Rask + + + + Balanced + Balansert + + + + + Accurate + Nøyaktig + + + + + Default + Standard + + + + Unsafe (fast) + Utrygg (raskt) + + + + Safe (stable) + Trygg (stabil) + + + Unsafe Utrygt - + Paranoid (disables most optimizations) Paranoid (deaktiverer de fleste optimaliseringer) - + Debugging - + Dynarmic - + NCE - + NCE - + Borderless Windowed Rammeløst vindu - + Exclusive Fullscreen Eksklusiv fullskjerm - + No Video Output Ingen videoutdata - + CPU Video Decoding - Prosessorvideodekoding + CPU-videodekoding - + GPU Video Decoding (Default) - GPU-videodekoding (standard) + GPU-videodekoding (Standard) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0,25× (180p/270p) [EKSPERIMENTELL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0,5× (360p/540p) [EKSPERIMENTELL] - + 0.75X (540p/810p) [EXPERIMENTAL] - 0.75X (540p/810p) [EKSPERIMENTELL] + 0,75× (540p/810p) [EKSPERIMENTELL] - + 1X (720p/1080p) - 1X (720p/1080p) + 1× (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1,25× (900p/1350p) [EKSPERIMENTELL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] - 1.5X (1080p/1620p) [EXPERIMENTELL] + 1,5× (1080p/1620p) [EKSPERIMENTELL] - + 2X (1440p/2160p) - 2X (1440p/2160p) + 2× (1440p/2160p) - + 3X (2160p/3240p) - 3X (2160p/3240p) + 3× (2160p/3240p) - + 4X (2880p/4320p) - 4X (2880p/4320p) + 4× (2880p/4320p) - + 5X (3600p/5400p) - 5X (3600p/5400p) + 5× (3600p/5400p) - + 6X (4320p/6480p) - 6X (4320p/6480p) + 6× (4320p/6480p) - + 7X (5040p/7560p) - 7X (5040p/7560p) + 7× (5040p/7560p) - + 8X (5760p/8640p) - 8X (5760p/8640p) + 8× (5760p/8640p) - + Nearest Neighbor Nærmeste nabo - + Bilinear Bilineær - + Bicubic Bikubisk - + Gaussian Gaussisk - + Lanczos - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + AMD FidelityFX Super Resolution - + Area - + Område - + MMPX - + MMPX - + Zero-Tangent - + B-Spline - + B-Spline - + Mitchell - + Mitchell - + Spline-1 - + Spline-1 - - + + None Ingen - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Standard (16:9) - + Force 4:3 Tving 4:3 - + Force 21:9 Tving 21:9 - + Force 16:10 Tving 16:10 - + Stretch to Window - Strekk til Vindu + Strekk til vinduet - + Automatic Automatisk - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 32x - + 64x - + 64x - + Japanese (日本語) Japansk (日本語) - + American English - Amerikans Engelsk + Amerikansk engelsk - + French (français) Fransk (français) - + German (Deutsch) Tysk (Deutsch) - + Italian (italiano) Italiensk (italiano) - + Spanish (español) Spansk (español) - + Chinese Kinesisk - + Korean (한국어) Koreansk (한국어) - + Dutch (Nederlands) Nederlandsk (Nederlands) - + Portuguese (português) Portugisisk (português) - + Russian (Русский) Russisk (Русский) - + Taiwanese Taiwansk - + British English - Britisk Engelsk + Britisk engelsk - + Canadian French - Kanadisk Fransk + Kanadisk fransk - + Latin American Spanish - Latinamerikansk Spansk + Latinamerikansk spansk - + Simplified Chinese - Forenklet Kinesisk + Forenklet kinesisk - + Traditional Chinese (正體中文) - Tradisjonell Kinesisk (正體中文) + Tradisjonell kinesisk (正體中文) - + Brazilian Portuguese (português do Brasil) Brasiliansk portugisisk (português do Brasil) - - Serbian (српски) - + + Polish (polska) + Polsk (polska) - - + + Thai (แบบไทย) + Thai (แบบไทย) + + + + Japan Japan - + USA USA - + Europe Europa - + Australia Australia - + China - Kina + Folkerepublikken Kina - + Korea Korea - + Taiwan - Taiwan + Taiwan (Republikken Kina) - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone - Normalverdi (%1) + Standard (%1) - + CET - CET + Sentraleuropeisk tid - + CST6CDT CST6CDT - + Cuba Cuba - + EET - EET + Østeuropeisk tid - + Egypt Egypt - + Eire - Eire + Republikken Irland - + EST EST - + EST5EDT EST5EDT - + GB - GB + Storbritannia - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Island - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polen - + Portugal Portugal - + PRC - PRC + Folkerepublikken Kina - + PST8PDT PST8PDT - + ROC - ROC + Taiwan (Republikken Kina) - + ROK - ROK + Sør-Korea - + Singapore Singapore - + Turkey Tyrkia - + UCT UCT - + Universal Universalt - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 4 GB DRAM (Standard) - + 6GB DRAM (Unsafe) - + 6 GB DRAM (Utrygt) - + 8GB DRAM - + 8 GB DRAM - + 10GB DRAM (Unsafe) - + 10 GB DRAM (Utrygt) - + 12GB DRAM (Unsafe) - + 12 GB DRAM (Utrygt) - + Docked - Dokket + I dokking - + Handheld Håndholdt - - + + Off - + Av - + Boost (1700MHz) - + Boost (1700 MHz) - + Fast (2000MHz) - + Rask (2000 MHz) - + Always ask (Default) - + Spør alltid (Standard) - + Only if game specifies not to stop - + Never ask - + Aldri spør - - + + Medium (256) - + Middels (256) - - + + High (512) - + Høy (512) - + Very Small (16 MB) - + Veldig liten (16 MB) - + Small (32 MB) - + Liten (32 MB) - + Normal (128 MB) - + Normal (128 MB) - + Large (256 MB) - + Stor (256 MB) - + Very Large (512 MB) - + Veldig stor (512 MB) - + Very Low (4 MB) - + Veldig lav (4 MB) - + Low (8 MB) - + Lav (8 MB) - + Normal (16 MB) - + Normal (16 MB) - + Medium (32 MB) - + Middels (32 MB) - + High (64 MB) - + Høy (64 MB) - + Very Low (32) - + Svært lav (32) - + Low (64) - + Lav (64) - + Normal (128) - + Normal (128) - + Disabled - + Skrudd av - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2169,12 +2288,12 @@ When a program attempts to open the controller applet, it is immediately closed. Configure Infrared Camera - Konfigurer Infrarødt Kamera + Sett opp infrarødt kamera Select where the image of the emulated camera comes from. It may be a virtual camera or a real camera. - Velg hvor bildet for the emulerte kameraet kommer fra. Det kan være et virituelt kamera eller et ekte kamera. + Velg hvor bildet for the emulerte kameraet kommer fra. Det kan være et virtuelt kamera eller et ekte kamera. @@ -2194,7 +2313,7 @@ When a program attempts to open the controller applet, it is immediately closed. Resolution: 320*240 - Oppløsning: 320*240 + Oppløsning: 320×240 @@ -2204,10 +2323,10 @@ When a program attempts to open the controller applet, it is immediately closed. Restore Defaults - Gjenopprett Standardverdier + Gjenopprett standarder - + Auto Auto @@ -2227,7 +2346,7 @@ When a program attempts to open the controller applet, it is immediately closed. General - Generelt + Generell @@ -2509,12 +2628,12 @@ When a program attempts to open the controller applet, it is immediately closed. Open Log Location - Åpne Logg-Plassering + Åpne loggplassering Homebrew - Homebrew + Hjemmebrent @@ -2564,7 +2683,7 @@ When a program attempts to open the controller applet, it is immediately closed. Dump Game Shaders - Dump Spill Shadere + Dump spillskyggelegginger @@ -2634,7 +2753,7 @@ When a program attempts to open the controller applet, it is immediately closed. Perform Startup Vulkan Check - Utfør Vulkan-Sjekk Ved Oppstart + Utfør Vulkan-sjekk ved oppstart @@ -2644,7 +2763,7 @@ When a program attempts to open the controller applet, it is immediately closed. Enable All Controller Types - Aktiver Alle Kontrollertyper + Skru på alle kontrollertyper @@ -2654,85 +2773,90 @@ When a program attempts to open the controller applet, it is immediately closed. Kiosk (Quest) Mode - Kiosk (Quest) Modus + Kioskmodus (Quest-modus) + Use dev.keys + + + + Enable Debug Asserts Aktiver Feilsøkingsoppgaver - + Debugging Feilsøking - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Aktiver dette for å sende den siste genererte lydkommandolisten til konsollen. Påvirker bare spill som bruker lydrenderen. - + Dump Audio Commands To Console** - Dump Lydkommandoer Til Konsollen** + Dump lydkommandoer til konsollen** - + Flush log output on each line - + Enable FS Access Log - Aktiver FS Tilgangs Logg + Skru på FS-tilgangslogg - + Enable Verbose Reporting Services** Aktiver Verbose Reporting Services** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2747,12 +2871,12 @@ When a program attempts to open the controller applet, it is immediately closed. Clear - Fjern + Tøm Defaults - Standardverdier + Standardinnstillinger @@ -2779,7 +2903,7 @@ When a program attempts to open the controller applet, it is immediately closed. Eden Configuration - + Eden-oppsett @@ -2793,13 +2917,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Lyd - + CPU CPU @@ -2815,13 +2939,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General - Generelt + Generell - + Graphics Grafikk @@ -2842,7 +2966,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Kontrollere @@ -2858,14 +2982,14 @@ When a program attempts to open the controller applet, it is immediately closed. - + System System Game List - Spill Liste + Spilliste @@ -2888,7 +3012,7 @@ When a program attempts to open the controller applet, it is immediately closed. Storage Directories - Lagringsmappe + Lagringsmapper @@ -2908,7 +3032,7 @@ When a program attempts to open the controller applet, it is immediately closed. SD Card - SD Kort + SD-kort @@ -2923,17 +3047,17 @@ When a program attempts to open the controller applet, it is immediately closed. Path - Sti + Filbane Inserted - Nøkkel ikke bekreftet + Satt inn Current Game - Nåværende Spill + Nåværende spill @@ -2943,7 +3067,7 @@ When a program attempts to open the controller applet, it is immediately closed. Dump Decompressed NSOs - Dump Dekomprimert NSOs + Dump dekomprimerte NSO-er @@ -2968,66 +3092,66 @@ When a program attempts to open the controller applet, it is immediately closed. Cache Game List Metadata - Mellomlagre Spillistens Metadata + Mellomlagre spillistens metadata Reset Metadata Cache - Tilbakestill Mellomlagringen for Metadata + Tilbakestill mellomlageret for metadata - + Select Emulated NAND Directory... Velg Emulert NAND-Mappe... - + Select Emulated SD Directory... Velg Emulert SD-Mappe... - - + + Select Save Data Directory... - + Select Gamecard Path... Velg Spillkortbane... - + Select Dump Directory... - Velg Dump-Katalog + Velg dump-mappe... - + Select Mod Load Directory... - Velg Mod-Lastingsmappe... + Velg modinnlastingsmappe ... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3038,7 +3162,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3046,28 +3170,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Avbryt - + Migration Failed - + Failed to create destination directory. @@ -3078,12 +3202,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3101,22 +3225,57 @@ Would you like to delete the old save data? General - Generelt + Generell - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + Legg til mappe + + + + Remove Selected + + + + Reset All Settings Tilbakestill alle innstillinger - + Eden + Eden + + + + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? + Dette tilbakestiller alle innstillinger og fjerner alle spillinnstillinger. Spillmapper, profiler og inndataprofiler blir ikke slettet. Fortsett? + + + + Select External Content Directory... - - This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? - Dette tilbakestiller alle innstillinger og fjerner alle spillinnstillinger. Spillmapper, profiler og inndataprofiler blir ikke slettet. Fortsett? + + Directory Already Added + + + + + This directory is already in the list. + @@ -3134,7 +3293,7 @@ Would you like to delete the old save data? API Settings - API-Innstillinger + API-innstillinger @@ -3147,33 +3306,33 @@ Would you like to delete the old save data? Bakgrunnsfarge: - + % FSR sharpening percentage (e.g. 50%) % - + Off Av - + VSync Off VSync Av - + Recommended Anbefalt - + On - + VSync On VSync På @@ -3193,7 +3352,7 @@ Would you like to delete the old save data? Advanced Graphics Settings - Avanserte Grafikkinnstillinger + Avanserte grafikkinnstillinger @@ -3221,16 +3380,16 @@ Would you like to delete the old save data? Vulkan Extensions - + Vulkan-utvidelser - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3255,12 +3414,12 @@ Would you like to delete the old save data? Clear All - Fjern Alle + Tøm alle Restore Defaults - Gjenopprett Standardverdier + Gjenopprett standarder @@ -3282,7 +3441,7 @@ Would you like to delete the old save data? Conflicting Key Sequence - Mostridende tastesekvens + Motstridende tastesekvens @@ -3313,12 +3472,12 @@ Would you like to delete the old save data? Restore Default - Gjenopprett Standardverdi + Gjenopprett standarder Clear - Fjern + Tøm @@ -3400,12 +3559,12 @@ Would you like to delete the old save data? Console Mode - Konsollmodus + Bærbar modus Docked - Dokket + I dokking @@ -3415,13 +3574,13 @@ Would you like to delete the old save data? Vibration - Vibrasjon + Vibrering Configure - Konfigurer + Sett opp @@ -3481,12 +3640,12 @@ Would you like to delete the old save data? Defaults - Standardverdier + Standardinnstillinger Clear - Fjern + Tøm @@ -3494,12 +3653,12 @@ Would you like to delete the old save data? Configure Input - Konfigurer Inngang + Sett opp inndata Joycon Colors - Joycon-Farger + Joycon-farger @@ -3516,7 +3675,7 @@ Would you like to delete the old save data? L Body - V Kropp + L Kropp @@ -3528,7 +3687,7 @@ Would you like to delete the old save data? L Button - V Knapp + L-knapp @@ -3540,7 +3699,7 @@ Would you like to delete the old save data? R Body - H Kropp + R Kropp @@ -3552,7 +3711,7 @@ Would you like to delete the old save data? R Button - H Knapp + R-knapp @@ -3607,7 +3766,7 @@ Would you like to delete the old save data? Touchscreen - Touch-skjerm + Berøringsskjerm @@ -3625,7 +3784,7 @@ Would you like to delete the old save data? Configure - Konfigurer + Sett opp @@ -3635,7 +3794,7 @@ Would you like to delete the old save data? Infrared Camera - Infrarødt Kamera + Infrarødt kamera @@ -3672,12 +3831,12 @@ Would you like to delete the old save data? Enable direct JoyCon driver - Aktiver driver for direkte JoyCon tilkobling + Skru på driver for direkte JoyCon-tilkobling Enable direct Pro Controller driver [EXPERIMENTAL] - Aktiver driver for direkte Pro Controller tilkobling (EKSPERIMENTELL) + Skru på driver for direkte Pro Controller-tilkobling [EKSPERIMENTELL] @@ -3692,7 +3851,7 @@ Would you like to delete the old save data? Motion / Touch - Bevegelse / Touch + Bevegelse / Berøring @@ -3715,12 +3874,12 @@ Would you like to delete the old save data? Player 1 Profile - Spiller 1 Profil + Spiller 1 profil Player 2 Profile - Spiller 2 Profil + Spiller 2 profil @@ -3768,12 +3927,12 @@ Would you like to delete the old save data? Configure Input - Konfigurer Inngang + Sett opp inndata Connect Controller - Tilkoble Kontroller + Koble til kontroller @@ -3802,9 +3961,9 @@ Would you like to delete the old save data? - + Left Stick - Venstre Pinne + Venstre styrepinne @@ -3854,7 +4013,7 @@ Would you like to delete the old save data? Pressed - Trykket + Inntrykket @@ -3912,14 +4071,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3932,22 +4091,22 @@ Would you like to delete the old save data? - + Plus Pluss - + ZR ZR - - + + R R @@ -3976,7 +4135,7 @@ Would you like to delete the old save data? Face Buttons - Frontknapper + Hovedknapper @@ -4004,9 +4163,9 @@ Would you like to delete the old save data? - + Right Stick - Høyre Pinne + Høyre styrepinne @@ -4016,7 +4175,7 @@ Would you like to delete the old save data? Configure - Konfigurer + Sett opp @@ -4024,7 +4183,7 @@ Would you like to delete the old save data? Clear - Fjern + Tøm @@ -4033,7 +4192,7 @@ Would you like to delete the old save data? [not set] - [ikke satt] + [ikke angitt] @@ -4051,13 +4210,13 @@ Would you like to delete the old save data? Turbo button - Turbo-Knapp + Turbo-knapp Invert axis - Inverter akse + Invertér akse @@ -4075,7 +4234,7 @@ Would you like to delete the old save data? Toggle axis - veksle akse + Veksle akse @@ -4090,7 +4249,7 @@ Would you like to delete the old save data? Map Analog Stick - Kartlegg Analog Spak + Kartlegg analog styrepinne @@ -4120,7 +4279,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Pro Controller - Pro-Kontroller + Pro Controller @@ -4150,7 +4309,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Poke Ball Plus - Poke Ball Plus + Poké Ball Plus @@ -4170,91 +4329,91 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Sega Genesis - Sega Genesis + Sega Mega Drive - + Start / Pause - Start / paus + Start / Pause - + Z Z - + Control Stick Kontrollstikke - + C-Stick - C-stikke + C-styrepinne - + Shake! Rist! - + [waiting] [venter] - + New Profile - Ny Profil + Ny profil - + Enter a profile name: Skriv inn et profilnavn: - - + + Create Input Profile - Lag inndataprofil + Opprett inndataprofil - + The given profile name is not valid! Det oppgitte profilenavnet er ugyldig! - + Failed to create the input profile "%1" Klarte ikke lage inndataprofil "%1" - + Delete Input Profile Slett inndataprofil - + Failed to delete the input profile "%1" Klarte ikke slette inndataprofil "%1" - + Load Input Profile Last inn inndataprofil - + Failed to load the input profile "%1" Klarte ikke laste inn inndataprofil "%1" - + Save Input Profile Lagre inndataprofil - + Failed to save the input profile "%1" Klarte ikke lagre inndataprofil "%1" @@ -4264,17 +4423,17 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Create Input Profile - Lag inndataprofil + Opprett inndataprofil Clear - Fjern + Tøm Defaults - Standardverdier + Standardinnstillinger @@ -4287,12 +4446,12 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Touch - Touch + Berøring UDP Calibration: - UDP-kalibrasjon + UDP-kalibrering: @@ -4304,7 +4463,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Configure - Konfigurer + Sett opp @@ -4314,12 +4473,12 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. CemuhookUDP Config - CemuhookUDP-Konfigurasjon + CemuhookUDP-oppsett You may use any Cemuhook compatible UDP input source to provide motion and touch input. - Du kan bruke hvilken som helst Cemuhook-kompatibel UDP inputkilde for å gi bevegelses- og touch-input. + Du kan bruke hvilken som helst Cemuhook-kompatibel UDP-inndatakilde for å sørge for bevegelses- og berøringsinndata. @@ -4360,7 +4519,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Eden - + Eden @@ -4400,7 +4559,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Test Successful - Test Vellykket + Testen var vellykket @@ -4410,7 +4569,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Test Failed - Test Feilet + Testen mislyktes @@ -4420,7 +4579,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. UDP Test or calibration configuration is in progress.<br>Please wait for them to finish. - UDP-Test eller kalibrasjonskonfigurering er i fremgang.<br>Vennligst vent for dem til å bli ferdig. + UDP-test eller kalibrasjonskonfigurering er i fremgang.<br>Vennligst vent for dem til å bli ferdig. @@ -4448,7 +4607,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Horizontal - Horisontal + Vannrett @@ -4462,7 +4621,7 @@ For å invertere aksene, flytt først stikken vertikalt, og så horistonalt. Vertical - Vertikal + Loddrett @@ -4537,7 +4696,7 @@ Gjeldende verdier er henholdsvis %1% og %2%. General - Generelt + Generell @@ -4547,12 +4706,7 @@ Gjeldende verdier er henholdsvis %1% og %2%. Enable Airplane Mode - - - - - None - Ingen + Skru på flymodus @@ -4608,52 +4762,57 @@ Gjeldende verdier er henholdsvis %1% og %2%. Noen innstillinger er bare tilgjengelige når spillet ikke er i gang. - + Add-Ons Tillegg - + System System - + CPU CPU - + Graphics Grafikk - + Adv. Graphics - Avn. Grafikk + Avansert grafikk - + Ext. Graphics - + Audio Lyd - + Input Profiles Inndataprofiler - + Network - + Nettverk + Applets + + + + Properties Egenskaper @@ -4671,15 +4830,110 @@ Gjeldende verdier er henholdsvis %1% og %2%. Tillegg - - Patch Name - Oppdateringsnavn + + Import Mod from ZIP + Importer mod fra ZIP - + + Import Mod from Folder + Importer mod fra mappe + + + + Patch Name + Patch-navn + + + Version Versjon + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + Mod-mappe + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + Zippede arkiver (*.zip) + + + + Invalid Selection + Ugyldig utvalg + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + &Slett + + + + &Open in File Manager + + ConfigureProfileManager @@ -4701,7 +4955,7 @@ Gjeldende verdier er henholdsvis %1% og %2%. Current User - Nåværende Bruker + Nåværende bruker @@ -4727,84 +4981,83 @@ Gjeldende verdier er henholdsvis %1% og %2%. %2 - + Users Brukere - + Error deleting image Feil ved sletting av bilde - + Error occurred attempting to overwrite previous image at: %1. En feil oppstod under overskrivelse av det forrige bildet på: %1. - + Error deleting file Feil ved sletting av fil - + Unable to delete existing file: %1. Kunne ikke slette eksisterende fil: %1. - + Error creating user image directory Feil under opprettelse av profilbildemappe - + Unable to create directory %1 for storing user images. Kunne ikke opprette mappe %1 for å lagre profilbilder. - + Error saving user image - + Unable to save image to file - + &Edit - + R&edigér - + &Delete - + &Slett - + Edit User - + Rediger bruker ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Slett denne brukeren? Alle brukerens lagrede data vil bli slettet. - + Confirm Delete - Bekreft Sletting + Bekreft sletting - + Name: %1 UUID: %2 - Navn: %1 -UUID: %2 + Navn: %1 UUID: %2 @@ -4822,7 +5075,7 @@ UUID: %2 Virtual Ring Sensor Parameters - Parametre For Virituell Ringsensor + Parametre for virtuell ringsensor @@ -4844,7 +5097,7 @@ UUID: %2 Direct Joycon Driver - Driver For Direkte JoyCon Tilkobling + Driver for direkte Joycon-tilkobling @@ -4855,38 +5108,38 @@ UUID: %2 Enable - Aktiver + Skru på Ring Sensor Value - Sensorverdier For Ring + Sensorverdier for Ring Not connected - Ikke Tilkoblet + Ikke tilkoblet Restore Defaults - Gjenopprett Standardverdier + Gjenopprett standarder Clear - Fjern + Tøm [not set] - [ikke satt] + [ikke angitt] Invert axis - Inverter akse + Invertér akse @@ -5002,17 +5255,22 @@ UUID: %2 Sett kjøring på vent under lasting - + + Show recording dialog + + + + Script Directory Skriptmappe - + Path - Sti + Filbane - + ... ... @@ -5022,10 +5280,10 @@ UUID: %2 TAS Configuration - TAS-konfigurasjon + TAS-oppsett - + Select TAS Load Directory... Velg TAS-lastemappe... @@ -5035,7 +5293,7 @@ UUID: %2 Configure Touchscreen Mappings - Konfigurer Kartlegging av Berøringsskjerm + Sett opp kartlegging av berøringsskjerm @@ -5089,7 +5347,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re New Profile - Ny Profil + Ny profil @@ -5099,17 +5357,17 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Delete Profile - Slett Profil + Slett profil Delete profile %1? - Slett profil %1? + Vil du slette profilen %1? Rename Profile - Endre Navn på Profil + Gi nytt navn til profil @@ -5157,70 +5415,49 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Restore Defaults - Gjenopprett Standardverdier + Gjenopprett standarder ConfigureUI - - - + + None Ingen - - Small (32x32) - Liten (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Stor (128x128) - - - - Full Size (256x256) - Full størrelse (256x256) - - - + Small (24x24) Liten (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Stor (72x72) - + Filename Filnavn - + Filetype Filtype - + Title ID Tittel-ID - + Title Name Tittelnavn @@ -5240,7 +5477,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re General - Generelt + Generell @@ -5250,22 +5487,22 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Interface language: - Brukergrensesnitt språk + Grensesnittspråk: Theme: - Tema + Tema: Game List - Spill liste + Spilliste Show Compatibility List - Vis Kompabilitetsliste + Vis kompatibilitetsliste @@ -5275,12 +5512,12 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Show Size Column - Vis Kolonne For Størrelse + Vis størrelseskolonne Show File Types Column - Vis Kolonne For Filtype + Vis filtypekolonne @@ -5289,71 +5526,66 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re - Game Icon Size: - Spillikonstørrelse: - - - Folder Icon Size: Mappeikonstørrelse: - + Row 1 Text: - Rad 1 Tekst: + Rad 1 tekst: - + Row 2 Text: - Rad 2 Tekst: + Rad 2 tekst: - + Screenshots Skjermbilder - + Ask Where To Save Screenshots (Windows Only) Spør om hvor skjermbilder skal lagres (kun for Windows) - + Screenshots Path: - Skjermbildebane: + Skjermbilde-filbane: - + ... ... - + TextLabel TextLabel - + Resolution: Oppløsning: - + Select Screenshots Path... - Velg Skermbildebane... + Velg skjermbilde-filbane... - + <System> <System> - + English Engelsk - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5374,7 +5606,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Vibration - Vibrasjon + Vibrering @@ -5459,12 +5691,12 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Token: - Token: + Sjetong: Username: - Brukernavn: + Brukernavn: @@ -5479,28 +5711,28 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Discord Presence - Discord Nærvær + Discord-tilstedeværelse Show Current Game in your Discord Status - Vis Gjeldene Spill på din Discord Status + Vis nåværende spill på Discord-statusen din + + + + + All Good + Tooltip + Alt er i orden - - All Good - Tooltip - - - - Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5524,7 +5756,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Data Manager - + Databehandler @@ -5532,27 +5764,27 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re - + Shaders - + Skyggeleggere - + UserNAND - + SysNAND - + SysNAND - + Mods - + Saves @@ -5590,7 +5822,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re - + Calculating... @@ -5600,7 +5832,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Eden Dependencies - + Eden-avhengigheter @@ -5613,14 +5845,14 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re - + Dependency - + Avhengighet - + Version - + Versjon @@ -5628,7 +5860,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Direct Connect - Direkte Tilkobling + Direktetilkobling @@ -5663,7 +5895,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Connect - Koble Til + Koble til @@ -5671,12 +5903,12 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Connecting - Kobler Til + Kobler til Connect - Koble Til + Koble til @@ -5744,7 +5976,7 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re Incorrect password. - + Feil passord. @@ -5786,50 +6018,50 @@ Please go to Configure -> System -> Network and make a selection. Error - + Feil GRenderWindow - - + + OpenGL not available! OpenGL ikke tilgjengelig! - + OpenGL shared contexts are not supported. Delte OpenGL-kontekster støttes ikke. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Feil under initialisering av OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Det kan hende at GPU-en din ikke støtter OpenGL, eller at du ikke har den nyeste grafikkdriveren. - + Error while initializing OpenGL 4.6! Feil under initialisering av OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Det kan hende at GPU-en din ikke støtter OpenGL 4.6, eller at du ikke har den nyeste grafikkdriveren.<br><br>GL-renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Det kan hende at GPU-en din ikke støtter én eller flere nødvendige OpenGL-utvidelser. Vennligst sørg for at du har den nyeste grafikkdriveren.<br><br>GL-renderer: <br>%1<br><br>Ikke-støttede utvidelser:<br>%2 @@ -5837,203 +6069,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + Legg til ny spillm&appe + + + Favorite Legg til som favoritt - + Start Game - Start Spill + Start spill - + Start Game without Custom Configuration Star Spill Uten Tilpasset Konfigurasjon - + Open Save Data Location - Åpne Lagret Data plassering + Åpne lagrefilplassering - + Open Mod Data Location - Åpne Mod Data plassering + Åpne moddataplassering - + Open Transferable Pipeline Cache - Åpne Overførbar Rørledningsbuffer + Åpne overførbar rørledningsbuffer - + Link to Ryujinx - + Remove Fjern - + Remove Installed Update - Fjern Installert Oppdatering + Fjern installert oppdatering - + Remove All Installed DLC - Fjern All Installert DLC + Fjern all installert DLC - + Remove Custom Configuration - Fjern Tilpasset Konfigurasjon + Fjern tilpasset oppsett - + Remove Cache Storage - Fjern Hurtiglagring + Tøm hurtiglager - + Remove OpenGL Pipeline Cache - Fjer OpenGL Rørledningsbuffer + Fjern OpenGL-rørledningsbuffer - + Remove Vulkan Pipeline Cache - Fjern Vulkan Rørledningsbuffer + Fjern Vulkan-rørledningsbuffer - + Remove All Pipeline Caches - Fjern Alle Rørledningsbuffere + Fjern alle rørledningsbuffere - + Remove All Installed Contents - Fjern All Installert Innhold + Fjern alt installert innhold - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Dump RomFS - + Dump RomFS to SDMC Dump RomFS til SDMC - + Verify Integrity Verifiser integritet - + Copy Title ID to Clipboard Kopier Tittel-ID til Utklippstavle - + Navigate to GameDB entry Naviger til GameDB-oppføring - + Create Shortcut - lag Snarvei + Opprett snarvei - + Add to Desktop Legg Til På Skrivebordet - + Add to Applications Menu Legg Til Applikasjonsmenyen - + Configure Game - + Scan Subfolders Skann Undermapper - + Remove Game Directory - Fjern Spillmappe + Fjern spillmappe - + ▲ Move Up ▲ Flytt Opp - + ▼ Move Down ▼ Flytt Ned - + Open Directory Location Åpne Spillmappe - + Clear - Fjern + Tøm - + Name Navn - + Compatibility Kompatibilitet - + Add-ons Tilleggsprogrammer - + File type - Fil Type + Filtype - + Size Størrelse - + Play time @@ -6041,62 +6278,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame i Spillet - + Game starts, but crashes or major glitches prevent it from being completed. Spillet starter, men krasjer eller større feil gjør at det ikke kan fullføres. - + Perfect Perfekt - + Game can be played without issues. Spillet kan spilles uten problemer. - + Playable - Spillbart + Spillbar - + Game functions with minor graphical or audio glitches and is playable from start to finish. Spillet fungerer med mindre grafiske eller lydfeil og kan spilles fra start til slutt. - + Intro/Menu Intro/Meny - + Game loads, but is unable to progress past the Start Screen. Spillet lastes inn, men kan ikke gå videre forbi startskjermen. - + Won't Boot Vil ikke starte - + The game crashes when attempting to startup. Spillet krasjer under oppstart. - + Not Tested Ikke testet - + The game has not yet been tested. Spillet har ikke blitt testet ennå. @@ -6104,7 +6341,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Dobbeltrykk for å legge til en ny mappe i spillisten @@ -6112,17 +6349,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - %1 of %n resultat%1 of %n resultater + %1 of %n resultat%1 av %n resultat(er) - + Filter: Filter: - + Enter pattern to filter Angi mønster for å filtrere @@ -6132,7 +6369,7 @@ Please go to Configure -> System -> Network and make a selection. Create Room - Opprett Rom + Opprett rom @@ -6198,12 +6435,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Feil - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6212,19 +6449,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Lyd av/på - - - - - - - - @@ -6247,153 +6476,179 @@ Debug Message: + + + + + + + + + + + Main Window Hovedvindu - + Audio Volume Down - Lydvolum Ned + Lydvolum ned - + Audio Volume Up - Lydvolum Opp + Lydvolum opp - + Capture Screenshot - Ta Skjermbilde + Ta skjermklipp - + Change Adapting Filter Endre tilpasningsfilter - + Change Docked Mode Endre forankret modus - + Change GPU Mode - + Endre GPU-modus - + Configure - + Sett opp - + Configure Current Game - + Continue/Pause Emulation - Fortsett/Pause Emuleringen + Fortsett/Pause emuleringen - + Exit Fullscreen Avslutt fullskjerm - + Exit Eden - + Avslutt Eden - + Fullscreen Fullskjerm - + Load File Last inn Fil - + Load/Remove Amiibo Last/Fjern Amiibo - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room + Opprett rom + + + + Direct Connect to Room - - Multiplayer Direct Connect to Room + + Leave Room + Forlat rom + + + + Show Current Room - - Multiplayer Leave Room - - - - - Multiplayer Show Current Room - - - - + Restart Emulation - Omstart Emuleringen + Omstart emuleringen - + Stop Emulation - Stopp Emuleringen + Stopp emuleringen - + TAS Record Spill inn TAS - + TAS Reset Tilbakestill TAS - + TAS Start/Stop Start/Stopp TAS - + Toggle Filter Bar - Veksle Filterlinje + Veksle filterlinje - + Toggle Framerate Limit - Veksle Bildefrekvensgrense + Veksle bildefrekvensgrense - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning - Veksle Muspanorering + Veksle musepanorering - + Toggle Renderdoc Capture - + Toggle Status Bar - Veksle Statuslinje + Veksle statuslinje + + + + Toggle Performance Overlay + @@ -6411,12 +6666,12 @@ Debug Message: Install - Installer + Installér Install Files to NAND - Installer filer til NAND + Installér filer til NAND @@ -6434,37 +6689,37 @@ Debug Message: Loading Shaders 387 / 1628 - Laster inn Shadere 387 / 1628 + Laster inn skyggeleggere 387 / 1628 Loading Shaders %v out of %m - Laster inn shadere %v / %m + Laster inn skyggeleggere %v / %m Estimated Time 5m 4s - Estimert Tid 5m 4s + Tidsanslag 5m 4s - + Loading... - Laster inn... + Laster inn ... - + Loading Shaders %1 / %2 - Laster inn Shadere %1 / %2 + Laster inn skyggeleggere %1 / %2 - + Launching... - Starter... + Starter ... - + Estimated Time %1 - Estimert Tid %1 + Anslått tid %1 @@ -6493,7 +6748,7 @@ Debug Message: Games I Own - Spill Jeg Eier + Spill jeg eier @@ -6503,7 +6758,7 @@ Debug Message: Hide Full Rooms - Gjem Fulle Rom + Skjul fulle rom @@ -6511,44 +6766,44 @@ Debug Message: Oppdater Lobbyen - + Password Required to Join - Passord Kreves For Å Delta + Passord kreves for å bli med - + Password: Passord: - + Players Spillere - + Room Name Romnavn - + Preferred Game Foretrukket spill - + Host Vert - + Refreshing Oppdaterer - + Refresh List - Oppdater liste + Oppfrisk liste @@ -6566,12 +6821,12 @@ Debug Message: &Recent Files - Nylige file&r + &Nylige filer Open &Eden Folders - + Åpne &Eden-mapper @@ -6586,7 +6841,7 @@ Debug Message: &Reset Window Size - Nullstill vindusstø&rrelse + &Tilbakestill vindusstørrelse @@ -6595,1091 +6850,1153 @@ Debug Message: + &Game List Mode + &Spilliste-modus + + + + Game &Icon Size + Spill&ikonstørrelse + + + Reset Window Size to &720p - Tilbakestill vindusstørrelse til &720p + Tilbakestill vindusstørrelsen til &720p - + Reset Window Size to 720p - Tilbakestill vindusstørrelse til 720p + Tilbakestill vindusstørrelsen til 720p - + Reset Window Size to &900p - Tilbakestill vindusstørrelse til &900p + Tilbakestill vindusstørrelsen til &900p - + Reset Window Size to 900p - Tilbakestill vindusstørrelse til 900p + Tilbakestill vindusstørrelsen til 900p - + Reset Window Size to &1080p - Tilbakestill vindusstørrelse til &1080p + Tilbakestill vindusstørrelsen til &1080p - + Reset Window Size to 1080p - Tilbakestill vindusstørrelse til 1080p + Tilbakestill vindusstørrelsen til 1080p - + &Multiplayer - Flerspiller (&M) + &Flerspiller - + &Tools Verk&tøy - + Am&iibo - + am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + Installér &fastvare - + &Help &Hjelp - + &Install Files to NAND... - &Installer filer til NAND... + &Installér filer til NAND ... - + L&oad File... - Last inn fil... (&O) + La&st inn fil ... - + Load &Folder... - Last inn mappe (&F) - - - - E&xit - &Avslutt - - - - - &Pause - &Paus + Last inn ma&ppe... - &Stop - &Stop + E&xit + A&vslutt - + + + &Pause + &Pause + + + + &Stop + &Stopp + + + &Verify Installed Contents - - - &About Eden - - - - - Single &Window Mode - Énvindusmodus (&W) - - - - Con&figure... - Kon&figurer... - + &About Eden + &Om Eden + + + + Single &Window Mode + Enkelt&vindusmodus + + + + Con&figure... + Se&tt opp ... + + + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Vis &filterlinje - + Show &Status Bar Vis &statuslinje - + Show Status Bar Vis statuslinje - - - &Browse Public Game Lobby - Bla gjennom den offentlige spillobbyen (&B) - - - - &Create Room - Opprett Rom (&C) - + &Browse Public Game Lobby + Bla gjennom den offentlige spillo&bbyen + + + + &Create Room + &Opprett rom + + + &Leave Room - Forlat Rommet (&L) - - - - &Direct Connect to Room - Direkte Tilkobling Til Rommet (&D) - - - - &Show Current Room - Vis nåværende rom (&S) + &Forlat rom + &Direct Connect to Room + &Direkte tilkobling til rommet + + + + &Show Current Room + &Vis nåværende rom + + + F&ullscreen F&ullskjerm - - - &Restart - Omstart (&R) - - - - Load/Remove &Amiibo... - Last/Fjern Amiibo (&A) - - &Report Compatibility - Rapporter kompatibilitet (&R) + &Restart + &Omstart + Load/Remove &Amiibo... + Last/Fjern &amiibo ... + + + + &Report Compatibility + Meld inn kompati&bilitet + + + Open &Mods Page Åpne Modifikasjonssiden (&M) - + Open &Quickstart Guide Åpne Hurtigstartsguiden (&Q) - + &FAQ &FAQ - + &Capture Screenshot - Ta Skjermbilde (&C) + &Ta skjermklipp - + &Album - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Slett spilldata - + &Restore Amiibo - + &Gjenopprett amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... - Konfigurer TAS (&C) + &Konfigurer TAS ... - + Configure C&urrent Game... - Konfigurer Gjeldende Spill (&U) + Konfigurer nåværende spill ... - - + + &Start &Start - + &Reset - Tilbakestill (&R) + &Omstart - - + + R&ecord - Spill inn (%E) + T&a opp - + Open &Controller Menu - + Åpne &kontrollermeny - + Install Decryption &Keys - + &Home Menu - + &Hjem-meny - + &Desktop - + &Skrivebord - + &Application Menu - + &Appmeny - + &Root Data Folder - + &Rotdatamappe - + &NAND Folder - + &NAND-mappe - + &SDMC Folder - + &SDMC-mappe - + &Mod Folder - + &Mod-mappe - + &Log Folder - + &Loggmappe - + From Folder - + Fra mappe - + From ZIP - + Fra ZIP - + &Eden Dependencies - + &Eden-avhengigheter - + &Data Manager - + &Databehandler - + + &Tree View + &Trevisning + + + + &Grid View + &Rutenettvisning + + + + Game Icon Size + Spillikonstørrelse + + + + + + None + Ingen + + + + Show Game &Name + Vis spill&navn + + + + Show &Performance Overlay + Vis &ytelsesoverlegg + + + + Small (32x32) + Liten (32x32) + + + + Standard (64x64) + Standard (64x64) + + + + Large (128x128) + Stor (128x128) + + + + Full Size (256x256) + Full størrelse (256x256) + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Kjører et spill - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Slå på lyd - + Mute - + Demp - + Reset Volume - + Tilbakestill volum - + &Clear Recent Files - + &Tøm nylige filer - + &Continue - + &Fortsett - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (64-bit) - + (32-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Lukker programvare ... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Mappen finnes ikke! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Fjern fil - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Full - + Skeleton - + Skjelett - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - + Utvinner RomFS... - - + + Cancel - + Avbryt - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Velg mappe - + Properties - + Egenskaper - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - + Installerer filen «%1» ... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + Systemapp - + System Archive - + Systemarkiv - + System Application Update - + Firmware Package (Type A) - + Fastvarepakke (Type A) - + Firmware Package (Type B) - + Fastvarepakke (Type B) - + Game - + Spill - + Game Update - + Spilloppdatering - + Game DLC - + Spill-DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + Filen ble ikke funnet - + File "%1" not found - + OK - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Feil under åpning av URL - + Unable to open the URL "%1". - + TAS Recording - + TAS-opptak - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - + amiibo - - + + The current amiibo has been removed - + Error - + Feil - - + + The current game is not looking for amiibos - + Det nåværende spillet ser ikke etter amiiboer - + Amiibo File (%1);; All Files (*.*) - + amiibo-fil (%1);; Alle filer (*.*) - + Load Amiibo - + Last inn amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Zippede arkiver (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Ingen fastvare tilgjengelig - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + Ta skjermklipp - + PNG Image (*.png) - + PNG-bilde (*.png) - + Update Available - + Oppdatering tilgjengelig - - Download the %1 update? - + + Download %1? + Vil du laste ned %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Skala: %1x - + Speed: %1% / %2% - + Hastighet: %1% / %2% - + Speed: %1% - + Hastighet: %1% - + Game: %1 FPS - + Spill: %1 FPS - + Frame: %1 ms - + Ramme: %1 ms - + FSR - + FSR - + NO AA - + INGEN AA - + VOLUME: MUTE - + VOLUM: DEMP - + VOLUME: %1% Volume percentage (e.g. 50%) - + VOLUM: %1% - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7687,123 +8004,133 @@ Would you like to force it for future launches? - + Use X11 - + Bruk X11 - + Continue with Wayland - + Don't show again - + Ikke vis igjen - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + Treg + + + + Turbo + Turbo + + + + Unlocked + Ubegrenset + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA - + FXAA SMAA - + SMAA Nearest - + Nærmeste Bilinear - + Bilineær Bicubic - + Bikubisk - + Zero-Tangent - - - B-Spline - - - Mitchell - + B-Spline + B-Spline - Spline-1 - + Mitchell + Mitchell - + + Spline-1 + Spline-1 + + + Gaussian - + Gaussisk Lanczos - + Lanczos @@ -7813,74 +8140,74 @@ Would you like to bypass this and exit anyway? Area - + Område MMPX - + MMPX Docked - + I dokking Handheld - + Håndholdt Fast - + Rask Balanced - + Balansert Accurate - + Nøyaktig Vulkan - - - - - OpenGL GLSL - + Vulkan - OpenGL SPIRV - - - - - OpenGL GLASM - + OpenGL GLSL + OpenGL GLSL + OpenGL SPIRV + OpenGL SPIRV + + + + OpenGL GLASM + OpenGL GLASM + + + Null - + Null MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7891,7 +8218,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7899,11 +8226,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -7940,17 +8280,17 @@ If you wish to clean up the files which were left in the old data location, you Forum Username - Forum Brukernavn + Forumbrukernavn IP Address - IP Adresse + IP-adresse Refresh - Oppdater + Oppfrisk @@ -7968,7 +8308,7 @@ If you wish to clean up the files which were left in the old data location, you Not Connected - Ikke Tilkoblet + Ikke tilkoblet @@ -8010,7 +8350,7 @@ Fortsette likevel? Leave Room - Forlat Rommet + Forlat rom @@ -8034,7 +8374,7 @@ Fortsette likevel? New User - + Ny bruker @@ -8049,17 +8389,17 @@ Fortsette likevel? UUID - + UUID Eden - + Eden Username - + Brukernavn @@ -8072,86 +8412,86 @@ Fortsette likevel? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + Bildeformater (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Ingen fastvare tilgjengelig - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + Ingen bilder ble funnet - + No avatar images were found in the archive. - - + + All Good Tooltip - + Alt er i orden - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8190,12 +8530,86 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + Rammetid + + + + 0 ms + 0 ms + + + + + Min: 0 + + + + + + Max: 0 + Maks: 0 + + + + + Avg: 0 + Snitt: %1 + + + + FPS + FPS + + + + 0 fps + 0 fps + + + + %1 fps + %1 fps + + + + + Avg: %1 + Snitt: %1 + + + + + Min: %1 + + + + + + Max: %1 + Maks: %1 + + + + %1 ms + %1 ms + + PlayerControlPreview START/PAUSE - START/PAUS + START/PAUSE @@ -8208,7 +8622,7 @@ p, li { white-space: pre-wrap; } Cancel - + Avbryt @@ -8224,39 +8638,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Installerte SD-titler - - - - Installed NAND Titles - Installerte NAND-titler - - - - System Titles - System Titler - - - - Add New Game Directory - Legg til ny spillmappe - - - - Favorites - Favoritter - - - - - + + + Migration - + Clear Shader Cache @@ -8280,27 +8669,29 @@ p, li { white-space: pre-wrap; } - + + + No - + Nei - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8332,7 +8723,7 @@ p, li { white-space: pre-wrap; } [not set] - [ikke satt] + [ikke angitt] @@ -8514,7 +8905,7 @@ p, li { white-space: pre-wrap; } Options - Instillinger + Innstillinger @@ -8594,12 +8985,12 @@ p, li { white-space: pre-wrap; } Stick L - Venstre Stikke + Venstre styrepinne Stick R - Høyre Stikke + Høyre styrepinne @@ -8625,7 +9016,7 @@ p, li { white-space: pre-wrap; } Touch - Touch + Berøring @@ -8646,7 +9037,7 @@ p, li { white-space: pre-wrap; } Task - oppgave + Oppgave @@ -8691,18 +9082,63 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 spiller %2 + + + Play Time: %1 + Tid spilt: %1 + + + + Never Played + Aldri spilt + + + + Version: %1 + Versjon: %1 + + + + Version: 1.0.0 + Versjon: 1.0.0 + + + + Installed SD Titles + Installerte SD-titler + + + + Installed NAND Titles + Installerte NAND-titler + + + + System Titles + Systemtitler + + + + Add New Game Directory + Legg til ny spillmappe + + + + Favorites + Favoritter + QtAmiiboSettingsDialog Amiibo Settings - Amiibo Innstillinger + Amiibo-innstillinger Amiibo Info - Amiibo Info + amiibo-info @@ -8712,7 +9148,7 @@ p, li { white-space: pre-wrap; } Type - TypeType + Type @@ -8722,12 +9158,12 @@ p, li { white-space: pre-wrap; } Amiibo Data - Amiibo Data + amiibo-data Custom Name - Tilpasset Navn + Tilpasset navn @@ -8737,7 +9173,7 @@ p, li { white-space: pre-wrap; } Creation Date - Skapelsesdato + Opprettingsdato @@ -8747,7 +9183,7 @@ p, li { white-space: pre-wrap; } Modification Date - Modifiseringsdato + Endringsdato @@ -8762,12 +9198,12 @@ p, li { white-space: pre-wrap; } Game Id - Spillid + Spill-ID Mount Amiibo - Monter Amiibo + Montér amiibo @@ -8808,250 +9244,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + Spillet krever fastvare - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - + Installerer fastvare ... - - - - - + + + + + Cancel - + Avbryt - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Er du HELT sikker? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - + %1.zip - - + + Zipped Archives (*.zip) - + Zippede arkiver (*.zip) - + Exporting data. This may take a while... - + Exporting - + Eksporterer - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Eksportering mislyktes - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Importerer - + Imported Successfully - + Importeringen var vellykket - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Importering mislyktes - + Ensure you have read permissions on the targeted directory and try again. @@ -9059,22 +9495,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9082,48 +9518,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9135,18 +9571,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9154,229 +9590,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Opprett snarvei - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Opprett ikon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Ingen fastvare tilgjengelig - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + Mod-navn + + + + What should this mod be called? + + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/Patch + + + + Cheat + + + + + Mod Type + Mod-type + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + «%1»-zip-filen er tom + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9384,83 +9876,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9481,56 +9973,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9571,9 +10063,9 @@ This is recommended if you want to share data between emulators. - + Pro Controller - Pro-Kontroller + Pro Controller @@ -9584,7 +10076,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Doble Joycons @@ -9597,7 +10089,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Venstre Joycon @@ -9610,7 +10102,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Høyre Joycon @@ -9639,7 +10131,7 @@ This is recommended if you want to share data between emulators. - + Handheld Håndholdt @@ -9671,23 +10163,23 @@ This is recommended if you want to share data between emulators. Console Mode - Konsollmodus + Bærbar modus Docked - Dokket + I dokking Vibration - Vibrasjon + Vibrering Configure - Konfigurer + Sett opp @@ -9702,7 +10194,7 @@ This is recommended if you want to share data between emulators. Create - Lag + Opprett @@ -9757,37 +10249,37 @@ This is recommended if you want to share data between emulators. Not enough controllers - + Ikke nok kontrollere - + GameCube Controller GameCube-kontroller - + Poke Ball Plus - Poke Ball Plus + Poké Ball Plus - + NES Controller NES-kontroller - + SNES Controller SNES-kontroller - + N64 Controller N64-kontroller - + Sega Genesis - Sega Genesis + Sega Mega Drive @@ -9856,7 +10348,7 @@ Prøv igjen eller kontakt utvikleren av programvaren. Profile Icon Editor - Redigering av profilikon + Profilikonredigerer @@ -9919,7 +10411,7 @@ Prøv igjen eller kontakt utvikleren av programvaren. Software Keyboard - Programvare Tastatur + Programvaretastatur @@ -9940,13 +10432,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Avbryt @@ -9968,25 +10460,25 @@ By selecting "From Eden", previous save data stored in Ryujinx will be From Eden - + Fra Eden From Ryujinx - + Fra Ryujinx Cancel - + Avbryt - + Failed to link save data - + OS returned error: %1 @@ -9996,7 +10488,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Enter a hotkey - Skriv inn en hurtigtast + Velg en hurtigtast @@ -10009,20 +10501,20 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Hours: - + Timer: Minutes: - + Minutter: Seconds: - + Sekunder: - + Total play time reached maximum. diff --git a/dist/languages/nl.ts b/dist/languages/nl.ts index fc65c671b7..ce53ddbf75 100644 --- a/dist/languages/nl.ts +++ b/dist/languages/nl.ts @@ -368,145 +368,149 @@ Dit zou zowel hun forum gebruikersnaam als hun IP-adres verbannen. % - + Amiibo editor - + Controller configuration Controller instellingen - + Data erase Gegevens verwijderen - + Error Fout - + Net connect - + Player select Selecteer speler - + Software keyboard - + Mii Edit - + Online web - + Shop Winkel - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Uitvoer-engine: - + Output Device: Uitvoerapparaat: - + Input Device: Invoerapparaat: - + Mute audio Audio dempen - + Volume: Volume: - + Mute audio when in background Demp audio op de achtergrond - + Multicore CPU Emulation Multicore CPU-emulatie - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Deze optie verhoogt het gebruik van CPU-emulatiethreads van 1 tot maximaal 4. Dit is voornamelijk een debugoptie en mag niet worden uitgeschakeld. - + Memory Layout Geheugenindeling - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Verhoogt de hoeveelheid geëmuleerd RAM van 4 GB van het bord naar de devkit 8/6 GB. -Heeft geen invloed op de prestaties/stabiliteit, maar maakt het mogelijk om HD-textuurmods te laden. + - + Limit Speed Percent Beperk Snelheidspercentage - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -514,6 +518,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -527,28 +551,28 @@ Can help reduce stuttering at lower framerates. Kan helpen om haperingen bij lagere framerates te verminderen. - + Accuracy: Nauwkeurigheid: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Overklokt de geëmuleerde CPU om enkele FPS-beperkingen op te heffen. Zwakkere CPU's kunnen minder presteren en bepaalde games kunnen mogelijk niet goed werken. @@ -556,32 +580,32 @@ Gebruik Boost (1700 MHz) om op de hoogste native kloksnelheid van de Switch te d - + Custom CPU Ticks Aangepaste CPU-ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) Host MMU-emulatie inschakelen (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -590,172 +614,172 @@ Als u deze optie inschakelt, worden lees- en schrijfbewerkingen in het gastgeheu Als u deze optie uitschakelt, worden alle geheugentoegangen gedwongen om gebruik te maken van software-MMU-emulatie. - + Unfuse FMA (improve performance on CPUs without FMA) Ontbind FMA (verbeterd prestatie op CPU's zonder FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Deze optie verbetert de snelheid door de nauwkeurigheid van fused-multiply-add-instructies op CPU's zonder native FMA-ondersteuning te verminderen. - + Faster FRSQRTE and FRECPE Snellere FRSRTE en FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Deze optie verbetert de snelheid van sommige benaderende drijvende-kommagetal-functies door minder nauwkeurige native benaderingen te gebruiken. - + Faster ASIMD instructions (32 bits only) Snellere ASIMD-instructies (alleen 32-bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Deze optie verbetert de snelheid van 32-bits ASIMD-drijvende-kommagetallen door te werken met onjuiste afrondingsmodi. - + Inaccurate NaN handling Onnauwkeurige NaN-verwerking - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Deze optie verbetert de snelheid door NaN-controle te verwijderen. Houd er rekening mee dat dit ook de nauwkeurigheid van bepaalde drijvende-kommainstructies vermindert. - + Disable address space checks Schakel adresruimtecontroles uit - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Negeer globale monitor - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Deze optie verbetert de snelheid door alleen te vertrouwen op de semantiek van cmpxchg om de veiligheid van exclusieve toegangsinstructies te waarborgen. Houd er rekening mee dat dit kan leiden tot deadlocks en andere race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Apparaat: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Resolutie: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Window Adapting Filter: - + FSR Sharpness: FSR-scherpte: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Antialiasing-methode: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Volledig scherm modus: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Aspect Ratio: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -763,24 +787,24 @@ This feature is experimental. - + NVDEC emulation: NVDEC-emulatie: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: ASTC Decodeer Methode: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -789,45 +813,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: VSync-modus: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -835,1317 +869,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Schakel asynchrone presentatie in (alleen Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) Forceer maximale klokken (alleen Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Werkt op de achtergrond terwijl er wordt gewacht op grafische opdrachten om te voorkomen dat de GPU zijn kloksnelheid verlaagt. - + Anisotropic Filtering: Anisotrope Filtering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Gebruik Vulkan-pijplijn-cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Schakel Reactive Flushing In - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback - + Run the game at normal speed during video playback, even when the framerate is unlocked. - + Barrier feedback loops - + Improves rendering of transparency effects in specific games. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed RNG Seed - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Apparaatnaam - + The name of the console. - + Custom RTC Date: Aangepaste RTC Datum: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Taal: - + This option can be overridden when region setting is auto-select - + Region: Regio: - + The region of the console. - + Time Zone: Tijdzone: - + The time zone of the console. - + Sound Output Mode: Geluidsuitvoermodus: - + Console Mode: Console Modus: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Bevestig voordat u de emulatie stopt - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Verberg muis wanneer inactief - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Controller-applet uitschakelen - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) - + BC1 (Low quality) BC1 (Lage Kwaliteit) - + BC3 (Medium quality) BC3 (Gemiddelde kwaliteit) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Accuraat - - - - - Default - Standaard - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Auto - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + Accuraat + + + + + Default + Standaard + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Onveilig - + Paranoid (disables most optimizations) Paranoid (schakelt de meeste optimalisaties uit) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Randloos Venster - + Exclusive Fullscreen Exclusief Volledig Scherm - + No Video Output Geen Video-uitvoer - + CPU Video Decoding CPU Videodecodering - + GPU Video Decoding (Default) GPU Videodecodering (Standaard) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPERIMENTEEL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EXPERIMENTEEL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian Gaussian - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Geen - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Standaart (16:9) - + Force 4:3 Forceer 4:3 - + Force 21:9 Forceer 21:9 - + Force 16:10 Forceer 16:10 - + Stretch to Window Uitrekken naar Venster - + Automatic Automatisch - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japans (日本語) - + American English Amerikaans-Engels - + French (français) Frans (Français) - + German (Deutsch) Duits (Deutsch) - + Italian (italiano) Italiaans (italiano) - + Spanish (español) Spaans (Español) - + Chinese Chinees - + Korean (한국어) Koreaans (한국어) - + Dutch (Nederlands) Nederlands (Nederlands) - + Portuguese (português) Portugees (português) - + Russian (Русский) Russisch (Русский) - + Taiwanese Taiwanese - + British English Brits-Engels - + Canadian French Canadees-Frans - + Latin American Spanish Latijns-Amerikaans Spaans - + Simplified Chinese Vereenvoudigd Chinees - + Traditional Chinese (正體中文) Traditioneel Chinees (正體中文) - + Brazilian Portuguese (português do Brasil) Braziliaans-Portugees (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japan - + USA USA - + Europe Europa - + Australia Australië - + China China - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Standaard (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egypte - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Ijsland - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libië - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polen - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Turkije - + UCT UCT - + Universal Universeel - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Docked - + Handheld Handheld - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2217,7 +2335,7 @@ When a program attempts to open the controller applet, it is immediately closed. Standaard Herstellen - + Auto Auto @@ -2656,81 +2774,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Schakel Debug-asserts in - + Debugging Debugging - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Zet dit aan om de laatst gegenereerde audio commandolijst naar de console te sturen. Alleen van invloed op spellen die de audio renderer gebruiken. - + Dump Audio Commands To Console** Dump Audio-opdrachten naar Console** - + Flush log output on each line - + Enable FS Access Log Schakel FS-toegangslogboek in - + Enable Verbose Reporting Services** Schakel Verbose Reporting Services** in - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2791,13 +2914,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Audio - + CPU CPU @@ -2813,13 +2936,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Algemeen - + Graphics Graphics @@ -2840,7 +2963,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Bediening @@ -2856,7 +2979,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Systeem @@ -2974,58 +3097,58 @@ When a program attempts to open the controller applet, it is immediately closed. Herstel Metagegevenscache - + Select Emulated NAND Directory... Selecteer Geëmuleerde NAND-map... - + Select Emulated SD Directory... Selecteer Geëmuleerde SD-map... - - + + Select Save Data Directory... - + Select Gamecard Path... Selecteer Spelkaartpad... - + Select Dump Directory... Selecteer Dump-map... - + Select Mod Load Directory... Selecteer Mod-laadmap... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3036,7 +3159,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3044,28 +3167,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3076,12 +3199,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3102,20 +3225,55 @@ Would you like to delete the old save data? Algemeen - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Reset Alle Instellingen - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Hiermee worden alle instellingen gereset en alle configuraties per game verwijderd. Hiermee worden gamedirectory's, profielen of invoerprofielen niet verwijderd. Doorgaan? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3145,33 +3303,33 @@ Would you like to delete the old save data? Achtergrondkleur: - + % FSR sharpening percentage (e.g. 50%) % - + Off Uit - + VSync Off VSync Uit - + Recommended Aanbevolen - + On Aan - + VSync On VSync Aan @@ -3222,13 +3380,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3800,7 +3958,7 @@ Would you like to delete the old save data? - + Left Stick Linker Stick @@ -3910,14 +4068,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3930,22 +4088,22 @@ Would you like to delete the old save data? - + Plus Plus - + ZR ZR - - + + R R @@ -4002,7 +4160,7 @@ Would you like to delete the old save data? - + Right Stick Rechter Stick @@ -4171,88 +4329,88 @@ Om de assen om te keren, beweeg je de joystick eerst verticaal en vervolgens hor Sega Genesis - + Start / Pause Begin / Onderbreken - + Z Z - + Control Stick Control Stick - + C-Stick C-Stick - + Shake! Schud! - + [waiting] [aan het wachten] - + New Profile Nieuw Profiel - + Enter a profile name: Voer een profielnaam in: - - + + Create Input Profile Maak Invoerprofiel - + The given profile name is not valid! De ingevoerde profielnaam is niet geldig! - + Failed to create the input profile "%1" Kon invoerprofiel "%1" niet maken - + Delete Input Profile Verwijder Invoerprofiel - + Failed to delete the input profile "%1" Kon invoerprofiel "%1" niet verwijderen - + Load Input Profile Laad Invoerprofiel - + Failed to load the input profile "%1" Kon invoerprofiel "%1" niet laden - + Save Input Profile Sla Invoerprofiel op - + Failed to save the input profile "%1" Kon invoerprofiel "%1" niet opslaan @@ -4547,11 +4705,6 @@ De huidige waarden zijn %1% en %2%. Enable Airplane Mode - - - None - Geen - ConfigurePerGame @@ -4606,52 +4759,57 @@ De huidige waarden zijn %1% en %2%. Sommige instellingen zijn alleen beschikbaar als een spel niet actief is. - + Add-Ons Add-Ons - + System Systeem - + CPU CPU - + Graphics Graphics - + Adv. Graphics Adv. Graphics - + Ext. Graphics - + Audio Audio - + Input Profiles Invoerprofielen - + Network + Applets + + + + Properties Eigenschappen @@ -4669,15 +4827,110 @@ De huidige waarden zijn %1% en %2%. Add-Ons - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Patch-naam - + Version Versie + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4725,62 +4978,62 @@ De huidige waarden zijn %1% en %2%. %2 - + Users Gebruikers - + Error deleting image Fout tijdens verwijderen afbeelding - + Error occurred attempting to overwrite previous image at: %1. Er is een fout opgetreden bij het overschrijven van de vorige afbeelding in: %1. - + Error deleting file Fout tijdens verwijderen bestand - + Unable to delete existing file: %1. Kan bestaand bestand niet verwijderen: %1. - + Error creating user image directory Fout tijdens het maken van de map met afbeeldingen van de gebruiker - + Unable to create directory %1 for storing user images. Fout tijdens het maken van map %1 om gebruikersafbeeldingen in te bewaren. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4788,17 +5041,17 @@ De huidige waarden zijn %1% en %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Deze gebruiker verwijderen? Alle opgeslagen gegevens van de gebruiker worden verwijderd. - + Confirm Delete Bevestig Verwijdering - + Name: %1 UUID: %2 Naam: %1 @@ -5000,17 +5253,22 @@ UUID: %2 Onderbreek de uitvoering tijdens ladingen - + + Show recording dialog + + + + Script Directory Script-map - + Path Pad - + ... ... @@ -5023,7 +5281,7 @@ UUID: %2 TAS-configuratie - + Select TAS Load Directory... Selecteer TAS-laadmap... @@ -5161,64 +5419,43 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa ConfigureUI - - - + + None Geen - - Small (32x32) - Klein (32x32) - - - - Standard (64x64) - Standaard (64x64) - - - - Large (128x128) - Groot (128x128) - - - - Full Size (256x256) - Volledige Grootte (256x256) - - - + Small (24x24) Klein (24x24) - + Standard (48x48) Standaard (48x48) - + Large (72x72) Groot (72x72) - + Filename Bestandsnaam - + Filetype Bestandstype - + Title ID Titel-ID - + Title Name Titelnaam @@ -5287,71 +5524,66 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa - Game Icon Size: - Grootte Spelicoon: - - - Folder Icon Size: Grootte Mapicoon: - + Row 1 Text: Rij 1 Tekst: - + Row 2 Text: Rij 2 Tekst: - + Screenshots Schermafbeelding - + Ask Where To Save Screenshots (Windows Only) Vraag waar schermafbeeldingen moeten worden opgeslagen (alleen Windows) - + Screenshots Path: Schermafbeeldingspad: - + ... ... - + TextLabel TextLabel - + Resolution: Resolutie: - + Select Screenshots Path... Selecteer Schermafbeeldingspad... - + <System> <System> - + English Engels - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5485,20 +5717,20 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa Toon huidige game in uw Discord-status - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5530,27 +5762,27 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5588,7 +5820,7 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa - + Calculating... @@ -5611,12 +5843,12 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa - + Dependency - + Version @@ -5790,44 +6022,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL niet beschikbaar! - + OpenGL shared contexts are not supported. OpenGL gedeelde contexten worden niet ondersteund. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Fout tijdens het initialiseren van OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Je GPU ondersteunt mogelijk geen OpenGL, of je hebt niet de laatste grafische stuurprogramma. - + Error while initializing OpenGL 4.6! Fout tijdens het initialiseren van OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Je GPU ondersteunt mogelijk OpenGL 4.6 niet, of je hebt niet het laatste grafische stuurprogramma.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Je GPU ondersteunt mogelijk een of meer vereiste OpenGL-extensies niet. Zorg ervoor dat je het laatste grafische stuurprogramma hebt.<br><br>GL Renderer:<br>%1<br><br>Ondersteunde extensies:<br>%2 @@ -5835,203 +6067,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Favoriet - + Start Game Start Spel - + Start Game without Custom Configuration Start Spel zonder Aangepaste Configuratie - + Open Save Data Location Open Locatie van Save-data - + Open Mod Data Location Open Locatie van Mod-data - + Open Transferable Pipeline Cache Open Overdraagbare Pijplijn-cache - + Link to Ryujinx - + Remove Verwijder - + Remove Installed Update Verwijder Geïnstalleerde Update - + Remove All Installed DLC Verwijder Alle Geïnstalleerde DLC's - + Remove Custom Configuration Verwijder Aangepaste Configuraties - + Remove Cache Storage Verwijder Cache-opslag - + Remove OpenGL Pipeline Cache Verwijder OpenGL-pijplijn-cache - + Remove Vulkan Pipeline Cache Verwijder Vulkan-pijplijn-cache - + Remove All Pipeline Caches Verwijder Alle Pijplijn-caches - + Remove All Installed Contents Verwijder Alle Geïnstalleerde Inhoud - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Dump RomFS - + Dump RomFS to SDMC Dump RomFS naar SDMC - + Verify Integrity Verifieer Integriteit - + Copy Title ID to Clipboard Kopiëer Titel-ID naar Klembord - + Navigate to GameDB entry Navigeer naar GameDB-invoer - + Create Shortcut Maak Snelkoppeling - + Add to Desktop Toevoegen aan Bureaublad - + Add to Applications Menu Toevoegen aan menu Toepassingen - + Configure Game - + Scan Subfolders Scan Submappen - + Remove Game Directory Verwijder Spelmap - + ▲ Move Up ▲ Omhoog - + ▼ Move Down ▼ Omlaag - + Open Directory Location Open Maplocatie - + Clear Verwijder - + Name Naam - + Compatibility Compatibiliteit - + Add-ons Add-ons - + File type Bestandssoort - + Size Grootte - + Play time @@ -6039,62 +6276,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame In het spel - + Game starts, but crashes or major glitches prevent it from being completed. Het spel start, maar crashes of grote glitches voorkomen dat het wordt voltooid. - + Perfect Perfect - + Game can be played without issues. Het spel kan zonder problemen gespeeld worden. - + Playable Speelbaar - + Game functions with minor graphical or audio glitches and is playable from start to finish. Het spel werkt met kleine grafische of audiofouten en is speelbaar van begin tot eind. - + Intro/Menu Intro/Menu - + Game loads, but is unable to progress past the Start Screen. Het spel wordt geladen, maar komt niet verder dan het startscherm. - + Won't Boot Start niet op - + The game crashes when attempting to startup. Het spel loopt vast bij het opstarten. - + Not Tested Niet Getest - + The game has not yet been tested. Het spel is nog niet getest. @@ -6102,7 +6339,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Dubbel-klik om een ​​nieuwe map toe te voegen aan de spellijst @@ -6110,17 +6347,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 van %n resultaat(en)%1 van %n resultaat(en) - + Filter: Filter: - + Enter pattern to filter Voer patroon in om te filteren @@ -6196,12 +6433,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Fout - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6210,19 +6447,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Audio Dempen/Dempen Opheffen - - - - - - - - @@ -6245,154 +6474,180 @@ Debug Message: + + + + + + + + + + + Main Window Hoofdvenster - + Audio Volume Down Audiovolume Omlaag - + Audio Volume Up Audiovolume Omhoog - + Capture Screenshot Leg Schermafbeelding Vast - + Change Adapting Filter Wijzig Aanpassingsfilter - + Change Docked Mode Wijzig Docked-modus - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Emulatie Doorgaan/Onderbreken - + Exit Fullscreen Volledig Scherm Afsluiten - + Exit Eden - + Fullscreen Volledig Scherm - + Load File Laad Bestand - + Load/Remove Amiibo Laad/Verwijder Amiibo - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room - - Multiplayer Direct Connect to Room + + Direct Connect to Room - - Multiplayer Leave Room + + Leave Room - - Multiplayer Show Current Room + + Show Current Room - + Restart Emulation Herstart Emulatie - + Stop Emulation Stop Emulatie - + TAS Record TAS Opname - + TAS Reset TAS Reset - + TAS Start/Stop TAS Start/Stop - + Toggle Filter Bar Schakel Filterbalk - + Toggle Framerate Limit Schakel Frameratelimiet - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Schakel Muispanning - + Toggle Renderdoc Capture - + Toggle Status Bar Schakel Statusbalk + + + Toggle Performance Overlay + + InstallDialog @@ -6445,22 +6700,22 @@ Debug Message: Geschatte Tijd 5m 4s - + Loading... Laden... - + Loading Shaders %1 / %2 Shaders Laden %1 / %2 - + Launching... Starten... - + Estimated Time %1 Geschatte Tijd %1 @@ -6509,42 +6764,42 @@ Debug Message: Vernieuw Lobby - + Password Required to Join Wachtwoord vereist om toegang te krijgen - + Password: Wachtwoord: - + Players Spelers - + Room Name Kamernaam - + Preferred Game Voorkeursspel - + Host Host - + Refreshing Vernieuwen - + Refresh List Vernieuw Lijst @@ -6593,1091 +6848,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Herstel Venstergrootte naar &720p - + Reset Window Size to 720p Herstel Venstergrootte naar 720p - + Reset Window Size to &900p Herstel Venstergrootte naar &900p - + Reset Window Size to 900p Herstel Venstergrootte naar 900p - + Reset Window Size to &1080p Herstel Venstergrootte naar &1080p - + Reset Window Size to 1080p Herstel Venstergrootte naar 1080p - + &Multiplayer &Multiplayer - + &Tools &Tools - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Help - + &Install Files to NAND... &Installeer Bestanden naar NAND... - + L&oad File... L&aad Bestand... - + Load &Folder... Laad &Map... - + E&xit A&fsluiten - - + + &Pause &Onderbreken - + &Stop &Stop - + &Verify Installed Contents - + &About Eden - + Single &Window Mode Modus Enkel Venster - + Con&figure... Con&figureer... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Toon &Filterbalk - + Show &Status Bar Toon &Statusbalk - + Show Status Bar Toon Statusbalk - + &Browse Public Game Lobby &Bladeren door Openbare Spellobby - + &Create Room &Maak Kamer - + &Leave Room &Verlaat Kamer - + &Direct Connect to Room &Directe Verbinding met Kamer - + &Show Current Room &Toon Huidige Kamer - + F&ullscreen Volledig Scherm - + &Restart &Herstart - + Load/Remove &Amiibo... Laad/Verwijder &Amiibo... - + &Report Compatibility &Rapporteer Compatibiliteit - + Open &Mods Page Open &Mod-pagina - + Open &Quickstart Guide Open &Snelstartgids - + &FAQ &FAQ - + &Capture Screenshot &Leg Schermafbeelding Vast - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... &Configureer TAS... - + Configure C&urrent Game... Configureer Huidig Spel... - - + + &Start &Start - + &Reset &Herstel - - + + R&ecord Opnemen - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7685,69 +8002,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7774,27 +8101,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7849,22 +8176,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7872,13 +8199,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7889,7 +8216,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7897,11 +8224,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8070,86 +8410,86 @@ Toch doorgaan? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8188,6 +8528,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8222,39 +8636,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Geïnstalleerde SD-titels - - - - Installed NAND Titles - Geïnstalleerde NAND-titels - - - - System Titles - Systeemtitels - - - - Add New Game Directory - Voeg Nieuwe Spelmap Toe - - - - Favorites - Favorieten - - - - - + + + Migration - + Clear Shader Cache @@ -8287,18 +8676,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8689,6 +9078,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 speelt %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Geïnstalleerde SD-titels + + + + Installed NAND Titles + Geïnstalleerde NAND-titels + + + + System Titles + Systeemtitels + + + + Add New Game Directory + Voeg Nieuwe Spelmap Toe + + + + Favorites + Favorieten + QtAmiiboSettingsDialog @@ -8806,250 +9240,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9057,22 +9491,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9080,48 +9514,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9133,18 +9567,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9152,229 +9586,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9382,83 +9872,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9479,56 +9969,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9569,7 +10059,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9582,7 +10072,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Twee Joycons @@ -9595,7 +10085,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Linker Joycon @@ -9608,7 +10098,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Rechter Joycon @@ -9637,7 +10127,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9758,32 +10248,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller GameCube-controller - + Poke Ball Plus Poke Ball Plus - + NES Controller NES-controller - + SNES Controller SNES-controller - + N64 Controller N64-controller - + Sega Genesis Sega Genesis @@ -9938,13 +10428,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Annuleer @@ -9979,12 +10469,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10020,7 +10510,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/pl.ts b/dist/languages/pl.ts index ff7287eba0..d151bdebc4 100644 --- a/dist/languages/pl.ts +++ b/dist/languages/pl.ts @@ -375,146 +375,150 @@ To zbanuje jego/jej nick na forum, oraz jego/jej adres IP. % - + Amiibo editor Edytor amiibo - + Controller configuration Konfiguracja kontrolera - + Data erase Usuń dane - + Error Błąd - + Net connect Połączenie sieciowe - + Player select Wybór gracza - + Software keyboard Klawiatura programowa - + Mii Edit Edycja Mii - + Online web Strona online - + Shop Sklep - + Photo viewer Przeglądarka zdjęć - + Offline web Strona offline - + Login share Udostępnij Login - + Wifi web auth Uwierzytelnianie Wi-Fi w przeglądarce - + My page Moja strona - + Enable Overlay Applet Włącz aplet nakładki - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Silnik wyjściowy - + Output Device: Urządzenie wyjściowe: - + Input Device: Urządzenie wejściowe: - + Mute audio Wycisz dźwięk - + Volume: Głośność: - + Mute audio when in background Wyciszaj audio gdy yuzu działa w tle - + Multicore CPU Emulation Emulacja CPU Wielordzeniowa - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Ta opcja zwiększa liczbę wątków emulacji CPU z 1 do maksymalnie 4. To głównie opcja do debugowania i nie powinna być wyłączana. - + Memory Layout Układ pamięci - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Zwiększa ilość emulowanej pamięci RAM z 4 GB (wariant płyty) do 8/6 GB (wariant devkit). -Nie wpływa na wydajność ani stabilność, ale może umożliwić wczytywanie modów z teksturami HD. + - + Limit Speed Percent Procent limitu prędkości - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +526,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -535,60 +559,60 @@ Can help reduce stuttering at lower framerates. Może pomóc zredukować przycięcia przy niższej liczbie klatek. - + Accuracy: Precyzja: - + Change the accuracy of the emulated CPU (for debugging only). Zmień dokładność emulowanego CPU (tylko do debugowania). - - + + Backend: Backend: - + CPU Overclock Podkręcanie CPU - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Podkręca emulowany procesor, aby usunąć niektóre ograniczenia liczby klatek na sekundę. Słabsze procesory mogą wykazywać obniżoną wydajność, a niektóre gry mogą działać nieprawidłowo. Użyj opcji Boost (1700 MHz), aby uruchomić urządzenie z najwyższą natywną częstotliwością taktowania Switch, lub Szybki (2000 MHz), aby uruchomić urządzenie z dwukrotnie wyższą częstotliwością taktowania. - + Custom CPU Ticks Niestandardowe cykle CPU - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Ustaw niestandardową wartość taktów CPU. Wyższe wartości mogą zwiększyć wydajność, ale mogą też powodować zawieszanie się gry. Zalecany zakres to 77–21000. - + Virtual Table Bouncing Odbijanie tablicy wirtualnej - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort Pomija (emulując zwrócenie wartości 0) wszystkie funkcje, które wyzwalają wyjątek prefetch - + Enable Host MMU Emulation (fastmem) Włącz emulację MMU hosta (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,100 +621,100 @@ Włączenie powoduje, że odczyty/zapisy pamięci gościa trafiają bezpośredni Wyłączenie wymusza użycie emulacji programowej MMU dla wszystkich dostępów do pamięci. - + Unfuse FMA (improve performance on CPUs without FMA) Unfuse FMA (zwiększ wydajność na procesorach bez FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Ta opcja zwiększa szybkość kosztem dokładności instrukcji FMA (fused-multiply-add) na procesorach bez natywnego wsparcia FMA. - + Faster FRSQRTE and FRECPE Szybsze FRSQRTE i FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Ta opcja poprawia szybkość niektórych funkcji zmiennoprzecinkowych, używając mniej dokładnych natywnych aproksymacji. - + Faster ASIMD instructions (32 bits only) Szybsze instrukcje ASIMD (Tylko 32-bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Ta opcja przyspiesza 32-bitowe funkcje zmiennoprzecinkowe ASIMD, uruchamiając je z nieprawidłowymi trybami zaokrąglania. - + Inaccurate NaN handling Niedokładna obsługa NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Ta opcja zwiększa szybkość poprzez wyłączenie sprawdzania NaN. Uwaga: obniża to dokładność niektórych instrukcji zmiennoprzecinkowych. - + Disable address space checks Wyłącz sprawdzanie przestrzeni adresów - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Ta opcja poprawia szybkość poprzez usunięcie sprawdzania bezpieczeństwa przed każdą operacją pamięci. Wyłączenie może umożliwić wykonanie dowolnego kodu. - + Ignore global monitor Ignoruj ogólne monitorowanie - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Ta opcja zwiększa szybkość, polegając wyłącznie na semantyce „cmpxchg” w celu zapewnienia bezpieczeństwa instrukcji z dostępem wyłącznym. Uwaga: może to prowadzić do zakleszczeń i innych warunków wyścigu. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Zmienia wyjściowe API grafiki. Zalecany jest Vulkan. - + Device: Urządzenie: - + This setting selects the GPU to use (Vulkan only). To ustawienie wybiera używany GPU (tylko Vulkan). - + Resolution: Rozdzielczość: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -699,27 +723,27 @@ Wyższe rozdzielczości wymagają więcej VRAM i przepustowości. Opcje poniżej 1x mogą powodować artefakty. - + Window Adapting Filter: Filtr Adaptującego Okna: - + FSR Sharpness: Ostrość FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. Określa, jak bardzo obraz będzie wyostrzony przy użyciu dynamicznego kontrastu FSR. - + Anti-Aliasing Method: Metoda Anty-Aliasingu: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -728,12 +752,12 @@ SMAA oferuje najlepszą jakość. FXAA może zapewnić stabilniejszy obraz w niższych rozdzielczościach. - + Fullscreen Mode: Tryb Pełnoekranowy: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -742,12 +766,12 @@ Tryb bez ramek zapewnia najlepszą zgodność z klawiaturą ekranową wymaganą Pełny ekran wyłączny może oferować lepszą wydajność i lepsze wsparcie FreeSync/G-Sync. - + Aspect Ratio: Format obrazu: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -756,24 +780,24 @@ Większość gier obsługuje wyłącznie 16:9, więc inne proporcje wymagają mo Kontroluje także proporcje przechwytywanych zrzutów ekranu. - + Use persistent pipeline cache Używaj trwałej pamięci podręcznej (cache) potoków - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Pozwala zapisywać shadery w pamięci masowej, aby przyspieszyć ładowanie przy kolejnych uruchomieniach gry. Wyłączanie tej opcji jest przeznaczone do debugowania. - + Optimize SPIRV output Optymalizacja wydajności SPIRV - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -784,12 +808,12 @@ Może nieznacznie poprawić wydajność. Funkcja eksperymentalna. - + NVDEC emulation: Emulacja NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -798,12 +822,12 @@ Dekodowanie może być wykonywane przez CPU albo GPU, albo może być całkowici W większości przypadków najlepszą wydajność zapewnia dekodowanie na GPU. - + ASTC Decoding Method: Metoda dekodowania ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -815,12 +839,12 @@ GPU: użyj shaderów obliczeniowych GPU do dekodowania tekstur ASTC (zalecane). CPU asynchronicznie: użyj CPU do dekodowania na żądanie. Eliminuje zacięcia podczas dekodowania ASTC, ale może powodować artefakty. - + ASTC Recompression Method: Metoda rekompresji ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -828,34 +852,44 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3: format pośredni zostanie ponownie skompresowany do BC1 lub BC3 — oszczędza VRAM kosztem jakości obrazu. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: Tryb wykorzystania VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Określa, czy emulator ma oszczędzać pamięć, czy maksymalnie wykorzystywać dostępną pamięć wideo dla wydajności. Tryb agresywny może pogorszyć działanie innych aplikacji, np. oprogramowania do nagrywania. - + Skip CPU Inner Invalidation Pomiń wewnętrzne unieważnienie procesora CPU - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Pomija niektóre unieważnienia pamięci podręcznej po stronie CPU podczas aktualizacji pamięci, zmniejszając użycie CPU i poprawiając jego wydajność. Może powodować błędy lub awarie w niektórych grach. - + VSync Mode: Tryb synchronizacji pionowej: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -866,12 +900,12 @@ Mailbox może mieć niższe opóźnienia niż FIFO i nie powoduje tearingu, ale Immediate (bez synchronizacji) wyświetla wszystko, co jest dostępne, i może powodować tearing. - + Sync Memory Operations Synchronizuj operacje pamięci - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -879,44 +913,44 @@ Unreal Engine 4 games often see the most significant changes thereof. Gry z Unreal Engine 4 mogą być najbardziej dotknięte. - + Enable asynchronous presentation (Vulkan only) Włącz asynchroniczną prezentację (tylko Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Nieznacznie poprawia wydajność, przenosząc prezentację na oddzielny wątek CPU. - + Force maximum clocks (Vulkan only) Wymuś maksymalne zegary (Tylko Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Uruchamia pracę w tle podczas oczekiwania na komendy graficzne aby GPU nie obniżało taktowania. - + Anisotropic Filtering: Filtrowanie anizotropowe: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Steruje jakością renderowania tekstur pod ostrymi kątami. Na większości GPU bezpieczną wartością jest 16x. - + GPU Mode: Tryb GPU: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. @@ -925,90 +959,101 @@ Większość gier renderuje się poprawnie w trybach Szybki lub Zrównoważony, Efekty cząsteczkowe zwykle renderują się poprawnie tylko w trybie Dokładnym. - + DMA Accuracy: Dokładność DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Steruje precyzją DMA. Tryb „bezpieczna precyzja” usuwa problemy w niektórych grach, ale może pogorszyć wydajność. - + Enable asynchronous shader compilation Włącz asynchroniczną kompilację shaderów - + May reduce shader stutter. Może zmniejszyć zacięcia spowodowane kompilacją shaderów. - + Fast GPU Time Szybki czas GPU - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Podkręca emulowane GPU, aby zwiększyć dynamiczną rozdzielczość i zasięg renderowania. Ustaw 256 dla maksymalnej wydajności, a 512 dla maksymalnej jakości grafiki. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Użyj pamięci podręcznej strumienia dla Vulkana - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Włącza specyficzną dla producenta GPU pamięć podręczną potoków. Ta opcja może znacząco skrócić czas ładowania shaderów w przypadkach, gdy sterownik Vulkan nie przechowuje wewnętrznie plików pamięci podręcznej potoków. - + Enable Compute Pipelines (Intel Vulkan Only) Włącz potoki obliczeniowe (tylko Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1017,184 +1062,206 @@ To ustawienie istnieje wyłącznie dla sterowników Intela i może spowodować b Na wszystkich pozostałych sterownikach potoki obliczeniowe są zawsze włączone. - + Enable Reactive Flushing Włącz reaktywne opróżnianie buforów - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Używa opróżniania reaktywnego zamiast predykcyjnego, co umożliwia dokładniejsze synchronizowanie pamięci. - + Sync to framerate of video playback Synchronizuj do liczby klatek odtwarzanego wideo - + Run the game at normal speed during video playback, even when the framerate is unlocked. Uruchamiaj grę z normalną prędkością podczas odtwarzania wideo, nawet przy odblokowanej liczbie klatek na sekundę. - + Barrier feedback loops Pętle sprzężenia zwrotnego barier - + Improves rendering of transparency effects in specific games. Poprawia renderowanie efektów przezroczystości w niektórych grach. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State Rozszerzony stan dynamiczny - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Kontroluje liczbę funkcji, które mogą być używane w Extended Dynamic State. Wyższe poziomy pozwalają na użycie większej liczby funkcji i mogą zwiększyć wydajność, ale mogą powodować dodatkowe problemy z grafiką. - + Vertex Input Dynamic State Dynamiczny stan wejścia wierzchołków - + Enables vertex input dynamic state feature for better quality and performance. Włącza funkcję dynamicznego stanu wejścia wierzchołków, poprawiając jakość i wydajność. - + Provoking Vertex Wierzchołek prowokujący - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Poprawia oświetlenie i obsługę wierzchołków w niektórych grach. To rozszerzenie jest obsługiwane tylko na urządzeniach z Vulkanem 1.0+. - + Descriptor Indexing Indeksowanie deskryptorów - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Poprawia obsługę tekstur i buforów oraz warstwę translacji Maxwell. Niektóre urządzenia z Vulkanem 1.1+ i wszystkie z 1.2+ obsługują to rozszerzenie. - + Sample Shading Cieniowanie próbkowe - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Pozwala wykonywać shader fragmentów dla każdej próbki we fragmencie wielokrotnie próbkowanym zamiast raz dla każdego fragmentu. Poprawia jakość grafiki kosztem wydajności. Wyższe wartości poprawiają jakość, ale obniżają wydajność. - + RNG Seed Ziarno RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. Ustala ziarno generatora liczb losowych. Głównie używane do speedrunów. - + Device Name Nazwa urządzenia - + The name of the console. The name of the console. - + Custom RTC Date: Własna data RTC - + This option allows to change the clock of the console. Can be used to manipulate time in games. Ta opcja pozwala zmienić zegar konsoli. Może służyć do manipulowania czasem w grach. - + The number of seconds from the current unix time Liczba sekund od bieżącego czasu Unix - + Language: Język: - + This option can be overridden when region setting is auto-select Ta opcja może zostać nadpisana, gdy ustawienie regionu to automatyczny wybór. - + Region: Region: - + The region of the console. Region konsoli. - + Time Zone: Strefa czasowa: - + The time zone of the console. Strefa czasowa konsoli. - + Sound Output Mode: Tryb wyjścia dźwięku: - + Console Mode: Tryb konsoli - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1203,998 +1270,1049 @@ W zależności od tego ustawienia gry zmienią swoją rozdzielczość, szczegó Ustawienie na Handheld może poprawić wydajność na słabszych komputerach. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot Pytaj o profil użytkownika przy uruchomieniu. - + Useful if multiple people use the same PC. Przydatne, gdy z tego samego PC korzysta wiele osób. - + Pause when not in focus Wstrzymuj, gdy okno nie jest aktywne - + Pauses emulation when focusing on other windows. Wstrzymuje emulację po przełączeniu na inne okna. - + Confirm before stopping emulation Potwierdzaj przed zatrzymaniem emulacji - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Nadpisuje monity z prośbą o potwierdzenie zatrzymania emulacji. Włączenie powoduje pominięcie takich monitów i bezpośrednie wyjście z emulacji. - + Hide mouse on inactivity Ukryj mysz przy braku aktywności - + Hides the mouse after 2.5s of inactivity. Ukrywa kursor po 2,5 s bezczynności. - + Disable controller applet Wyłącz aplet kontrolera - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Wymusza wyłączenie użycia apletu kontrolera w oprogramowaniu uruchamianym w emulacji. Jeśli emulowane oprogramowanie próbuje otworzyć aplet kontrolera, jest on natychmiast zamykany. - + Check for updates Sprawdź aktualizacje - + Whether or not to check for updates upon startup. Czy sprawdzać aktualizacje przy uruchomieniu. - + Enable Gamemode Włącz Tryb gry - + Force X11 as Graphics Backend Wymuś X11 jako backend grafiki - + Custom frontend Niestandardowy frontend - + Real applet Prawdziwy aplet - + Never Nigdy - + On Load Przy wczytywaniu - + Always Zawsze - + CPU CPU - + GPU GPU - + CPU Asynchronous Asynchroniczne CPU - + Uncompressed (Best quality) Brak (najlepsza jakość) - + BC1 (Low quality) BC1 (niska jakość) - + BC3 (Medium quality) BC3 (średnia jakość) - - Conservative - Konserwatywny - - - - Aggressive - Agresywny - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - Szybkie - - - - Balanced - Zrównoważony - - - - - Accurate - Dokładny - - - - - Default - Domyślny - - - - Unsafe (fast) - Niezalecane (szybkie) - - - - Safe (stable) - Bezpieczne (stabilne) - - - + + Auto Automatyczny - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Konserwatywny + + + + Aggressive + Agresywny + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + Szybkie + + + + Balanced + Zrównoważony + + + + + Accurate + Dokładny + + + + + Default + Domyślny + + + + Unsafe (fast) + Niezalecane (szybkie) + + + + Safe (stable) + Bezpieczne (stabilne) + + + Unsafe Niebezpieczny - + Paranoid (disables most optimizations) Paranoiczne (wyłącza większość optymalizacji) - + Debugging Debugowanie - + Dynarmic Dynamiczny - + NCE NCE - + Borderless Windowed W oknie (Bezramkowy) - + Exclusive Fullscreen Exclusive Fullscreen - + No Video Output Brak wyjścia wideo - + CPU Video Decoding Dekodowanie Wideo przez CPU - + GPU Video Decoding (Default) Dekodowanie Wideo przez GPU (Domyślne) - + 0.25X (180p/270p) [EXPERIMENTAL] 0,25x (180p/270p) [EKSPERYMENTALNE] - + 0.5X (360p/540p) [EXPERIMENTAL] 0,5x (360p/540p) [EKSPERYMENTALNE] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EKSPERYMENTALNE] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [EKSPERYMENTALNE] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [Ekperymentalnie] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Najbliższy sąsiadujący - + Bilinear Bilinearny - + Bicubic Bikubiczny - + Gaussian Kulisty - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Obszar - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Żadna (wyłączony) - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Domyślne (16:9) - + Force 4:3 Wymuś 4:3 - + Force 21:9 Wymuś 21:9 - + Force 16:10 Wymuś 16:10 - + Stretch to Window Rozciągnij do Okna - + Automatic Automatyczne - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Japoński (日本語) - + American English Angielski Amerykański - + French (français) Francuski (français) - + German (Deutsch) Niemiecki (Niemcy) - + Italian (italiano) Włoski (italiano) - + Spanish (español) Hiszpański (español) - + Chinese Chiński - + Korean (한국어) Koreański (한국어) - + Dutch (Nederlands) Duński (Holandia) - + Portuguese (português) Portugalski (português) - + Russian (Русский) Rosyjski (Русский) - + Taiwanese Tajwański - + British English Angielski Brytyjski - + Canadian French Fancuski (Kanada) - + Latin American Spanish Hiszpański (Latin American) - + Simplified Chinese Chiński (Uproszczony) - + Traditional Chinese (正體中文) Chiński tradycyjny (正體中文) - + Brazilian Portuguese (português do Brasil) Portugalski (português do Brasil) - - Serbian (српски) - Serbski + + Polish (polska) + - - + + Thai (แบบไทย) + + + + + Japan Japonia - + USA USA - + Europe Europa - + Australia Australia - + China Chiny - + Korea Korea - + Taiwan Tajwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Domyślne (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egipt - + Eire Irlandia - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islandia - + Iran Iran - + Israel Izrael - + Jamaica Jamajka - + Kwajalein Kwajalein - + Libya Libia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polska - + Portugal Portugalia - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Turcja - + UCT UCT - + Universal Uniwersalny - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Domyślne) - + 6GB DRAM (Unsafe) 6GB DRAM (NIebezpieczne) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (NIebezpieczne) - + 12GB DRAM (Unsafe) 12GB DRAM (NIebezpieczne) - + Docked Zadokowany - + Handheld Przenośnie - - + + Off Wyłączone - + Boost (1700MHz) Boost (1700MHz) - + Fast (2000MHz) Szybki (2000MHz) - + Always ask (Default) Zawsze pytaj (Domyślne) - + Only if game specifies not to stop Tylko jeśli gra określa, aby nie zatrzymywać - + Never ask Nie pytaj więcej - - + + Medium (256) Średnie (256) - - + + High (512) Wysokie (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled Wyłączone - + ExtendedDynamicState 1 ExtendedDynamicState 1 - + ExtendedDynamicState 2 ExtendedDynamicState 2 - + ExtendedDynamicState 3 ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2266,7 +2384,7 @@ Jeśli emulowane oprogramowanie próbuje otworzyć aplet kontrolera, jest on nat Przywróć domyślne - + Auto Automatyczny @@ -2715,81 +2833,86 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d + Use dev.keys + + + + Enable Debug Asserts Włącz potwierdzenia debugowania - + Debugging Debugowanie - + Battery Serial: Numer seryjny baterii: - + Bitmask for quick development toggles Maska bitowa szybkich przełączników deweloperskich - + Set debug knobs (bitmask) Ustaw przełączniki debugowania (maska bitowa) - + 16-bit debug knob set for quick development toggles 16-bitowy zestaw przełączników debugowania do szybkiej zmiany ustawień deweloperskich - + (bitmask) (maska bitowa) - + Debug Knobs: Przełączniki debugowania: - + Unit Serial: Przełączniki debugowania: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Włącz tę opcję, aby wyświetlić ostatnio wygenerowaną listę poleceń dźwiękowych na konsoli. Wpływa tylko na gry korzystające z renderera dźwięku. - + Dump Audio Commands To Console** Zrzuć polecenia audio do konsoli** - + Flush log output on each line Wypisuj logi z opróżnieniem bufora po każdej linii - + Enable FS Access Log Włącz dziennik Dostępu FS - + Enable Verbose Reporting Services** Włącz Pełne Usługi Raportowania** - + Censor username in logs Ukrywaj nazwę użytkownika w logach - + **This will be reset automatically when Eden closes. **To zostanie automatycznie zresetowane po zamknięciu Edena. @@ -2850,13 +2973,13 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d - + Audio Dźwięk - + CPU CPU @@ -2872,13 +2995,13 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d - + General Ogólne - + Graphics Grafika @@ -2899,7 +3022,7 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d - + Controls Sterowanie @@ -2915,7 +3038,7 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d - + System System @@ -3033,58 +3156,58 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d Zresetuj pamięć podręczną metadanych - + Select Emulated NAND Directory... Wybierz emulowany katalog NAND... - + Select Emulated SD Directory... Wybierz Emulowany katalog SD... - - + + Select Save Data Directory... Wybierz katalog danych zapisu… - + Select Gamecard Path... Wybierz Ścieżkę karty gry... - + Select Dump Directory... Wybierz katalog zrzutu... - + Select Mod Load Directory... Wybierz katalog ładowania modów... - + Save Data Directory Katalog danych zapisu - + Choose an action for the save data directory: Wybierz działanie dla katalogu danych zapisu: - + Set Custom Path Ustaw niestandardową ścieżkę - + Reset to NAND Przywróć do NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3101,7 +3224,7 @@ Czy chcesz przenieść zapisy ze starej lokalizacji? OSTRZEŻENIE: To nadpisze wszystkie kolidujące zapisy w nowej lokalizacji! - + Would you like to migrate your save data to the new location? From: %1 @@ -3112,28 +3235,28 @@ Z: %1 Do: %2 - + Migrate Save Data Przenieś dane zapisu - + Migrating save data... Przenoszenie danych zapisu... - + Cancel Anuluj - + Migration Failed Przenoszenie nie powiodło się - + Failed to create destination directory. Nie udało się utworzyć katalogu docelowego. @@ -3145,12 +3268,12 @@ Do: %2 %1 - + Migration Complete Przenoszenie zakończone - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3173,20 +3296,55 @@ Czy chcesz usunąć stare dane zapisu? Ogólne - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Resetuj wszystkie ustawienia - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Spowoduje to zresetowanie wszystkich ustawień i usunięcie wszystkich konfiguracji gier. Nie spowoduje to usunięcia katalogów gier, profili ani profili wejściowych. Kontynuować? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3216,33 +3374,33 @@ Czy chcesz usunąć stare dane zapisu? Kolor tła - + % FSR sharpening percentage (e.g. 50%) % - + Off Wyłączone - + VSync Off VSync wyłączony - + Recommended Zalecane - + On Włączone - + VSync On VSync aktywny @@ -3293,13 +3451,13 @@ Czy chcesz usunąć stare dane zapisu? Rozszerzenia Vulkan - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Extended Dynamic State jest wyłączony na macOS z powodu problemów zgodności z MoltenVK, które powodują czarne ekrany. @@ -3871,7 +4029,7 @@ Czy chcesz usunąć stare dane zapisu? - + Left Stick Lewa gałka @@ -3981,14 +4139,14 @@ Czy chcesz usunąć stare dane zapisu? - + ZL ZL - + L L @@ -4001,22 +4159,22 @@ Czy chcesz usunąć stare dane zapisu? - + Plus Plus - + ZR ZR - - + + R R @@ -4073,7 +4231,7 @@ Czy chcesz usunąć stare dane zapisu? - + Right Stick Prawa gałka @@ -4242,88 +4400,88 @@ Aby odwrócić osie, najpierw przesuń joystick pionowo, a następnie poziomo.Sega Mega Drive - + Start / Pause Start / Pauza - + Z Z - + Control Stick Lewa gałka - + C-Stick C-gałka - + Shake! Potrząśnij! - + [waiting] [oczekiwanie] - + New Profile Nowy profil - + Enter a profile name: Wpisz nazwę profilu: - - + + Create Input Profile Utwórz profil wejściowy - + The given profile name is not valid! Podana nazwa profilu jest nieprawidłowa! - + Failed to create the input profile "%1" Nie udało się utworzyć profilu wejściowego "%1" - + Delete Input Profile Usuń profil wejściowy - + Failed to delete the input profile "%1" Nie udało się usunąć profilu wejściowego "%1" - + Load Input Profile Załaduj profil wejściowy - + Failed to load the input profile "%1" Nie udało się wczytać profilu wejściowego "%1" - + Save Input Profile Zapisz profil wejściowy - + Failed to save the input profile "%1" Nie udało się zapisać profilu wejściowego "%1" @@ -4618,11 +4776,6 @@ Obecne wartości to odpowiednio %1% i %2%. Enable Airplane Mode Włącz tryb samolotowy - - - None - Żadny - ConfigurePerGame @@ -4677,52 +4830,57 @@ Obecne wartości to odpowiednio %1% i %2%. Niektóre ustawienia są dostępne tylko, gdy gra nie jest uruchomiona. - + Add-Ons Dodatki - + System System - + CPU CPU - + Graphics Grafika - + Adv. Graphics Zaaw. Grafika - + Ext. Graphics Dodatkowa grafika - + Audio Dźwięk - + Input Profiles Profil wejściowy - + Network Sieć + Applets + + + + Properties Właściwości @@ -4740,15 +4898,110 @@ Obecne wartości to odpowiednio %1% i %2%. Dodatki - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nazwa łatki - + Version Wersja + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4796,62 +5049,62 @@ Obecne wartości to odpowiednio %1% i %2%. %2 - + Users Użytkownicy - + Error deleting image Bład usunięcia zdjęcia - + Error occurred attempting to overwrite previous image at: %1. Błąd podczas próby nadpisania poprzedniego zdjęcia dla: %1. - + Error deleting file Błąd usunięcia pliku - + Unable to delete existing file: %1. Nie można usunąć istniejącego pliku: %1 - + Error creating user image directory Błąd podczas tworzenia folderu ze zdjęciem użytkownika - + Unable to create directory %1 for storing user images. Nie można utworzyć ścieżki %1 do przechowywania zdjęć użytkownika. - + Error saving user image Błąd zapisu obrazu użytkownika - + Unable to save image to file Nie można zapisać obrazu do pliku - + &Edit - + &Delete - + Edit User @@ -4859,17 +5112,17 @@ Obecne wartości to odpowiednio %1% i %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Czy usunąć tego użytkownika? Wszystkie dane zapisu użytkownika zostaną usunięte. - + Confirm Delete Potwierdź usunięcie - + Name: %1 UUID: %2 Nazwa: %1 @@ -5071,17 +5324,22 @@ UUID: %2 Zatrzymuj wykonanie w trakcie ładowania - + + Show recording dialog + + + + Script Directory Ścieżka Skryptu - + Path Ścieżka - + ... ... @@ -5094,7 +5352,7 @@ UUID: %2 Konfiguracja TAS - + Select TAS Load Directory... Wybierz Ścieżkę Załadowania TAS-a @@ -5232,64 +5490,43 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe ConfigureUI - - - + + None Żadny - - Small (32x32) - Małe (32x32) - - - - Standard (64x64) - Standardowe (64x64) - - - - Large (128x128) - Duże (128x128) - - - - Full Size (256x256) - Pełny Rozmiar (256x256) - - - + Small (24x24) Małe (24x24) - + Standard (48x48) Standardowe (48x48) - + Large (72x72) Duże (72x72) - + Filename Nazwa pliku - + Filetype Typ pliku - + Title ID Identyfikator gry - + Title Name Nazwa Tytułu @@ -5358,71 +5595,66 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe - Game Icon Size: - Rozmiar Ikony Gry - - - Folder Icon Size: Rozmiar Ikony Folderu - + Row 1 Text: Tekst 1. linii - + Row 2 Text: Tekst 2. linii - + Screenshots Zrzuty ekranu - + Ask Where To Save Screenshots (Windows Only) Pytaj gdzie zapisać zrzuty ekranu (Tylko dla Windows) - + Screenshots Path: Ścieżka zrzutów ekranu: - + ... ... - + TextLabel TextLabel - + Resolution: Rozdzielczość: - + Select Screenshots Path... Wybierz ścieżkę zrzutów ekranu... - + <System> <System> - + English Angielski - + Auto (%1 x %2, %3 x %4) Screenshot width value Automatycznie (%1 x %2, %3 x %4) @@ -5556,20 +5788,20 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe Pokazuj obecną grę w twoim statusie Discorda - - + + All Good Tooltip Wszystko w porządku - + Must be between 4-20 characters Tooltip Musi mieć od 4 do 20 znaków - + Must be 48 characters, and lowercase a-z Tooltip Musi mieć 48 znaków i składać się z małych liter a–z @@ -5601,27 +5833,27 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe Usunięcie JAKICHKOLWIEK danych jest NIEODWRACALNE! - + Shaders Shadery - + UserNAND UserNAND - + SysNAND SysNAND - + Mods Mody - + Saves Zapisy @@ -5659,7 +5891,7 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe Zaimportuj dane dla tego katalogu. To może chwilę potrwać i USUNIE WSZYSTKIE ISTNIEJĄCE DANE! - + Calculating... Obliczanie... @@ -5682,12 +5914,12 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe <html><head/><body><p>Projekty, dzięki którym Eden jest możliwy</p></body></html> - + Dependency Zależność - + Version Wersja @@ -5863,44 +6095,44 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. GRenderWindow - - + + OpenGL not available! OpenGL niedostępny! - + OpenGL shared contexts are not supported. Współdzielone konteksty OpenGL nie są obsługiwane. - + Eden has not been compiled with OpenGL support. Eden nie został skompilowany z obsługą OpenGL. - - + + Error while initializing OpenGL! Błąd podczas inicjowania OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Twoja karta graficzna może nie obsługiwać OpenGL lub nie masz najnowszych sterowników karty graficznej. - + Error while initializing OpenGL 4.6! Błąd podczas inicjowania OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Twoja karta graficzna może nie obsługiwać OpenGL 4.6 lub nie masz najnowszych sterowników karty graficznej.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Twoja karta graficzna może nie obsługiwać co najmniej jednego wymaganego rozszerzenia OpenGL. Upewnij się, że masz najnowsze sterowniki karty graficznej<br><br>GL Renderer:<br>%1<br><br>Nieobsługiwane rozszerzenia:<br>%2 @@ -5908,203 +6140,208 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. GameList - + + &Add New Game Directory + + + + Favorite Ulubione - + Start Game Uruchom grę - + Start Game without Custom Configuration Uruchom grę bez niestandardowej konfiguracji - + Open Save Data Location Otwórz lokalizację zapisów - + Open Mod Data Location Otwórz lokalizację modyfikacji - + Open Transferable Pipeline Cache Otwórz Transferowalną Pamięć Podręczną Pipeline - + Link to Ryujinx Połącz z Ryujinx - + Remove Usuń - + Remove Installed Update Usuń zainstalowaną łatkę - + Remove All Installed DLC Usuń wszystkie zainstalowane DLC - + Remove Custom Configuration Usuń niestandardową konfigurację - + Remove Cache Storage Usuń pamięć podręczną - + Remove OpenGL Pipeline Cache Usuń Pamięć Podręczną Pipeline OpenGL - + Remove Vulkan Pipeline Cache Usuń Pamięć Podręczną Pipeline Vulkan - + Remove All Pipeline Caches Usuń całą pamięć podręczną Pipeline - + Remove All Installed Contents Usuń całą zainstalowaną zawartość - + Manage Play Time Zarządzaj czasem gry - + Edit Play Time Data Edytuj dane czasu gry - + Remove Play Time Data Usuń dane dotyczące czasu gry - - + + Dump RomFS Zrzuć RomFS - + Dump RomFS to SDMC Zrzuć RomFS do SDMC - + Verify Integrity Sprawdź integralność - + Copy Title ID to Clipboard Kopiuj identyfikator gry do schowka - + Navigate to GameDB entry Nawiguj do wpisu kompatybilności gry - + Create Shortcut Utwórz skrót - + Add to Desktop Dodaj do pulpitu - + Add to Applications Menu Dodaj do menu aplikacji - + Configure Game Skonfiguruj grę - + Scan Subfolders Skanuj podfoldery - + Remove Game Directory Usuń katalog gier - + ▲ Move Up ▲ Przenieś w górę - + ▼ Move Down ▼ Przenieś w dół - + Open Directory Location Otwórz lokalizacje katalogu - + Clear Wyczyść - + Name Nazwa gry - + Compatibility Kompatybilność - + Add-ons Dodatki - + File type Typ pliku - + Size Rozmiar - + Play time Czas gry @@ -6112,62 +6349,62 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. GameListItemCompat - + Ingame W grze - + Game starts, but crashes or major glitches prevent it from being completed. Gra uruchamia się, ale awarie lub poważne błędy uniemożliwiają jej ukończenie. - + Perfect Perfekcyjnie - + Game can be played without issues. Można grać bez problemów. - + Playable Grywalna - + Game functions with minor graphical or audio glitches and is playable from start to finish. Gra działa z drobnymi błędami graficznymi lub dźwiękowymi oraz jest grywalna od początku aż do końca. - + Intro/Menu Intro/Menu - + Game loads, but is unable to progress past the Start Screen. Gra się ładuje, ale nie może przejść przez ekran początkowy. - + Won't Boot Nie uruchamia się - + The game crashes when attempting to startup. Ta gra się zawiesza przy próbie startu. - + Not Tested Nie testowane - + The game has not yet been tested. Ta gra nie została jeszcze przetestowana. @@ -6175,7 +6412,7 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. GameListPlaceholder - + Double-click to add a new folder to the game list Kliknij podwójnie aby dodać folder do listy gier @@ -6183,17 +6420,17 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. GameListSearchField - + %1 of %n result(s) %1 z %n wyniku%1 z %n wyników%1 z %n wyników%1 z %n wyników - + Filter: Filter: - + Enter pattern to filter Wpisz typ do filtra @@ -6269,12 +6506,12 @@ Przejdź do sekcji Konfiguracja -> System -> Sieć i dokonaj wyboru. HostRoomWindow - + Error Błąd - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Nie udało się ogłosić pokoju w publicznym lobby. Aby udostępnić pokój publicznie, musisz mieć ważne konto Eden skonfigurowane w Emulacja -> Konfiguracja -> Internet. Jeśli nie chcesz publikować pokoju w publicznym lobby, wybierz opcję Niepubliczny. @@ -6284,19 +6521,11 @@ Komunikat debugowania: Hotkeys - + Audio Mute/Unmute Wycisz/Odcisz Audio - - - - - - - - @@ -6319,154 +6548,180 @@ Komunikat debugowania: + + + + + + + + + + + Main Window Okno główne - + Audio Volume Down Zmniejsz głośność dźwięku - + Audio Volume Up Zwiększ głośność dźwięku - + Capture Screenshot Zrób zrzut ekranu - + Change Adapting Filter Zmień filtr adaptacyjny - + Change Docked Mode Zmień tryb dokowania - + Change GPU Mode Zmień tryb GPU - + Configure Konfiguruj - + Configure Current Game Konfiguruj bieżącą grę - + Continue/Pause Emulation Kontynuuj/Zatrzymaj Emulację - + Exit Fullscreen Wyłącz Pełny Ekran - + Exit Eden Opuść Eden - + Fullscreen Pełny ekran - + Load File Załaduj plik... - + Load/Remove Amiibo Załaduj/Usuń Amiibo - - Multiplayer Browse Public Game Lobby - Multiplayer: przeglądaj publiczne lobby gier + + Browse Public Game Lobby + - - Multiplayer Create Room - Multiplayer: utwórz pokój + + Create Room + - - Multiplayer Direct Connect to Room - Multiplayer: bezpośrednio połącz z pokojem + + Direct Connect to Room + - - Multiplayer Leave Room - Multiplayer: opuść pokój + + Leave Room + - - Multiplayer Show Current Room - Multiplayer: pokaż bieżący pokój + + Show Current Room + - + Restart Emulation Zrestartuj Emulację - + Stop Emulation Zatrzymaj Emulację - + TAS Record Nagrywanie TAS - + TAS Reset Reset TAS - + TAS Start/Stop TAS Start/Stop - + Toggle Filter Bar Pokaż pasek filtrowania - + Toggle Framerate Limit Przełącz limit liczby klatek na sekundę - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Włącz przesuwanie myszką - + Toggle Renderdoc Capture Przełącz przechwytywanie RenderDoc - + Toggle Status Bar Przełącz pasek stanu + + + Toggle Performance Overlay + + InstallDialog @@ -6519,22 +6774,22 @@ Komunikat debugowania: Szacowany czas 5m 4s - + Loading... Ładowanie... - + Loading Shaders %1 / %2 Ładowanie Shaderów %1 / %2 - + Launching... Uruchamianie... - + Estimated Time %1 Szacowany czas %1 @@ -6583,42 +6838,42 @@ Komunikat debugowania: Odśwież Lobby - + Password Required to Join Aby dołączyć, potrzebne jest hasło - + Password: Hasło: - + Players Gracze - + Room Name Nazwa Pokoju - + Preferred Game Preferowana Gra - + Host Host - + Refreshing Odświeżam - + Refresh List Odśwież listę @@ -6667,715 +6922,777 @@ Komunikat debugowania: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Zresetuj rozmiar okna do &720p - + Reset Window Size to 720p Zresetuj rozmiar okna do 720p - + Reset Window Size to &900p Zresetuj Rozmiar okna do &900p - + Reset Window Size to 900p Zresetuj Rozmiar okna do 900p - + Reset Window Size to &1080p Zresetuj rozmiar okna do &1080p - + Reset Window Size to 1080p Zresetuj rozmiar okna do 1080p - + &Multiplayer &Multiplayer - + &Tools &Narzędzia - + Am&iibo Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut &Utwórz skrót w Menu głównym - + Install &Firmware Zainstaluj &Firmware - + &Help &Pomoc - + &Install Files to NAND... &Zainstaluj pliki na NAND... - + L&oad File... &Załaduj Plik... - + Load &Folder... Załaduj &Folder... - + E&xit &Wyjście - - + + &Pause &Pauza - + &Stop &Stop - + &Verify Installed Contents &Zweryfikuj zainstalowane zasoby - + &About Eden &O Eden - + Single &Window Mode Tryb &Pojedyńczego Okna - + Con&figure... &Konfiguruj... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet Włącz aplet wyświetlania nakładki - + Show &Filter Bar Pokaż Pasek &Filtrów - + Show &Status Bar Pokaż Pasek &Statusu - + Show Status Bar Pokaż pasek statusu - + &Browse Public Game Lobby &Przeglądaj publiczne lobby gier - + &Create Room &Utwórz Pokój - + &Leave Room &Wyjdź z Pokoju - + &Direct Connect to Room &Bezpośrednie połączenie z pokojem - + &Show Current Room &Pokaż bieżący pokój - + F&ullscreen &Pełny ekran - + &Restart &Restart - + Load/Remove &Amiibo... Załaduj/Usuń &Amiibo... - + &Report Compatibility &Zaraportuj kompatybilność - + Open &Mods Page Otwórz stronę z &Modami - + Open &Quickstart Guide Otwórz &Poradnik szybkiego startu - + &FAQ &FAQ - + &Capture Screenshot &Zrób zdjęcie - + &Album - + &Set Nickname and Owner &Ustaw nick oraz właściciela - + &Delete Game Data &Usuń dane gry - + &Restore Amiibo &Przywróć Amiibo - + &Format Amiibo &Sformatuj Amiibo - + &Mii Editor - + &Configure TAS... &Skonfiguruj TAS - + Configure C&urrent Game... Skonfiguruj &obecną grę... - - + + &Start &Start - + &Reset &Zresetuj - - + + R&ecord &Nagraj - + Open &Controller Menu Otwórz Menu &kontrolera - + Install Decryption &Keys Zainstaluj &klucze deszyfrujące - + &Home Menu - + &Desktop &Pulpit - + &Application Menu Menu &Aplikacji - + &Root Data Folder Folder &Root (danych głównych) - + &NAND Folder Folder &NAND - + &SDMC Folder Folder &SDMC - + &Mod Folder Folder &modów - + &Log Folder Folder &logów - + From Folder Z Folderu - + From ZIP Z pliku ZIP - + &Eden Dependencies Zależności &Eden - + &Data Manager Manager &Danych - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + Żadna (wyłączony) + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected Wykryto uszkodzoną instalację Vulkan - + Vulkan initialization failed during boot. Inicjalizacja Vulkana nie powiodła się podczas uruchamiania. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Gra uruchomiona - + Loading Web Applet... Ładowanie apletu internetowego... - - + + Disable Web Applet Wyłącz Aplet sieciowy - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) Wyłączenie apletu sieciowego może prowadzić do nieprzewidywalnego działania i powinno być używane wyłącznie z Super Mario 3D All-Stars. Na pewno chcesz wyłączyć aplet sieciowy? (Tę opcję można ponownie włączyć w ustawieniach debugowania). - + The amount of shaders currently being built Liczba shaderów aktualnie budowanych - + The current selected resolution scaling multiplier. Aktualnie wybrany mnożnik skalowania rozdzielczości. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Bieżąca prędkość emulacji. Wartości wyższe lub niższe niż 100% oznaczają, że emulacja działa odpowiednio szybciej lub wolniej niż na Switchu. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. Liczba klatek na sekundę aktualnie wyświetlanych przez grę. Wartość ta zależy od gry oraz od konkretnej sceny. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. Czas potrzebny na emulację jednej klatki Switcha, bez uwzględniania ogranicznika klatek i synchronizacji pionowej. Dla emulacji z pełną prędkością powinno to być maksymalnie 16,67 ms. - + Unmute Wyłącz wyciszenie - + Mute Wycisz - + Reset Volume Zresetuj głośność - + &Clear Recent Files &Usuń Ostatnie pliki - + &Continue &Kontynuuj - + Warning: Outdated Game Format Ostrzeżenie: Nieaktualny format gry - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. Używasz dla tej gry formatu katalogu zdekonstruowanego ROM-u, który jest przestarzały i został zastąpiony innymi formatami, takimi jak NCA, NAX, XCI czy NSP. Katalogi takich ROM-ów nie zawierają ikon, metadanych ani nie obsługują aktualizacji.<br>Aby uzyskać wyjaśnienie dotyczące różnych formatów Switcha obsługiwanych przez Eden, zajrzyj do naszego podręcznika użytkownika. Ten komunikat nie zostanie wyświetlony ponownie. - - + + Error while loading ROM! Błąd podczas wczytywania ROMu! - + The ROM format is not supported. Ten format ROMu nie jest wspierany. - + An error occurred initializing the video core. Wystąpił błąd podczas inicjowania rdzenia wideo. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. Podczas uruchamiania rdzenia wideo wystąpił błąd. Zazwyczaj jest to spowodowane nieaktualnymi sterownikami GPU, w tym sterownikami zintegrowanymi. Więcej szczegółów można znaleźć w logu. Więcej informacji na temat dostępu do logu można znaleźć na następującej stronie: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>Jak przesłać Log</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. Błąd podczas wczytywania ROMu! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Proszę ponownie zrzucić pliki lub poprosić o pomoc na Discordzie/Stoat. - + An unknown error occurred. Please see the log for more details. Wystąpił nieznany błąd. Więcej informacji można znaleźć w pliku log. - + (64-bit) (64-bit) - + (32-bit) (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... Zamykanie aplikacji... - + Save Data Zapis danych - + Mod Data Dane modów - + Error Opening %1 Folder Błąd podczas otwierania folderu %1 - - + + Folder does not exist! Folder nie istnieje! - + Remove Installed Game Contents? Usunąć zainstalowaną zawartość gry? - + Remove Installed Game Update? Usunąć zainstalowaną aktualizację gry? - + Remove Installed Game DLC? Usunąć zainstalowane DLC gry? - + Remove Entry Usuń wpis - + Delete OpenGL Transferable Shader Cache? Usunąć przenośną pamięć podręczną shaderów OpenGL? - + Delete Vulkan Transferable Shader Cache? Usunąć przenośną pamięć podręczną shaderów Vulkan? - + Delete All Transferable Shader Caches? Usunąć wszystkie przenośne pamięci podręczne shaderów? - + Remove Custom Game Configuration? Usunąć niestandardową konfigurację gry? - + Remove Cache Storage? Usunąć pamięć podręczną? - + Remove File Usuń plik - + Remove Play Time Data Usuń dane czasu gry - + Reset play time? Zresetować czas gry? - - + + RomFS Extraction Failed! Wyodrębnianie RomFS nie powiodło się! - + There was an error copying the RomFS files or the user cancelled the operation. Wystąpił błąd podczas kopiowania plików RomFS lub użytkownik przerwał operację. - + Full Pełny - + Skeleton Szkielet - + Select RomFS Dump Mode Wybierz tryb zrzutu RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. Wybierz sposób wykonania zrzutu RomFS. <br>Tryb „Pełny” skopiuje wszystkie pliki do nowego katalogu, <br>natomiast „Szkielet” utworzy jedynie strukturę katalogów. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root Nie ma wystarczająco miejsca w %1 aby wyodrębnić RomFS. Zwolnij trochę miejsca, albo zmień ścieżkę zrzutu RomFs w Emulacja > Konfiguruj > System > System Plików > Źródło Zrzutu - + Extracting RomFS... Wypakowywanie RomFS... - - + + Cancel Anuluj - + RomFS Extraction Succeeded! Wypakowanie RomFS zakończone pomyślnie! - + The operation completed successfully. Operacja zakończona pomyślnie. - + Error Opening %1 Błąd podczas otwierania %1 - + Select Directory Wybierz folder - + Properties Właściwości - + The game properties could not be loaded. Właściwości tej gry nie mogły zostać załadowane. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. Plik wykonywalny Switcha (%1);;Wszystkie pliki (*.*) - + Load File Załaduj plik - + Open Extracted ROM Directory Otwórz folder wypakowanego ROMu - + Invalid Directory Selected Wybrano niewłaściwy folder - + The directory you have selected does not contain a 'main' file. Wybrany folder nie zawiera 'głównego' pliku. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) Instalacyjne pliki Switch'a (*.nca *.nsp *.xci);;Archiwum zawartości Nintendo (*.nca);;Pakiet poddany Nintendo (*.nsp);;Obraz z kartridża NX (*.xci) - + Install Files Zainstaluj pliki - + %n file(s) remaining Pozostał %n plikPozostały %n plikiPozostało %n plikówPozostało %n plików - + Installing file "%1"... Instalowanie pliku "%1"... - - + + Install Results Wynik instalacji - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. Aby uniknąć ewentualnych konfliktów, odradzamy użytkownikom instalowanie gier na NAND. Proszę, używaj tej funkcji tylko do instalowania łatek i DLC. - + %n file(s) were newly installed %n plik został nowo zainstalowany @@ -7385,7 +7702,7 @@ Proszę, używaj tej funkcji tylko do instalowania łatek i DLC. - + %n file(s) were overwritten %n plik został nadpisany @@ -7395,7 +7712,7 @@ Proszę, używaj tej funkcji tylko do instalowania łatek i DLC. - + %n file(s) failed to install Nie udało się zainstalować %n pliku @@ -7405,214 +7722,214 @@ Proszę, używaj tej funkcji tylko do instalowania łatek i DLC. - + System Application Aplikacja systemowa - + System Archive Archiwum systemu - + System Application Update Aktualizacja aplikacji systemowej - + Firmware Package (Type A) Paczka systemowa (Typ A) - + Firmware Package (Type B) Paczka systemowa (Typ B) - + Game Gra - + Game Update Aktualizacja gry - + Game DLC Dodatek do gry - + Delta Title Tytuł Delta - + Select NCA Install Type... Wybierz typ instalacji NCA... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) Wybierz typ tytułu, do którego chcesz zainstalować ten NCA, jako: (W większości przypadków domyślna "gra" jest w porządku.) - + Failed to Install Instalacja nieudana - + The title type you selected for the NCA is invalid. Typ tytułu wybrany dla NCA jest nieprawidłowy. - + File not found Nie znaleziono pliku - + File "%1" not found Nie znaleziono pliku "%1" - + OK OK - + Function Disabled Funkcja wyłączona - + Compatibility list reporting is currently disabled. Check back later! Zgłaszanie do listy kompatybilności jest obecnie wyłączone. Spróbuj ponownie później! - + Error opening URL Błąd otwierania adresu URL - + Unable to open the URL "%1". Nie można otworzyć adresu URL "%1". - + TAS Recording Nagrywanie TAS - + Overwrite file of player 1? Nadpisać plik gracza 1? - + Invalid config detected Wykryto nieprawidłową konfigurację - + Handheld controller can't be used on docked mode. Pro controller will be selected. Nie można używać kontrolera handheld w trybie zadokowanym. Zostanie wybrany kontroler Pro. - - + + Amiibo Amiibo - - + + The current amiibo has been removed Amiibo zostało "zdjęte" - + Error Błąd - - + + The current game is not looking for amiibos Ta gra nie szuka amiibo - + Amiibo File (%1);; All Files (*.*) Plik Amiibo (%1);;Wszyskie pliki (*.*) - + Load Amiibo Zamontuj Amiibo - + Error loading Amiibo data Błąd podczas ładowania danych Amiibo - + The selected file is not a valid amiibo Wybrany plik nie jest poprawnym amiibo - + The selected file is already on use Wybrany plik jest już w użyciu - + An unknown error occurred Wystąpił nieznany błąd - - + + Keys not installed Klucze nie zainstalowane - - + + Install decryption keys and restart Eden before attempting to install firmware. Zainstaluj klucze deszyfrujące i uruchom ponownie Eden przed próbą instalacji firmware’u. - + Select Dumped Firmware Source Location Wybierz lokalizację źródła zrzuconego firmware’u - + Select Dumped Firmware ZIP Wybierz plik ZIP ze zrzuconym Firmwarem - + Zipped Archives (*.zip) Archiwa ZIP (.zip) - + Firmware cleanup failed Czyszczenie firmware’u nie powiodło się - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 @@ -7621,155 +7938,155 @@ Sprawdź uprawnienia zapisu do systemowego katalogu tymczasowego i spróbuj pono Błąd zgłoszony przez system: %1 - + No firmware available Brak dostępnego firmware'u - + Firmware Corrupted Uszkodzony Firmware - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot Zrób zrzut ekranu - + PNG Image (*.png) Obrazek PNG (*.png) - + Update Available Dostępna aktualizacja - - Download the %1 update? - Pobrać aktualizację %1? + + Download %1? + - + TAS state: Running %1/%2 Status TAS: Działa %1%2 - + TAS state: Recording %1 Status TAS: Nagrywa %1 - + TAS state: Idle %1/%2 Status TAS: Bezczynny %1%2 - + TAS State: Invalid Status TAS: Niepoprawny - + &Stop Running &Wyłącz - + Stop R&ecording Przestań &Nagrywać - + Building: %n shader(s) Budowanie: %n shaderBudowanie: %n shaderyBudowanie: %n shaderówBudowanie: %n shaderów - + Scale: %1x %1 is the resolution scaling factor Skala: %1x - + Speed: %1% / %2% Prędkość: %1% / %2% - + Speed: %1% Prędkość: %1% - + Game: %1 FPS Gra: %1 FPS - + Frame: %1 ms Klatka: %1 ms - + FSR FSR - + NO AA BEZ AA - + VOLUME: MUTE Głośność: Wyciszony - + VOLUME: %1% Volume percentage (e.g. 50%) Głośność: %1% - + Derivation Components Missing Brak komponentów wyprowadzania - + Decryption keys are missing. Install them now? - + Wayland Detected! Wykryto Waylanda! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7779,70 +8096,80 @@ Zaleca się zamiast tego używać X11. Czy chcesz wymusić jego użycie przy przyszłych uruchomieniach? - + Use X11 Używaj X11 - + Continue with Wayland Kontynuuj z Waylandem - + Don't show again Nie pokazuj ponownie - + Restart Required Wymagane ponowne uruchomienie - + Restart Eden to apply the X11 backend. Uruchom ponownie Edena, aby zastosować backend X11. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target Wybierz cel zrzutu RomFS - + Please select which RomFS you would like to dump. Proszę wybrać RomFS, jakie chcesz zrzucić. - + Are you sure you want to close Eden? Czy na pewno chcesz zamknąć Edena? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. Czy na pewno chcesz zatrzymać emulację? Wszystkie niezapisane postępy zostaną utracone. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? Aktualnie uruchomiona aplikacja poprosiła Edena, aby nie kończyć działania. Czy chcesz to pominąć i wyjść mimo to? - - - None - Żadna (wyłączony) - FXAA @@ -7869,27 +8196,27 @@ Czy chcesz to pominąć i wyjść mimo to? Bikubiczny - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Kulisty @@ -7944,22 +8271,22 @@ Czy chcesz to pominąć i wyjść mimo to? Vulkan - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null Null @@ -7967,14 +8294,14 @@ Czy chcesz to pominąć i wyjść mimo to? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 Nie udało się połączyć starego katalogu. Może być konieczne ponowne uruchomienie z uprawnieniami administratora w systemie Windows. System operacyjny zgłosił błąd: %1 - + Note that your configuration and data will be shared with %1. @@ -7991,7 +8318,7 @@ Jeśli nie chcesz, żeby tak się stało, usuń następujące pliki: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -8002,11 +8329,24 @@ Jeśli chcesz usunąć pliki, które pozostały w starej lokalizacji danych, mo %1 - + Data was migrated successfully. Dane zostały pomyślnie przeniesione. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8175,86 +8515,86 @@ Czy kontynuować mimo to? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8293,6 +8633,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8327,39 +8741,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Zainstalowane tytuły SD - - - - Installed NAND Titles - Zainstalowane tytuły NAND - - - - System Titles - Tytuły systemu - - - - Add New Game Directory - Dodaj nowy katalog gier - - - - Favorites - Ulubione - - - - - + + + Migration Migracja - + Clear Shader Cache Wyczyść pamięć podręczną shaderów @@ -8394,19 +8783,19 @@ p, li { white-space: pre-wrap; } Nie - + You can manually re-trigger this prompt by deleting the new config directory: %1 Możesz ręcznie wywołać to okno ponownie, usuwając nowy katalog konfiguracyjny: % - + Migrating Trwa migracja - + Migrating, this may take a while... Migrowanie, może to chwilę potrwać... @@ -8797,6 +9186,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 gra w %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Zainstalowane tytuły SD + + + + Installed NAND Titles + Zainstalowane tytuły NAND + + + + System Titles + Tytuły systemu + + + + Add New Game Directory + Dodaj nowy katalog gier + + + + Favorites + Ulubione + QtAmiiboSettingsDialog @@ -8914,47 +9348,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware Gra wymaga firmware’u - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. Gra, którą próbujesz uruchomić, wymaga firmware’u do startu lub do przejścia ekranu początkowego. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>Zrzuć i zainstaluj firmware</a> albo naciśnij „OK”, aby mimo to uruchomić. - + Installing Firmware... Instalacja Firmware... - - - - - + + + + + Cancel Anuluj - + Firmware Install Failed Instalacja firmware’u nie powiodła się - + Firmware Install Succeeded Instalacja firmware’u powiodła się - + Firmware integrity verification failed! Weryfikacja integralności firmware’u nie powiodła się! - - + + Verification failed for the following files: %1 @@ -8962,204 +9396,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Weryfikacja integralności... - - + + Integrity verification succeeded! Weryfikacja integralności zakończona sukcesem! - - + + The operation completed successfully. Operacja zakończona pomyślnie. - - + + Integrity verification failed! Weryfikacja integralności nie powiodła się! - + File contents may be corrupt or missing. Zawartość pliku może być uszkodzona lub brakująca. - + Integrity verification couldn't be performed Nie można było przeprowadzić weryfikacji integralności - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Instalacja firmware’u została anulowana — firmware może być w złym stanie lub uszkodzony. Nie udało się sprawdzić poprawności zawartości plików. - + Select Dumped Keys Location Wybierz lokalizację zrzutu kluczy - + Decryption Keys install succeeded Instalacja kluczy deszyfrujących powiodła się - + Decryption Keys install failed Instalacja kluczy deszyfrujących nie powiodła się - + Orphaned Profiles Detected! Wykryto osierocone profile! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> MOGĄ WYSTĄPIĆ NIEOCZEKIWANE PROBLEMY, JEŚLI TEGO NIE PRZECZYTASZ!<br>Eden wykrył następujące katalogi zapisów bez przypisanego profilu:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Kliknij „OK”, aby otworzyć folder zapisów i naprawić profile.<br>Wskazówka: skopiuj zawartość największego lub ostatnio modyfikowanego folderu w inne miejsce, usuń wszystkie osierocone profile, a następnie przenieś skopiowaną zawartość do właściwego profilu.<br><br>Nadal masz wątpliwości? Zobacz<a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>tronę pomocy</a>.<br> - + Really clear data? Na pewno wyczyścić dane? - + Important data may be lost! Ważne dane mogą zostać utracone! - + Are you REALLY sure? Czy NA PEWNO chcesz to zrobić? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. Po usunięciu Twoje dane NIE WRÓCĄ! Wykonaj to tylko, jeśli w 100% chcesz usunąć te dane. - + Clearing... Czyszczenie… - + Select Export Location Wybierz lokalizację eksportu - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Archiwa ZIP (.zip) - + Exporting data. This may take a while... Eksportowanie danych. To może chwilę potrwać… - + Exporting Eksportowanie - + Exported Successfully Wyeksportowano pomyślnie - + Data was exported successfully. Dane zostały pomyślnie wyeksportowane. - + Export Cancelled Eksport anulowany - + Export was cancelled by the user. Eksport został anulowany przez użytkownika. - + Export Failed Eksport nie powiódł się - + Ensure you have write permissions on the targeted directory and try again. Upewnij się, że masz uprawnienia zapisu do docelowego katalogu i spróbuj ponownie. - + Select Import Location Wybierz lokalizację importu - + Import Warning Ostrzeżenie dotyczące importu - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Wszystkie dotychczasowe dane w tym katalogu zostaną usunięte. Czy na pewno chcesz kontynuować? - + Importing data. This may take a while... Importowanie danych. To może chwilę potrwać… - + Importing Importowanie - + Imported Successfully Zaimportowano pomyślnie - + Data was imported successfully. Dane zostały pomyślnie zaimportowane. - + Import Cancelled Import anulowany - + Import was cancelled by the user. Import został anulowany przez użytkownika. - + Import Failed Import nie powiódł się - + Ensure you have read permissions on the targeted directory and try again. Upewnij się, że masz uprawnienia odczytu do docelowego katalogu i spróbuj ponownie. @@ -9167,22 +9601,22 @@ Wykonaj to tylko, jeśli w 100% chcesz usunąć te dane. QtCommon::FS - + Linked Save Data Powiązane dane zapisu - + Save data has been linked. Dane zapisu zostały powiązane. - + Failed to link save data Nie udało się powiązać danych zapisu - + Could not link directory: %1 To: @@ -9193,48 +9627,48 @@ Z: %2 - + Already Linked Już powiązane - + This title is already linked to Ryujinx. Would you like to unlink it? Ten tytuł jest już powiązany z Ryujinx. Czy chcesz usunąć to powiązanie? - + Failed to unlink old directory Nie udało się odłączyć starego katalogu - - + + OS returned error: %1 System operacyjny zwrócił błąd: %1 - + Failed to copy save data Nie udało się skopiować danych zapisu - + Unlink Successful Pomyślnie usunięto powiązanie - + Successfully unlinked Ryujinx save data. Save data has been kept intact. Pomyślnie odłączono dane zapisu Ryujinx. Dane zapisu zostały zachowane. - + Could not find Ryujinx installation Nie można znaleźć instalacji Ryujinx - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9248,18 +9682,18 @@ Czy chcesz ręcznie wybrać folder przenośny do użycia? Lokalizacja przenośnej instalacji Ryujinx - + Not a valid Ryujinx directory To nie jest prawidłowy katalog Ryujinx - + The specified directory does not contain valid Ryujinx data. Wskazany katalog nie zawiera prawidłowych danych Ryujinx. - - + + Could not find Ryujinx save data Nie można odnaleźć danych zapisu Ryujinx @@ -9267,229 +9701,285 @@ Czy chcesz ręcznie wybrać folder przenośny do użycia? QtCommon::Game - + Error Removing Contents Błąd podczas usuwania zawartości - + Error Removing Update Błąd podczas usuwania aktualizacji - + Error Removing DLC Błąd podczas usuwania DLC - - - - - - + + + + + + Successfully Removed Pomyślnie usunięto - + Successfully removed the installed base game. Pomyślnie usunięto zainstalowaną grę podstawową. - + The base game is not installed in the NAND and cannot be removed. Gra podstawowa nie jest zainstalowana w NAND i nie można jej usunąć. - + Successfully removed the installed update. Pomyślnie usunięto zainstalowaną aktualizację. - + There is no update installed for this title. Dla tego tytułu nie zainstalowano aktualizacji. - + There are no DLCs installed for this title. Dla tego tytułu nie zainstalowano DLC. - + Successfully removed %1 installed DLC. Pomyślnie usunięto zainstalowane DLC: %1. - - + + Error Removing Transferable Shader Cache Błąd podczas usuwania przenośnej pamięci podręcznej shaderów - - + + A shader cache for this title does not exist. Pamięć podręczna shaderów dla tego tytułu nie istnieje. - + Successfully removed the transferable shader cache. Pomyślnie usunięto przenośną pamięć podręczną shaderów. - + Failed to remove the transferable shader cache. Nie udało się usunąć cache'a przenośnego shadera. - + Error Removing Vulkan Driver Pipeline Cache Błąd podczas usuwania pamięci podręcznej potoków sterownika Vulkan - + Failed to remove the driver pipeline cache. Nie udało się usunąć pamięci podręcznej potoków sterownika. - - + + Error Removing Transferable Shader Caches Błąd podczas usuwania przenośnej pamięci podręcznej shaderów - + Successfully removed the transferable shader caches. Pomyślnie usunięto przenośne pamięci podręczne shaderów. - + Failed to remove the transferable shader cache directory. Nie udało się usunąć katalogu przenośnej pamięci podręcznej shaderów. - - + + Error Removing Custom Configuration Błąd podczas usuwania niestandardowej konfiguracji - + A custom configuration for this title does not exist. Niestandardowa konfiguracja dla tego tytułu nie istnieje. - + Successfully removed the custom game configuration. Pomyślnie usunięto niestandardową konfigurację gry. - + Failed to remove the custom game configuration. Nie udało się usunąć niestandardowej konfiguracji gry. - + Reset Metadata Cache Resetuj cache metadanych - + The metadata cache is already empty. Pamięć podręczna metadanych jest już pusta. - + The operation completed successfully. Operacja zakończona pomyślnie. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Nie można było usunąć pamięci podręcznej metadanych. Może być używana albo nie istnieje. - + Create Shortcut Utwórz skrót - + Do you want to launch the game in fullscreen? Uruchomić grę w trybie pełnoekranowym? - + Shortcut Created Utworzono skrót - + Successfully created a shortcut to %1 Pomyślnie utworzono skrót do %1 - + Shortcut may be Volatile! Skrót może być nietrwały! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Zostanie utworzony skrót do bieżącego AppImage. Po aktualizacji może działać nieprawidłowo. Kontynuować? - + Failed to Create Shortcut Nie udało się utworzyć skrótu - + Failed to create a shortcut to %1 Nie udało się utworzyć skrótu do %1 - + Create Icon Utwórz ikonę - + Cannot create icon file. Path "%1" does not exist and cannot be created. Nie można utworzyć pliku ikony. Ścieżka „%1” nie istnieje i nie można jej utworzyć. - + No firmware available Brak dostępnego firmware'u - + Please install firmware to use the home menu. Zainstaluj firmware, aby używać Menu głównego. - + Home Menu Applet Aplet „Menu główne” - + Home Menu is not available. Please reinstall firmware. Menu główne jest niedostępne. Zainstaluj ponownie firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache Błąd podczas otwierania pamięci podręcznej shaderów - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. Nie udało się utworzyć ani otworzyć pamięci podręcznej shaderów dla tego tytułu; upewnij się, że katalog danych aplikacji ma uprawnienia zapisu. @@ -9497,84 +9987,84 @@ Czy chcesz ręcznie wybrać folder przenośny do użycia? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Zawiera dane zapisu gry. NIE USUWAJ, JEŚLI NIE WIESZ, CO ROBISZ! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. Zawiera pamięci podręczne potoków Vulkan i OpenGL. Zwykle bezpieczne do usunięcia. - + Contains updates and DLC for games. Zawiera aktualizacje i DLC do gier. - + Contains firmware and applet data. Zawiera dane firmware’u i apletów. - + Contains game mods, patches, and cheats. Zawiera mody, łatki i kody do gier. - + Decryption Keys were successfully installed Klucze deszyfrujące zostały pomyślnie zainstalowane - + Unable to read key directory, aborting Nie można odczytać katalogu kluczy — przerywanie - + One or more keys failed to copy. Nie udało się skopiować co najmniej jednego klucza. - + Verify your keys file has a .keys extension and try again. Upewnij się, że plik kluczy ma rozszerzenie .keys i spróbuj ponownie. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. Nie udało się zainicjalizować kluczy deszyfrujących. Sprawdź, czy narzędzia do zrzutu są aktualne, i wykonaj ponowny zrzut kluczy. - + Successfully installed firmware version %1 Pomyślnie zainstalowano firmware w wersji %1 - + Unable to locate potential firmware NCA files Nie można zlokalizować potencjalnych plików firmware’u NCA - + Failed to delete one or more firmware files. Nie udało się usunąć co najmniej jednego pliku firmware’u. - + One or more firmware files failed to copy into NAND. Nie udało się skopiować co najmniej jednego pliku firmware’u do NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Instalacja firmware’u została anulowana — firmware może być w złym stanie lub uszkodzony. Uruchom ponownie Eden lub zainstaluj firmware ponownie. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - Brak firmware’u. Firmware jest wymagany do uruchamiania niektórych gier i korzystania z Menu głównego. Zalecane są wersje 19.0.1 lub wcześniejsze, ponieważ 20.0.0+ jest obecnie eksperymentalne. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + @@ -9596,59 +10086,59 @@ Wybierz odpowiedni przycisk, aby przenieść dane z tego emulatora. To może chwilę potrwać. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. Zaleca się wyczyszczenie pamięci podręcznej shaderów dla wszystkich użytkowników. Nie odznaczaj, jeśli nie wiesz, co robisz. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. Zachowuje stary katalog danych. Zalecane, jeśli nie masz ograniczeń miejsca i chcesz przechowywać osobne dane dla starego emulatora. - + Deletes the old data directory. This is recommended on devices with space constraints. Usuwa stary katalog danych. Zalecane na urządzeniach z ograniczoną ilością miejsca. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. Tworzy powiązanie systemu plików między starym katalogiem a katalogiem Eden. Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Ryujinx title database does not exist. Baza tytułów Ryujinx nie istnieje. - + Invalid header on Ryujinx title database. Nieprawidłowy nagłówek w bazie tytułów Ryujinx. - + Invalid magic header on Ryujinx title database. Nieprawidłowy „magic” nagłówek w bazie tytułów Ryujinx. - + Invalid byte alignment on Ryujinx title database. Nieprawidłowe wyrównanie bajtów w bazie tytułów Ryujinx. - + No items found in Ryujinx title database. Nie znaleziono żadnych elementów w bazie tytułów Ryujinx. - + Title %1 not found in Ryujinx title database. Tytułu %1 nie znaleziono w bazie tytułów Ryujinx. @@ -9689,7 +10179,7 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Pro Controller Pro kontroler @@ -9702,7 +10192,7 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Dual Joycons Para Joyconów @@ -9715,7 +10205,7 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Left Joycon Lewy Joycon @@ -9728,7 +10218,7 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Right Joycon Prawy Joycon @@ -9757,7 +10247,7 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. - + Handheld Handheld @@ -9878,32 +10368,32 @@ Zalecane, jeśli chcesz współdzielić dane między emulatorami. Za mało kontrolerów - + GameCube Controller Kontroler GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Kontroler NES/Pegasus - + SNES Controller Kontroler SNES - + N64 Controller Kontroler N64 - + Sega Genesis Sega Mega Drive @@ -10058,13 +10548,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Anuluj @@ -10101,12 +10591,12 @@ Wybierając „Z Eden”, dotychczasowe dane zapisu przechowywane w Ryujinx zost Anuluj - + Failed to link save data Nie udało się powiązać danych zapisu - + OS returned error: %1 System operacyjny zwrócił błąd: %1 @@ -10142,7 +10632,7 @@ Wybierając „Z Eden”, dotychczasowe dane zapisu przechowywane w Ryujinx zost Sekundy: - + Total play time reached maximum. Łączny czas gry osiągnął maksimum. diff --git a/dist/languages/pt_BR.ts b/dist/languages/pt_BR.ts index 5b981f531d..fc6e270ac4 100644 --- a/dist/languages/pt_BR.ts +++ b/dist/languages/pt_BR.ts @@ -38,12 +38,12 @@ li.checked::marker { content: "\2612"; } <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html> - + <html><head/><body><p><a href="https://eden-emulator.github.io/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://git.eden-emu.dev"><span style=" text-decoration: underline; color:#039be5;">Código Fonte</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/activity/contributors"><span style=" text-decoration: underline; color:#039be5;">Contribuidores</span></a> | <a href="https://discord.gg/HstXbPch7X"><span style=" text-decoration: underline; color:#039be5;">Discord</span></a> | <a href="https://stt.gg/qKgFEAbH"><span style=" text-decoration: underline; color:#039be5;">Stoat</span></a> | <a href="https://nitter.poast.org/edenemuofficial"><span style=" text-decoration: underline; color:#039be5;">Twitter</span></a> | <a href="https://git.eden-emu.dev/eden-emu/eden/src/branch/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licença</span></a></p></body></html> <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; is a trademark of Nintendo. Eden is not affiliated with Nintendo in any way.</span></p></body></html> - + <html><head/><body><p><span style=" font-size:7pt;">&quot;Nintendo Switch&quot; é uma marca registrada da Nintendo. Eden não é afiliada à Nintendo de forma alguma.</span></p></body></html> @@ -61,12 +61,12 @@ li.checked::marker { content: "\2612"; } Touch the top left corner <br>of your touchpad. - Toca no canto superior esquerdo <br>do teu touchpad. + Toque no canto superior esquerdo <br>do seu touchpad. Now touch the bottom right corner <br>of your touchpad. - Agora toca no canto inferior direito <br> do teu touchpad. + Agora toque no canto inferior direito <br> do seu touchpad. @@ -239,7 +239,7 @@ Isto banirá tanto o nome de usuário como o endereço IP do fórum. <html><head/><body><p><span style=" font-size:10pt;">Should you choose to submit a test case to the </span><a href="https://eden-emulator.github.io/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">eden Compatibility List</span></a><span style=" font-size:10pt;">, The following information will be collected and displayed on the site:</span></p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Hardware Information (CPU / GPU / Operating System)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Which version of eden you are running</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">The connected eden account</li></ul></body></html> - + <html><head/><body><p><span style=" font-size:10pt;">Caso opte por enviar um teste para a</span><a href="https://eden-emulator.github.io/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">Lista de Compatibilidade do eden</span></a><span style=" font-size:10pt;">, As seguintes informações serão coletadas e exibidas no site:</span></p><ul style="margin-top: 0px; margin-bottom: 0px; margin-left: 0px; margin-right: 0px; -qt-list-indent: 1;"><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Informações de Hardware (CPU/GPU/Sistema Operacional)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">Qual versão do eden está sendo utilizada</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">A conta eden conectada.</li></ul></body></html> @@ -349,7 +349,7 @@ Isto banirá tanto o nome de usuário como o endereço IP do fórum. Submitting - Entregando + Enviando @@ -375,147 +375,174 @@ Isto banirá tanto o nome de usuário como o endereço IP do fórum.% - + Amiibo editor Editor de Amiibo - + Controller configuration Configuração de controles - + Data erase Apagamento de dados - + Error Erro - + Net connect Conectar à rede - + Player select Seleção de jogador - + Software keyboard Teclado de software - + Mii Edit Editar Mii - + Online web Serviço online - + Shop Loja - + Photo viewer Visualizador de imagens - + Offline web Rede offline - + Login share Compartilhamento de Login - + Wifi web auth - Autenticação web por Wifi + Autenticação Wi-Fi - + My page Minha página - + Enable Overlay Applet + Ativar Applet de Sobreposição + + + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. - + Output Engine: Motor de Saída: - + Output Device: Dispositivo de Saída - + Input Device: Dispositivo de Entrada - + Mute audio Mutar Áudio - + Volume: Volume: - + Mute audio when in background Silenciar audio quando a janela ficar em segundo plano - + Multicore CPU Emulation Emulação de CPU Multicore - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Esta opção aumenta o uso de threads de emulação da CPU de 1 para o máximo de 4. Isso é prioritariamente uma opção de depuração e não deve ser desabilitada. - + Memory Layout Layout de memória - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Aumenta a quantidade de RAM emulada. Não afeta desempenho/estabilidade mas pode permitir o carregamento de texturas em alta definição. - + Limit Speed Percent Percentagem do limitador de velocidade - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + Controla a velocidade máxima de renderização de um jogo, mas depende de cada jogo se ele roda mais rápido ou não. +200% para um jogo de 30 FPS são 60 FPS, e para um de 60 FPS serão 120 FPS. +Desabilitar essa opção faz com que você destrave a taxa de quadros para o máximo que seu computador consegue alcançar. + + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. @@ -527,311 +554,335 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. Synchronizes CPU core speed with the game's maximum rendering speed to boost FPS without affecting game speed (animations, physics, etc.). Can help reduce stuttering at lower framerates. - + Sincroniza a velocidade do núcleo da CPU com a taxa máxima de renderização do jogo para aumentar o FPS sem afetar a velocidade do jogo (animações, física, etc.). +Pode ajudar a reduzir travamentos (engasgos) em taxas de quadros mais baixas. - + Accuracy: Precisão: - + Change the accuracy of the emulated CPU (for debugging only). - + Muda a precisão do CPU emulado (apenas para depuração). - - + + Backend: Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Faz overclock na CPU emulada para remover alguns limitadores de FPS. CPUs mais fracas podem apresentar redução de desempenho, e certos jogos podem se comportar de forma anormal. +Use 'Boost' (1700MHz) para rodar no clock nativo mais alto do Switch, ou 'Rápido' (2000MHz) para rodar com o dobro do clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + Ativar Emulação de MMU do Anfitrião (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Esta otimização acelera os acessos à memória pelo programa convidado. +Ativá-la faz com que as leituras/escritas de memória do convidado sejam feitas diretamente na memória e utilizem a MMU do Hospedeiro. +Desativar esta opção força todos os acessos à memória a usarem a Emulação de MMU por Software. - + Unfuse FMA (improve performance on CPUs without FMA) - FMA inseguro (Melhorar performance no CPU sem FMA) + FMA inseguro (melhora desempenho no CPU sem FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Essa opção melhora a velocidade ao reduzir a precisão de instruções de fused-multiply-add em CPUs sem suporte nativo ao FMA. - + Faster FRSQRTE and FRECPE FRSQRTE e FRECPE mais rápido - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Essa opção melhora a velocidade de algumas funções aproximadas de pontos flutuantes ao usar aproximações nativas precisas. - + Faster ASIMD instructions (32 bits only) Instruções ASIMD mais rápidas (apenas 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Essa opção melhora a velocidade de funções de pontos flutuantes de 32 bits ASIMD ao executá-las com modos de arredondamento incorretos. - + Inaccurate NaN handling Tratamento impreciso de NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Esta opção melhora a velocidade ao remover a checagem NaN. Por favor, note que isso também reduzirá a precisão de certas instruções de ponto flutuante. - + Disable address space checks Desativar a verificação do espaço de endereços - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorar monitor global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Esta opção melhora a velocidade ao depender apenas das semânticas do cmpxchg pra garantir a segurança das instruções de acesso exclusivo. Por favor, note que isso pode resultar em travamentos e outras condições de execução. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Dispositivo: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Resolução: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Filtro de adaptação de janela: - + FSR Sharpness: FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Método de Anti-Aliasing - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + O método anti-aliasing a ser utilizado. +SMAA oferece a melhor qualidade. +FXAA pode produzir uma imagem mais estável em resoluções mais baixas. - + Fullscreen Mode: Tela Cheia - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. O método utilizado ao renderizar a janela em tela cheia. Sem borda oferece a melhor compatibilidade com o teclado na tela que alguns jogos requerem pra entrada de texto. -Tela cheia exclusiva pode oferecer melhor performance e melhor suporte a Freesync/Gsync. +Tela cheia exclusiva pode oferecer melhor desempenho e melhor suporte a Freesync/Gsync. - + Aspect Ratio: Proporção do Ecrã: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Permite guardar os shaders para carregar os jogos nas execuções seguintes. Desabiltar essa opção só serve para propósitos de depuração. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. This feature is experimental. - + Executa uma passagem de otimização adicional nos shaders SPIR-V gerados. + Irá aumentar o tempo necessário para a compilação de shaders. + Pode melhorar ligeiramente o desempenho. + Este recurso é experimental. - + NVDEC emulation: Emulação NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. Especifica como os vídeos devem ser decodificados. Tanto a CPU quanto a GPU podem ser utilizadas para decodificação, ou não decodificar nada (tela preta nos vídeos). -Na maioria dos casos, a decodificação pela GPU fornece uma melhor performance. +Na maioria dos casos, a decodificação pela GPU fornece um melhor desempenho. - + ASTC Decoding Method: Método de Decodificação ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). CPU Asynchronously: Use the CPU to decode ASTC textures on demand. EliminatesASTC decoding stuttering but may present artifacts. - + Esta opção controla como as texturas ASTC devem ser decodificadas. +CPU: Usa a CPU para a decodificação. +GPU: Usa os compute shaders da GPU para decodificar texturas ASTC (recomendado). +CPU Assíncrona: Usa a CPU para decodificar texturas ASTC sob demanda. Elimina travamentos (engasgos) de decodificação ASTC, +mas pode apresentar artefatos visuais. - + ASTC Recompression Method: Método de Recompressão ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + Controle como o emulador gerencia o ritmo de quadros para reduzir travamentos (engasgos) e deixar a taxa de quadros mais suave e consistente. + + + VRAM Usage Mode: Modo de Uso da VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Define se o emulador deve priorizar a economia de memória ou fazer o uso máximo da memória de vídeo disponível para melhorar o desempenho. +O modo agressivo pode impactar a performance de outros aplicativos, como softwares de gravação. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: Modo de Sincronização vertical: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -839,1318 +890,1405 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Garante a consistência de dados entre as operações de computação e memória. +Esta opção corrige problemas em diversos jogos, mas pode reduzir o desempenho. +Jogos baseados na Unreal Engine 4 costumam apresentar as mudanças mais significativas. - + Enable asynchronous presentation (Vulkan only) Ativar apresentação assíncrona (Somente Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Melhora ligeiramente o desempenho ao mover a apresentação para uma thread de CPU separada. - + Force maximum clocks (Vulkan only) Forçar clock máximo (somente Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Executa trabalho em segundo plano aguardando pelos comandos gráficos para evitar a GPU de reduzir seu clock. - + Anisotropic Filtering: Filtro Anisotrópico: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Controla a precisão do DMA. A precisão Segura corrige problemas em alguns jogos, mas pode reduzir o desempenho. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Utilizar cache de pipeline do Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Habilita o cache de pipeline da fabricante da GPU. Esta opção pode melhorar o tempo de carregamento de shaders significantemente em casos onde o driver Vulkan não armazena o cache de pipeline internamente. - + Enable Compute Pipelines (Intel Vulkan Only) Habilitar Pipeline de Computação (Somente Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Habilitar Flushing Reativo - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Usa flushing reativo ao invés de flushing preditivo, permitindo mais precisão na sincronização da memória. - + Sync to framerate of video playback Sincronizar com o framerate da reprodução de vídeo - + Run the game at normal speed during video playback, even when the framerate is unlocked. Executa o jogo na velocidade normal durante a reprodução de vídeo, mesmo se o framerate estiver desbloqueado. - + Barrier feedback loops Ciclos de feedback de barreira - + Improves rendering of transparency effects in specific games. Melhora a renderização de efeitos de transparência em jogos específicos. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + Permite que o shader de fragmento seja processado por cada amostra em fragmentos multiamostrados, em vez de uma única vez por fragmento. Melhora a qualidade gráfica ao custo de desempenho. + Valores mais altos aumentam a qualidade, mas reduzem a performance. - + RNG Seed Semente de RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Nome do Dispositivo - + The name of the console. - + Custom RTC Date: Data personalizada do RTC: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Idioma: - + This option can be overridden when region setting is auto-select - + Region: Região: - + The region of the console. - + Time Zone: Fuso Horário: - + The time zone of the console. - + Sound Output Mode: Modo de saída de som - + Console Mode: Modo Console: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Confirmar antes de parar a emulação - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Esconder rato quando inactivo. - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet - Desabilitar miniaplicativo de controle + Desabilitar applet de controle - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode Habilitar Gamemode - + Force X11 as Graphics Backend - + Custom frontend Frontend customizado - + Real applet - Miniaplicativo real + Applet real - + Never Nunca - + On Load - + Always Sempre - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU Assíncrona - + Uncompressed (Best quality) - Descompactado (Melhor Q + Descompactado (Melhor Qualidade) - + BC1 (Low quality) BC1 (Baixa qualidade) - + BC3 (Medium quality) BC3 (Média qualidade) - - Conservative - Conservador - - - - Aggressive - Agressivo - - - - Vulkan - Vulcano - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Nenhum (desativado) - - - - Fast - - - - - Balanced - - - - - - Accurate - Preciso - - - - - Default - Padrão - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Automático - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Conservador + + + + Aggressive + Agressivo + + + + Vulkan + Vulcano + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Nenhum + + + + Fast + + + + + Balanced + + + + + + Accurate + Preciso + + + + + Default + Padrão + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Inseguro - + Paranoid (disables most optimizations) Paranoia (desativa a maioria das otimizações) - + Debugging - + Depuração - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Janela sem bordas - + Exclusive Fullscreen Tela cheia exclusiva - + No Video Output Sem saída de vídeo - + CPU Video Decoding Decodificação de vídeo pela CPU - + GPU Video Decoding (Default) Decodificação de vídeo pela GPU (Padrão) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Vizinho mais próximo - + Bilinear Bilinear - + Bicubic Bicúbico - + Gaussian Gaussiano - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area Área - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Nenhum - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Padrão (16:9) - + Force 4:3 Forçar 4:3 - + Force 21:9 Forçar 21:9 - + Force 16:10 Forçar 16:10 - + Stretch to Window Esticar à Janela - + Automatic Automático - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japonês (日本語) - + American English Inglês Americano - + French (français) Francês (français) - + German (Deutsch) Alemão (Deutsch) - + Italian (italiano) Italiano (italiano) - + Spanish (español) Espanhol (español) - + Chinese Chinês - + Korean (한국어) Coreano (한국어) - + Dutch (Nederlands) Holandês (Nederlands) - + Portuguese (português) Português (português) - + Russian (Русский) Russo (Русский) - + Taiwanese Taiwanês - + British English Inglês Britânico - + Canadian French Francês Canadense - + Latin American Spanish Espanhol Latino-Americano - + Simplified Chinese Chinês Simplificado - + Traditional Chinese (正體中文) Chinês Tradicional (正 體 中文) - + Brazilian Portuguese (português do Brasil) Português do Brasil (Brazilian Portuguese) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japão - + USA EUA - + Europe Europa - + Australia Austrália - + China China - + Korea Coreia - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Padrão (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt - Egipto + Egito - + Eire Irlanda - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Irlanda - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islândia - + Iran - Irão + Irã - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Líbia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland - Polónia + Polônia - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapura - + Turkey Turquia - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Estéreo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Padrão) - + 6GB DRAM (Unsafe) 6GB DRAM (Não seguro) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Ancorado - + Handheld Portátil - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) Sempre perguntar (Padrão) - + Only if game specifies not to stop Somente se o jogo especificar para não parar - + Never ask Nunca perguntar - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2162,12 +2300,12 @@ When a program attempts to open the controller applet, it is immediately closed. Applets - Miniaplicativos + Applets Applet mode preference - Modo de preferência dos miniaplicativos + Modo de preferência de Applets @@ -2222,7 +2360,7 @@ When a program attempts to open the controller applet, it is immediately closed. Restaurar Padrões - + Auto Automático @@ -2295,14 +2433,15 @@ When a program attempts to open the controller applet, it is immediately closed. <div style="white-space: nowrap">Disabling this forces all memory accesses to go through the Memory::Read/Memory::Write functions.</div> -<div style="white-space: nowrap">Esta optimização acelera o acesso à memória acedida por programas de convidados.</div> -<div style="white-space: nowrap">Ao activá-la mostra acessos por linha ao PageTable::pointers em código emitido.</div> -<div style="white-space: nowrap">Desactivando-a força todos os acessos à memória a passar pelas funções Memory::Read/Memory::Write.</div> + <div style="white-space: nowrap">Esta otimização acelera os acessos à memória pelo programa convidado.</div> + <div style="white-space: nowrap">Ao ativá-la, os acessos a PageTable::pointers são inseridos diretamente no código emitido.</div> + <div style="white-space: nowrap">Desativar esta opção força todos os acessos à memória a passarem pelas funções Memory::Read/Memory::Write</div> + Enable inline page tables - Activar tabela de páginas em linha. + Ativar tabelas de página em linha. @@ -2310,12 +2449,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>This optimization avoids dispatcher lookups by allowing emitted basic blocks to jump directly to other basic blocks if the destination PC is static.</div> -<div>Esta optimização evita as pesquisas do expedidor ao permitir que os blocos básicos emitidos saltem directamente para outros blocos básicos se o PC de destino for estático.</div> +<div>Esta otimização evita buscas no expedidor ao permitir que blocos básicos emitidos saltem diretamente para outros blocos básicos se o PC de destino for estático.</div> Enable block linking - Activar ligações de bloco + Ativar ligações de bloco @@ -2323,12 +2462,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>This optimization avoids dispatcher lookups by keeping track potential return addresses of BL instructions. This approximates what happens with a return stack buffer on a real CPU.</div> -<div>Esta optimização evita as pesquisas do expedidor, mantendo um registo dos potenciais endereços de retorno das instruções BL. Isto aproxima o que acontece com um buffer de pilha de retorno numa CPU real.</div> +<div>Esta otimização evita buscas no expedidor ao rastrear possíveis endereços de retorno de instruções BL. Isso se aproxima do que ocorre com um buffer de pilha de retorno em uma CPU real.</div> Enable return stack buffer - Activar buffer do return stack + Ativar buffer de pilha de retorno @@ -2336,12 +2475,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>Enable a two-tiered dispatch system. A faster dispatcher written in assembly has a small MRU cache of jump destinations is used first. If that fails, dispatch falls back to the slower C++ dispatcher.</div> -<div>Activa um sistema de despacho de dois níveis. Um expedidor mais rápido escrito em assembly tem uma pequena cache MRU de destinos de salto que é utilizado primeiro. Se esse falhar, a expedição volta ao expedidor C++ mais lento.</div> +<div>Ativa um sistema de despacho de dois níveis. Um expedidor mais rápido escrito em assembly tem uma pequena cache MRU de destinos de salto que é utilizado primeiro. Se esse falhar, a expedição volta ao expedidor C++ mais lento.</div> Enable fast dispatcher - Activar expedidor rápido + Ativar expedidor rápido @@ -2349,12 +2488,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>Enables an IR optimization that reduces unnecessary accesses to the CPU context structure.</div> -<div>Activa uma optimização IR que reduz acessos desnecessários ao contexto de estrutura do CPU</div> +<div>Ativa uma otimização IR que reduz acessos desnecessários ao contexto de estrutura do CPU</div> Enable context elimination - Activar eliminação de contexto + Ativar eliminação de contexto @@ -2362,12 +2501,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>Enables IR optimizations that involve constant propagation.</div> -<div>Activa optimizações IR que involvem propagação constante.</div> +<div>Ativa otimizações IR que involvem propagação constante.</div> Enable constant propagation - Activar propagação constante + Ativar propagação constante @@ -2375,12 +2514,12 @@ When a program attempts to open the controller applet, it is immediately closed. <div>Enables miscellaneous IR optimizations.</div> -<div>Activa várias optimizações IR</div> +<div>Ativa várias otimizações IR</div> Enable miscellaneous optimizations - Activar diversas optimizações + Ativar diversas otimizações @@ -2389,13 +2528,13 @@ When a program attempts to open the controller applet, it is immediately closed. <div style="white-space: nowrap">When disabled, a misalignment is triggered on all misaligned accesses.</div> -<div style="white-space: nowrap">Quando activado, um desalinhamento só é accionado quando um acesso atravessa um limite de página.</div> -<div style="white-space: nowrap">Quando desactivado, um desalinhamento é accionado em todos os acessos desalinhados.</div> +<div style="white-space: nowrap">Quando ativado, um desalinhamento só é acionado quando um acesso atravessa um limite de página.</div> +<div style="white-space: nowrap">Quando desativado, um desalinhamento é acionado em todos os acessos desalinhados.</div> Enable misalignment check reduction - Activar redução da verificação de desalinhamento + Ativar redução da verificação de desalinhamento @@ -2413,7 +2552,7 @@ When a program attempts to open the controller applet, it is immediately closed. Enable Host MMU Emulation (general memory instructions) - Ativar emulação MMU do anfitrião (instruções de memória genéricas) + Ativar emulação de MMU do anfitrião (instruções de memória genéricas) @@ -2431,7 +2570,7 @@ When a program attempts to open the controller applet, it is immediately closed. Enable Host MMU Emulation (exclusive memory instructions) - Ativar emulação da MMU no anfitrião (instruções da memória exclusiva) + Ativar Emulação de MMU do Anfitrião (instruções de memória exclusiva) @@ -2621,7 +2760,7 @@ When a program attempts to open the controller applet, it is immediately closed. <html><head/><body><p>When checked, disables reordering of mapped memory uploads which allows to associate uploads with specific draws. May reduce performance in some cases.</p></body></html> - <html><head/><body><p>Quando selecionado, desabilita a reordenação de uploads de memória mapeada, o que permite associar uploads com chamados específicos. Pode reduzir a performance em alguns casos.</p></body></html> + <html><head/><body><p>Quando selecionado, desabilita a reordenação de uploads de memória mapeada, o que permite associar uploads com chamados específicos. Pode reduzir o desempenho em alguns casos.</p></body></html> @@ -2665,83 +2804,88 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Ativar asserções de depuração - + Debugging Depuração - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Habilite essa opção para gravar a última saída da lista de comandos de áudio para o console. Somente afetará jogos que utilizam o renderizador de áudio. - + Dump Audio Commands To Console** Despejar comandos de áudio no console** - + Flush log output on each line - + Enable FS Access Log Ativar acesso de registro FS - + Enable Verbose Reporting Services** Ativar serviços de relatório detalhado** - + Censor username in logs - + **This will be reset automatically when Eden closes. - + **Reseterá automaticamente quando o Eden fechar. @@ -2786,7 +2930,7 @@ When a program attempts to open the controller applet, it is immediately closed. Eden Configuration - + Configurar Eden @@ -2796,17 +2940,17 @@ When a program attempts to open the controller applet, it is immediately closed. Applets - Miniaplicativos + Applets - + Audio Audio - + CPU CPU @@ -2822,13 +2966,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Geral - + Graphics Gráficos @@ -2849,7 +2993,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Controlos @@ -2865,7 +3009,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Sistema @@ -2980,61 +3124,61 @@ When a program attempts to open the controller applet, it is immediately closed. Reset Metadata Cache - Resetar a Cache da Metadata + Restaurar o Cache de Metadados - + Select Emulated NAND Directory... Selecione o Diretório NAND Emulado... - + Select Emulated SD Directory... Selecione o Diretório SD Emulado... - - + + Select Save Data Directory... - + Select Gamecard Path... Selecione o Diretório do Cartão de Jogo... - + Select Dump Directory... Selecionar o diretório do Dump... - + Select Mod Load Directory... Selecionar o Diretório do Mod Load ... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3045,7 +3189,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3053,28 +3197,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3085,12 +3229,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3111,20 +3255,55 @@ Would you like to delete the old save data? Geral - + + External Content + Conteúdo Externo + + + + Add directories to scan for DLCs and Updates without installing to NAND + Adicionar diretórios para buscar DLCs e atualizações sem instalar na NAND + + + + Add Directory + Adicionar Diretório + + + + Remove Selected + Remover Selecionados(as) + + + Reset All Settings Restaurar todas as configurações - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Isto restaura todas as configurações e remove as configurações específicas de cada jogo. As pastas de jogos, perfis de jogos e perfis de controlo não serão removidos. Continuar? + + + Select External Content Directory... + Selecionar Diretório Externo de Conteúdo... + + + + Directory Already Added + Diretório Já Vinculado + + + + This directory is already in the list. + Diretório já presente na lista. + ConfigureGraphics @@ -3154,33 +3333,33 @@ Would you like to delete the old save data? Cor de fundo: - + % FSR sharpening percentage (e.g. 50%) % - + Off Desligado - + VSync Off Sincronização vertical desligada - + Recommended Recomendado - + On Ligado - + VSync On Sincronização vertical ligada @@ -3231,13 +3410,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3407,7 +3586,7 @@ Would you like to delete the old save data? Console Mode - Modo de Consola + Modo de Console @@ -3659,12 +3838,12 @@ Would you like to delete the old save data? Requires restarting Eden - + Requer reiniciar o Eden Enable XInput 8 player support (disables web applet) - Ativar suporte para 8 jogadores XInput (desabilita o applet da web) + Ativar suporte para 8 jogadores XInput (desabilita o applet de rede) @@ -3795,7 +3974,7 @@ Would you like to delete the old save data? Save - Guardar + Salvar @@ -3809,7 +3988,7 @@ Would you like to delete the old save data? - + Left Stick Analógico Esquerdo @@ -3919,14 +4098,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3939,22 +4118,22 @@ Would you like to delete the old save data? - + Plus Mais - + ZR ZR - - + + R R @@ -4011,7 +4190,7 @@ Would you like to delete the old save data? - + Right Stick Analógico Direito @@ -4180,90 +4359,90 @@ Para inverter os eixos, mova o seu analógico primeiro verticalmente e depois ho Mega Drive - + Start / Pause Iniciar / Pausar - + Z Z - + Control Stick Direcional de controle - + C-Stick C-Stick - + Shake! Abane! - + [waiting] [em espera] - + New Profile Novo Perfil - + Enter a profile name: Introduza um novo nome de perfil: - - + + Create Input Profile Criar perfil de controlo - + The given profile name is not valid! O nome de perfil dado não é válido! - + Failed to create the input profile "%1" Falha ao criar o perfil de controlo "%1" - + Delete Input Profile Apagar Perfil de Controlo - + Failed to delete the input profile "%1" Falha ao apagar o perfil de controlo "%1" - + Load Input Profile Carregar perfil de controlo - + Failed to load the input profile "%1" Falha ao carregar o perfil de controlo "%1" - + Save Input Profile - Guardar perfil de controlo + Salvar perfil de controle - + Failed to save the input profile "%1" - Falha ao guardar o perfil de controlo "%1" + Falha ao salvar o perfil de controle "%1" @@ -4367,7 +4546,7 @@ Para inverter os eixos, mova o seu analógico primeiro verticalmente e depois ho Eden - + Eden @@ -4556,11 +4735,6 @@ Os valores atuais são %1% e %2% respectivamente. Enable Airplane Mode - - - None - Nenhum - ConfigurePerGame @@ -4615,52 +4789,57 @@ Os valores atuais são %1% e %2% respectivamente. Algumas configurações só estão disponíveis apenas quando não houver nenhum jogo em execução. - + Add-Ons Add-Ons - + System Sistema - + CPU CPU - + Graphics Gráficos - + Adv. Graphics Gráficos Avç. - + Ext. Graphics - + Audio Audio - + Input Profiles Perfis de controle - + Network + Applets + Applets + + + Properties Propriedades @@ -4678,15 +4857,110 @@ Os valores atuais são %1% e %2% respectivamente. Add-Ons - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nome da Patch - + Version Versão + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4734,62 +5008,62 @@ Os valores atuais são %1% e %2% respectivamente. %2 - + Users Utilizadores - + Error deleting image Error ao eliminar a imagem - + Error occurred attempting to overwrite previous image at: %1. Ocorreu um erro ao tentar substituir imagem anterior em: %1. - + Error deleting file Erro ao eliminar o arquivo - + Unable to delete existing file: %1. Não é possível eliminar o arquivo existente: %1. - + Error creating user image directory Erro ao criar o diretório de imagens do utilizador - + Unable to create directory %1 for storing user images. Não é possível criar o diretório %1 para armazenar imagens do utilizador. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4797,17 +5071,17 @@ Os valores atuais são %1% e %2% respectivamente. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Excluir esse usuário? Todos os dados salvos desse usuário serão removidos. - + Confirm Delete Confirmar para eliminar - + Name: %1 UUID: %2 Nome: %1 @@ -5009,17 +5283,22 @@ UUID: %2 Pausar execução durante carregamentos - + + Show recording dialog + + + + Script Directory Diretório do script - + Path Caminho - + ... ... @@ -5032,7 +5311,7 @@ UUID: %2 Configurar TAS - + Select TAS Load Directory... Selecionar diretório de carregamento TAS @@ -5170,64 +5449,43 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta ConfigureUI - - - + + None Nenhum - - Small (32x32) - Pequeno (32x32) - - - - Standard (64x64) - Padrão (64x64) - - - - Large (128x128) - Grande (128x128) - - - - Full Size (256x256) - Tamanho completo (256x256) - - - + Small (24x24) Pequeno (24x24) - + Standard (48x48) Padrão (48x48) - + Large (72x72) Grande (72x72) - + Filename Nome de Ficheiro - + Filetype Tipo de arquivo - + Title ID ID de Título - + Title Name Nome do título @@ -5296,71 +5554,66 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - Game Icon Size: - Tamanho do ícone do jogo: - - - Folder Icon Size: Tamanho do ícone da pasta: - + Row 1 Text: Linha 1 Texto: - + Row 2 Text: Linha 2 Texto: - + Screenshots Captura de Ecrã - + Ask Where To Save Screenshots (Windows Only) - Perguntar Onde Guardar Capturas de Ecrã (Apenas Windows) + Perguntar Onde Guardar Capturas de Tela (Apenas Windows) - + Screenshots Path: Caminho das Capturas de Ecrã: - + ... ... - + TextLabel TextLabel - + Resolution: Resolução: - + Select Screenshots Path... Seleccionar Caminho de Capturas de Ecrã... - + <System> <System> - + English Inglês - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5481,7 +5734,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Web Service configuration can only be changed when a public room isn't being hosted. - Configuração de Serviço Web só podem ser alteradas quando uma sala pública não está sendo hospedada. + Configurações de Serviço de Rede só podem ser alteradas quando uma sala pública não está sendo hospedada. @@ -5494,20 +5747,20 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Mostrar o Jogo Atual no seu Estado de Discord - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5539,27 +5792,27 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - + Shaders - + Shaders - + UserNAND - + UserNAND - + SysNAND - + SysNAND - + Mods - + Mods - + Saves @@ -5597,7 +5850,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - + Calculating... @@ -5607,25 +5860,25 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Eden Dependencies - + Dependências do Eden <html><head/><body><p><span style=" font-size:28pt;">Eden Dependencies</span></p></body></html> - + <html><head/><body><p><span style=" font-size:28pt;">Dependências do Eden</span></p></body></html> <html><head/><body><p>The projects that make Eden possible</p></body></html> - + <html><head/><body><p>Os projetos que fazem o Eden possível</p></body></html> - + Dependency - + Version @@ -5645,7 +5898,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta <html><head/><body><p>Server address of the host</p></body></html> - <html><head/><body><p>Endereço do host</p></body></html> + <html><head/><body><p>Endereço de servidor do anfitrião</p></body></html> @@ -5716,7 +5969,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta You must choose a Preferred Game to host a room. If you do not have any games in your game list yet, add a game folder by clicking on the plus icon in the game list. - + Você deve escolher um Jogo Preferencial para hospedar uma sala. Se você ainda não possui nenhum jogo na sua lista, adicione uma pasta de jogos clicando no 'ícone de mais' na lista de jogos. @@ -5726,7 +5979,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Unable to connect to the host. Verify that the connection settings are correct. If you still cannot connect, contact the room host and verify that the host is properly configured with the external port forwarded. - + Não foi possível conectar ao anfitrião. Verifique se as configurações de conexão estão corretas. Se você ainda não conseguir se conectar, entre em contato com o anfitrião da sala e verifique se ele está configurado corretamente com o encaminhamento de porta externa. @@ -5736,7 +5989,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Creating a room failed. Please retry. Restarting Eden might be necessary. - + Falha ao criar sala. Tente novamente. Reiniciar o Eden pode ser necessário. @@ -5746,7 +5999,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Version mismatch! Please update to the latest version of Eden. If the problem persists, contact the room host and ask them to update the server. - + Incompatibilidade de versão! Por favor, atualize para a versão mais recente do Eden. Se o problema persistir, entre em contato com o anfitrião da sala e peça para que atualize o servidor. @@ -5799,44 +6052,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL não está disponível! - + OpenGL shared contexts are not supported. Shared contexts do OpenGL não são suportados. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Erro ao inicializar OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. O seu GPU pode não suportar OpenGL, ou não tem os drivers gráficos mais recentes. - + Error while initializing OpenGL 4.6! Erro ao inicializar o OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 O teu GPU pode não suportar OpenGL 4.6, ou não tem os drivers gráficos mais recentes. - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Sua GPU pode não suportar uma ou mais extensões necessárias do OpenGL. Verifique se você possui a última versão dos drivers gráficos.<br><br>Renderizador GL:<br>%1<br><br>Extensões não suportadas:<br>%2 @@ -5844,203 +6097,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + &Adicionar novo diretório de jogos + + + Favorite Favorito - + Start Game Iniciar jogo - + Start Game without Custom Configuration Iniciar jogo sem configuração personalizada - + Open Save Data Location Abrir Localização de Dados Salvos - + Open Mod Data Location Abrir a Localização de Dados do Mod - + Open Transferable Pipeline Cache Abrir cache de pipeline transferível - + Link to Ryujinx - + Vincular ao Ryujinx - + Remove Remover - + Remove Installed Update Remover Actualizações Instaladas - + Remove All Installed DLC Remover Todos os DLC Instalados - + Remove Custom Configuration Remover Configuração Personalizada - + Remove Cache Storage Remove a Cache do Armazenamento - + Remove OpenGL Pipeline Cache Remover cache de pipeline do OpenGL - + Remove Vulkan Pipeline Cache Remover cache de pipeline do Vulkan - + Remove All Pipeline Caches Remover todos os caches de pipeline - + Remove All Installed Contents Remover Todos os Conteúdos Instalados - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data Remover dados de tempo jogado - - + + Dump RomFS Despejar RomFS - + Dump RomFS to SDMC Extrair RomFS para SDMC - + Verify Integrity Verificar integridade - + Copy Title ID to Clipboard Copiar título de ID para a área de transferência - + Navigate to GameDB entry Navegue para a Entrada da Base de Dados de Jogos - + Create Shortcut Criar Atalho - + Add to Desktop Adicionar à Área de Trabalho - + Add to Applications Menu Adicionar ao Menu de Aplicativos - + Configure Game - + Scan Subfolders Examinar Sub-pastas - + Remove Game Directory Remover diretório do Jogo - + ▲ Move Up ▲ Mover para Cima - + ▼ Move Down ▼ Mover para Baixo - + Open Directory Location Abrir Localização do diretório - + Clear Limpar - + Name Nome - + Compatibility Compatibilidade - + Add-ons Add-ons - + File type Tipo de Arquivo - + Size Tamanho - + Play time Tempo jogado @@ -6048,62 +6306,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Não Jogável - + Game starts, but crashes or major glitches prevent it from being completed. O jogo inicia, porém problemas ou grandes falhas impedem que ele seja concluído. - + Perfect Perfeito - + Game can be played without issues. O jogo pode ser jogado sem problemas. - + Playable Jogável - + Game functions with minor graphical or audio glitches and is playable from start to finish. O jogo funciona com pequenas falhas gráficas ou de áudio e pode ser reproduzido do início ao fim. - + Intro/Menu Introdução / Menu - + Game loads, but is unable to progress past the Start Screen. O jogo carrega, porém não consegue passar da tela inicial. - + Won't Boot Não Inicia - + The game crashes when attempting to startup. O jogo trava ao tentar iniciar. - + Not Tested Não Testado - + The game has not yet been tested. O jogo ainda não foi testado. @@ -6111,7 +6369,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Clique duas vezes para adicionar uma nova pasta à lista de jogos @@ -6119,17 +6377,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Filtro: - + Enter pattern to filter Digite o padrão para filtrar @@ -6205,33 +6463,26 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Erro - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: - + Falha ao anunciar a sala no lobby público. Para hospedar uma sala publicamente, você deve ter uma conta do Eden válida configurada em Emulação -> Configurar -> Web. Se não deseja criar uma sala no lobby público, selecione Não-listada. +Mensagem de Depuração: Hotkeys - + Audio Mute/Unmute Mutar/Desmutar Áudio - - - - - - - - @@ -6254,154 +6505,180 @@ Debug Message: + + + + + + + + + + + Main Window Janela Principal - + Audio Volume Down Volume Menos - + Audio Volume Up Volume Mais - + Capture Screenshot Captura de Tela - + Change Adapting Filter Alterar Filtro de Adaptação - + Change Docked Mode Alterar Modo de Ancoragem - + Change GPU Mode - + Alterar modo de GPU - + Configure - + Configurar - + Configure Current Game - + Configurar Jogo Atual - + Continue/Pause Emulation Continuar/Pausar Emulação - + Exit Fullscreen Sair da Tela Cheia - + Exit Eden - + Sair do Eden - + Fullscreen Tela Cheia - + Load File Carregar Ficheiro - + Load/Remove Amiibo Carregar/Remover Amiibo - - Multiplayer Browse Public Game Lobby - Multiplayer Navegar no Lobby de Salas Públicas + + Browse Public Game Lobby + Navegar no Lobby de Salas Públicas - - Multiplayer Create Room - Multiplayer Criar Sala + + Create Room + Criar Sala - - Multiplayer Direct Connect to Room - Multiplayer Conectar Diretamente à Sala + + Direct Connect to Room + Conectar-se Diretamente à Sala - - Multiplayer Leave Room - Multiplayer Sair da Sala + + Leave Room + Sair da Sala - - Multiplayer Show Current Room - Multiplayer Mostrar a Sala Atual + + Show Current Room + Exibir Sala Atual - + Restart Emulation Reiniciar Emulação - + Stop Emulation Parar Emulação - + TAS Record Gravar TAS - + TAS Reset Reiniciar TAS - + TAS Start/Stop Iniciar/Parar TAS - + Toggle Filter Bar Alternar Barra de Filtro - + Toggle Framerate Limit Alternar Limite de Quadros por Segundo - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Alternar o Giro do Mouse - + Toggle Renderdoc Capture Alternar a Captura do Renderdoc - + Toggle Status Bar Alternar Barra de Status + + + Toggle Performance Overlay + Alternar Sobreposição de Desempenho + InstallDialog @@ -6423,7 +6700,7 @@ Debug Message: Install Files to NAND - Instalar Ficheiros no NAND + Instalar Ficheiros na NAND @@ -6454,22 +6731,22 @@ Debug Message: Tempo Estimado 5m 4s - + Loading... A Carregar... - + Loading Shaders %1 / %2 A Carregar Shaders %1 / %2 - + Launching... A iniciar... - + Estimated Time %1 Tempo Estimado %1 @@ -6518,42 +6795,42 @@ Debug Message: Atualizar Lobby - + Password Required to Join Senha Necessária para Entrar - + Password: Senha: - + Players Jogadores - + Room Name Nome da Sala - + Preferred Game Jogo Preferencial - + Host Anfitrião - + Refreshing Atualizando - + Refresh List Atualizar Lista @@ -6578,7 +6855,7 @@ Debug Message: Open &Eden Folders - + Abrir Pastas do &Eden @@ -6602,1091 +6879,1153 @@ Debug Message: + &Game List Mode + Modo Lista de &Jogos + + + + Game &Icon Size + Tamanho do &Ícone do Jogo + + + Reset Window Size to &720p Restaurar tamanho da janela para &720p - + Reset Window Size to 720p Restaurar tamanho da janela para 720p - + Reset Window Size to &900p Restaurar tamanho da janela para &900p - + Reset Window Size to 900p Restaurar tamanho da janela para 900p - + Reset Window Size to &1080p Restaurar tamanho da janela para &1080p - + Reset Window Size to 1080p Restaurar tamanho da janela para 1080p - + &Multiplayer &Multijogador - + &Tools &Ferramentas - + Am&iibo - + Am&iibo - + Launch &Applet - + Iniciar &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + Instalar &Firmware - + &Help &Ajuda - + &Install Files to NAND... &Instalar arquivos na NAND... - + L&oad File... C&arregar arquivo... - + Load &Folder... Carregar &pasta... - + E&xit &Sair - - + + &Pause &Pausa - + &Stop &Parar - + &Verify Installed Contents &Verificar conteúdo instalado - + &About Eden - + &Sobre o Eden - + Single &Window Mode Modo de &janela única - + Con&figure... Con&figurar... - + Ctrl+, - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Mostrar Barra de &Filtros - + Show &Status Bar Mostrar Barra de &Estado - + Show Status Bar Mostrar Barra de Estado - + &Browse Public Game Lobby &Navegar no Lobby de Salas Públicas - + &Create Room &Criar Sala - + &Leave Room &Sair da Sala - + &Direct Connect to Room Conectar &Diretamente Numa Sala - + &Show Current Room Exibir &Sala Atual - + F&ullscreen T&ela cheia - + &Restart &Reiniciar - + Load/Remove &Amiibo... Carregar/Remover &Amiibo... - + &Report Compatibility &Reportar compatibilidade - + Open &Mods Page Abrir Página de &Mods - + Open &Quickstart Guide Abrir &guia de início rápido - + &FAQ &Perguntas frequentes - + &Capture Screenshot &Captura de Tela - + &Album - + &Álbum - + &Set Nickname and Owner &Definir apelido e proprietário - + &Delete Game Data &Remover dados do jogo - + &Restore Amiibo &Recuperar Amiibo - + &Format Amiibo &Formatar Amiibo - + &Mii Editor - + &Configure TAS... &Configurar TAS - + Configure C&urrent Game... Configurar jogo atual... - - + + &Start &Começar - + &Reset &Restaurar - - + + R&ecord G&ravar - + Open &Controller Menu Menu Abrir &Controles - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Área de Trabalho - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &Pasta NAND - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - - Broken Vulkan Installation Detected + + &Tree View - + + &Grid View + + + + + Game Icon Size + + + + + + + None + Nenhum(a) + + + + Show Game &Name + + + + + Show &Performance Overlay + Mostrar Sobreposição de &Desempenho + + + + Small (32x32) + Pequeno (32x32) + + + + Standard (64x64) + Padrão (64x64) + + + + Large (128x128) + Grande (128x128) + + + + Full Size (256x256) + Tamanho completo (256x256) + + + + Broken Vulkan Installation Detected + Detectada Instalação Defeituosa do Vulkan + + + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Selecionar Diretório - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Abrir o Diretório da ROM extraída - + Invalid Directory Selected - + Diretório selecionado inválido - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7694,69 +8033,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7783,27 +8132,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7858,22 +8207,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7881,13 +8230,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7898,7 +8247,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7906,11 +8255,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8046,7 +8408,7 @@ Você deseja prosseguir mesmo assim? Change Avatar - + Alterar Avatar @@ -8079,86 +8441,86 @@ Você deseja prosseguir mesmo assim? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8197,6 +8559,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8231,39 +8667,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Títulos SD instalados - - - - Installed NAND Titles - Títulos NAND instalados - - - - System Titles - Títulos do sistema - - - - Add New Game Directory - Adicionar novo diretório de jogos - - - - Favorites - Favoritos - - - - - + + + Migration - + Clear Shader Cache @@ -8298,18 +8709,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8700,6 +9111,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 está jogando %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Títulos SD instalados + + + + Installed NAND Titles + Títulos NAND instalados + + + + System Titles + Títulos do sistema + + + + Add New Game Directory + Adicionar novo diretório de jogos + + + + Favorites + Favoritos + QtAmiiboSettingsDialog @@ -8817,250 +9273,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9068,22 +9524,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9091,301 +9547,359 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Título já vinculado ao Ryujinx. Gostaria de desvincular? + + + + Failed to unlink old directory + Falha ao desvincular diretório antigo - Failed to unlink old directory - - - - - + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Dados salvos do Ryujinx desvinculados com sucesso. Dados salvos estão intactos. - + Could not find Ryujinx installation - + Não foi possível encontrar a instalação do Ryujinx. - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? - + Não foi possível encontrar uma instalação válida do Ryujinx. Isso geralmente ocorre ao usar o Ryujinx no modo portátil. + +Gostaria de selecionar manualmente uma pasta portátil para usar? Ryujinx Portable Location - - - - - Not a valid Ryujinx directory - + Localização Portátil do Ryujinx - The specified directory does not contain valid Ryujinx data. - + Not a valid Ryujinx directory + Não é um diretório válido do Ryujinx - - + + The specified directory does not contain valid Ryujinx data. + O diretório especificado não contém dados válidos do Ryujinx. + + + + Could not find Ryujinx save data - + Não foi possível encontrar os dados salvos do Ryujinx QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + O jogo base não está instalado na NAND e não pode ser removido. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + Restaurar o Cache de Metadados - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + Falha ao criar um diretório temporário %1 + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9393,83 +9907,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9490,58 +10004,58 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Base de dados de títulos do Ryujinx não existe. + + + + Invalid header on Ryujinx title database. + Cabeçalho inválido na base de dados de títulos do Ryujinx + + + + Invalid magic header on Ryujinx title database. + Cabeçalho magic inválido na base de dados de títulos do Ryujinx. - Invalid header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. + Alinhamento de bytes inválido na base de dados de títulos do Ryujinx. - Invalid magic header on Ryujinx title database. - + No items found in Ryujinx title database. + Nenhum item encontrado na base de dados de títulos do Ryujinx. - Invalid byte alignment on Ryujinx title database. - - - - - No items found in Ryujinx title database. - - - - Title %1 not found in Ryujinx title database. - + Título %1 não encontrado na base de dados de títulos do Ryujinx. @@ -9580,7 +10094,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Comando Pro @@ -9593,7 +10107,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Par de Joycons @@ -9606,7 +10120,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon Esquerdo @@ -9619,7 +10133,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon Direito @@ -9648,7 +10162,7 @@ This is recommended if you want to share data between emulators. - + Handheld Portátil @@ -9769,32 +10283,32 @@ This is recommended if you want to share data between emulators. Não há a quantidade mínima de controles - + GameCube Controller Controlador de depuração - + Poke Ball Plus Poké Ball Plus - + NES Controller Controle do NES - + SNES Controller Controle do SNES - + N64 Controller Controle do Nintendo 64 - + Sega Genesis Mega Drive @@ -9949,13 +10463,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Cancelar @@ -9965,14 +10479,16 @@ p, li { white-space: pre-wrap; } Ryujinx Link - + Vínculo do Ryujinx Linking save data to Ryujinx lets both Ryujinx and Eden reference the same save files for your games. By selecting "From Eden", previous save data stored in Ryujinx will be deleted, and vice versa for "From Ryujinx". - + Vincular os dados salvos ao Ryujinx permite que tanto o Ryujinx quanto o Eden utilizem os mesmos arquivos de salvamento para seus jogos. + +Ao selecionar "Do Eden", os dados salvos anteriores armazenados no Ryujinx serão excluídos, e vice-versa para "Do Ryujinx". @@ -9982,7 +10498,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be From Ryujinx - + Do Ryujinx @@ -9990,12 +10506,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10031,7 +10547,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/pt_PT.ts b/dist/languages/pt_PT.ts index 16305141c5..df0c779a3e 100644 --- a/dist/languages/pt_PT.ts +++ b/dist/languages/pt_PT.ts @@ -368,149 +368,174 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.% - + Amiibo editor Editor de Amiibo - + Controller configuration Configuração de controles - + Data erase Apagamento de dados - + Error Erro - + Net connect Conectar à rede - + Player select Seleção de jogador - + Software keyboard Teclado de software - + Mii Edit Editar Mii - + Online web Serviço online - + Shop Loja - + Photo viewer Visualizador de imagens - + Offline web Rede offline - + Login share Compartilhamento de Login - + Wifi web auth Autenticação web por Wifi - + My page Minha página - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Motor de Saída: - + Output Device: Dispositivo de Saída - + Input Device: Dispositivo de Entrada - + Mute audio Mutar Áudio - + Volume: Volume: - + Mute audio when in background Silenciar audio quando a janela ficar em segundo plano - + Multicore CPU Emulation Emulação de CPU Multicore - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout Layout de memória - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Percentagem do limitador de velocidade - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,196 +548,196 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Precisão: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) FMA inseguro (Melhorar performance no CPU sem FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Essa opção melhora a velocidade ao reduzir a precisão de instruções de fused-multiply-add em CPUs sem suporte nativo ao FMA. - + Faster FRSQRTE and FRECPE FRSQRTE e FRECPE mais rápido - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Essa opção melhora a velocidade de algumas funções aproximadas de pontos flutuantes ao usar aproximações nativas precisas. - + Faster ASIMD instructions (32 bits only) Instruções ASIMD mais rápidas (apenas 32 bits) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Essa opção melhora a velocidade de funções de pontos flutuantes de 32 bits ASIMD ao executá-las com modos de arredondamento incorretos. - + Inaccurate NaN handling Tratamento impreciso de NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Esta opção melhora a velocidade ao remover a checagem NaN. Por favor, note que isso também reduzirá a precisão de certas instruções de ponto flutuante. - + Disable address space checks Desativar a verificação do espaço de endereços - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Ignorar monitor global - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Esta opção melhora a velocidade ao depender apenas das semânticas do cmpxchg pra garantir a segurança das instruções de acesso exclusivo. Por favor, note que isso pode resultar em travamentos e outras condições de execução. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Dispositivo: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Resolução: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Filtro de adaptação de janela: - + FSR Sharpness: FSR Sharpness: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Método de Anti-Aliasing - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Tela Cheia - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -721,36 +746,36 @@ Sem borda oferece a melhor compatibilidade com o teclado na tela que alguns jogo Tela cheia exclusiva pode oferecer melhor performance e melhor suporte a Freesync/Gsync. - + Aspect Ratio: Proporção do Ecrã: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Permite guardar os shaders para carregar os jogos nas execuções seguintes. Desabiltar essa opção só serve para propósitos de depuração. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -758,12 +783,12 @@ This feature is experimental. - + NVDEC emulation: Emulação NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -772,12 +797,12 @@ Tanto a CPU quanto a GPU podem ser utilizadas para decodificação, ou não deco Na maioria dos casos, a decodificação pela GPU fornece uma melhor performance. - + ASTC Decoding Method: Método de Decodificação ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -786,45 +811,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: Método de Recompressão ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: Modo de Uso da VRAM: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: Modo de Sincronização vertical: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -832,1318 +867,1402 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Ativar apresentação assíncrona (Somente Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Melhora ligeiramente o desempenho ao mover a apresentação para uma thread de CPU separada. - + Force maximum clocks (Vulkan only) Forçar clock máximo (somente Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Executa trabalho em segundo plano aguardando pelos comandos gráficos para evitar a GPU de reduzir seu clock. - + Anisotropic Filtering: Filtro Anisotrópico: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Utilizar cache de pipeline do Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Habilita o cache de pipeline da fabricante da GPU. Esta opção pode melhorar o tempo de carregamento de shaders significantemente em casos onde o driver Vulkan não armazena o cache de pipeline internamente. - + Enable Compute Pipelines (Intel Vulkan Only) Habilitar Pipeline de Computação (Somente Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Habilitar Flushing Reativo - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Usa flushing reativo ao invés de flushing preditivo, permitindo mais precisão na sincronização da memória. - + Sync to framerate of video playback Sincronizar com o framerate da reprodução de vídeo - + Run the game at normal speed during video playback, even when the framerate is unlocked. Executa o jogo na velocidade normal durante a reprodução de vídeo, mesmo se o framerate estiver desbloqueado. - + Barrier feedback loops Ciclos de feedback de barreira - + Improves rendering of transparency effects in specific games. Melhora a renderização de efeitos de transparência em jogos específicos. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed Semente de RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Nome do Dispositivo - + The name of the console. - + Custom RTC Date: Data personalizada do RTC: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: Idioma: - + This option can be overridden when region setting is auto-select - + Region: Região: - + The region of the console. - + Time Zone: Fuso Horário: - + The time zone of the console. - + Sound Output Mode: Modo de saída de som - + Console Mode: Modo Console: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation Confirmar antes de parar a emulação - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Esconder rato quando inactivo. - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Desabilitar miniaplicativo de controle - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode Habilitar Gamemode - + Force X11 as Graphics Backend - + Custom frontend Frontend customizado - + Real applet Miniaplicativo real - + Never - + On Load - + Always - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU Assíncrona - + Uncompressed (Best quality) Descompactado (Melhor Q - + BC1 (Low quality) BC1 (Baixa qualidade) - + BC3 (Medium quality) BC3 (Média qualidade) - - Conservative - Conservador - - - - Aggressive - Agressivo - - - - Vulkan - Vulcano - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Nenhum (desativado) - - - - Fast - - - - - Balanced - - - - - - Accurate - Preciso - - - - - Default - Padrão - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Automático - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Conservador + + + + Aggressive + Agressivo + + + + Vulkan + Vulcano + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Nenhum (desativado) + + + + Fast + + + + + Balanced + + + + + + Accurate + Preciso + + + + + Default + Padrão + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Inseguro - + Paranoid (disables most optimizations) Paranoia (desativa a maioria das otimizações) - + Debugging - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Janela sem bordas - + Exclusive Fullscreen Tela cheia exclusiva - + No Video Output Sem saída de vídeo - + CPU Video Decoding Decodificação de vídeo pela CPU - + GPU Video Decoding (Default) Decodificação de vídeo pela GPU (Padrão) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPERIMENTAL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EXPERIMENTAL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Vizinho mais próximo - + Bilinear Bilinear - + Bicubic Bicúbico - + Gaussian Gaussiano - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Nenhum - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Padrão (16:9) - + Force 4:3 Forçar 4:3 - + Force 21:9 Forçar 21:9 - + Force 16:10 Forçar 16:10 - + Stretch to Window Esticar à Janela - + Automatic Automático - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Japonês (日本語) - + American English Inglês Americano - + French (français) Francês (français) - + German (Deutsch) Alemão (Deutsch) - + Italian (italiano) Italiano (italiano) - + Spanish (español) Espanhol (español) - + Chinese Chinês - + Korean (한국어) Coreano (한국어) - + Dutch (Nederlands) Holandês (Nederlands) - + Portuguese (português) Português (português) - + Russian (Русский) Russo (Русский) - + Taiwanese Taiwanês - + British English Inglês Britânico - + Canadian French Francês Canadense - + Latin American Spanish Espanhol Latino-Americano - + Simplified Chinese Chinês Simplificado - + Traditional Chinese (正體中文) Chinês Tradicional (正 體 中文) - + Brazilian Portuguese (português do Brasil) Português do Brasil (Brazilian Portuguese) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Japão - + USA EUA - + Europe Europa - + Australia Austrália - + China China - + Korea Coreia - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Padrão (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Egipto - + Eire Irlanda - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Irlanda - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Islândia - + Iran Irão - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Líbia - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polónia - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapura - + Turkey Turquia - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Estéreo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Padrão) - + 6GB DRAM (Unsafe) 6GB DRAM (Não seguro) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Ancorado - + Handheld Portátil - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) Sempre perguntar (Padrão) - + Only if game specifies not to stop Somente se o jogo especificar para não parar - + Never ask Nunca perguntar - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2215,7 +2334,7 @@ When a program attempts to open the controller applet, it is immediately closed. Restaurar Padrões - + Auto Automático @@ -2658,81 +2777,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Ativar asserções de depuração - + Debugging Depuração - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Habilite essa opção para gravar a última saída da lista de comandos de áudio para o console. Somente afetará jogos que utilizam o renderizador de áudio. - + Dump Audio Commands To Console** Despejar comandos de áudio no console** - + Flush log output on each line - + Enable FS Access Log Ativar acesso de registro FS - + Enable Verbose Reporting Services** Ativar serviços de relatório detalhado** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2793,13 +2917,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Audio - + CPU CPU @@ -2815,13 +2939,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Geral - + Graphics Gráficos @@ -2842,7 +2966,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Controlos @@ -2858,7 +2982,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Sistema @@ -2976,58 +3100,58 @@ When a program attempts to open the controller applet, it is immediately closed. Resetar a Cache da Metadata - + Select Emulated NAND Directory... Selecione o Diretório NAND Emulado... - + Select Emulated SD Directory... Selecione o Diretório SD Emulado... - - + + Select Save Data Directory... - + Select Gamecard Path... Selecione o Diretório do Cartão de Jogo... - + Select Dump Directory... Selecionar o diretório do Dump... - + Select Mod Load Directory... Selecionar o Diretório do Mod Load ... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3038,7 +3162,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3046,28 +3170,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3078,12 +3202,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3104,20 +3228,55 @@ Would you like to delete the old save data? Geral - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Restaurar todas as configurações - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Isto restaura todas as configurações e remove as configurações específicas de cada jogo. As pastas de jogos, perfis de jogos e perfis de controlo não serão removidos. Continuar? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3147,33 +3306,33 @@ Would you like to delete the old save data? Cor de fundo: - + % FSR sharpening percentage (e.g. 50%) % - + Off Desligado - + VSync Off Sincronização vertical desligada - + Recommended Recomendado - + On Ligado - + VSync On Sincronização vertical ligada @@ -3224,13 +3383,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3802,7 +3961,7 @@ Would you like to delete the old save data? - + Left Stick Analógico Esquerdo @@ -3912,14 +4071,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3932,22 +4091,22 @@ Would you like to delete the old save data? - + Plus Mais - + ZR ZR - - + + R R @@ -4004,7 +4163,7 @@ Would you like to delete the old save data? - + Right Stick Analógico Direito @@ -4173,88 +4332,88 @@ Para inverter os eixos, mova o seu analógico primeiro verticalmente e depois ho Mega Drive - + Start / Pause Iniciar / Pausar - + Z Z - + Control Stick Direcional de controle - + C-Stick C-Stick - + Shake! Abane! - + [waiting] [em espera] - + New Profile Novo Perfil - + Enter a profile name: Introduza um novo nome de perfil: - - + + Create Input Profile Criar perfil de controlo - + The given profile name is not valid! O nome de perfil dado não é válido! - + Failed to create the input profile "%1" Falha ao criar o perfil de controlo "%1" - + Delete Input Profile Apagar Perfil de Controlo - + Failed to delete the input profile "%1" Falha ao apagar o perfil de controlo "%1" - + Load Input Profile Carregar perfil de controlo - + Failed to load the input profile "%1" Falha ao carregar o perfil de controlo "%1" - + Save Input Profile Guardar perfil de controlo - + Failed to save the input profile "%1" Falha ao guardar o perfil de controlo "%1" @@ -4549,11 +4708,6 @@ Os valores atuais são %1% e %2% respectivamente. Enable Airplane Mode - - - None - Nenhum - ConfigurePerGame @@ -4608,52 +4762,57 @@ Os valores atuais são %1% e %2% respectivamente. Algumas configurações só estão disponíveis apenas quando não houver nenhum jogo em execução. - + Add-Ons Add-Ons - + System Sistema - + CPU CPU - + Graphics Gráficos - + Adv. Graphics Gráficos Avç. - + Ext. Graphics - + Audio Audio - + Input Profiles Perfis de controle - + Network + Applets + + + + Properties Propriedades @@ -4671,15 +4830,110 @@ Os valores atuais são %1% e %2% respectivamente. Add-Ons - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Nome da Patch - + Version Versão + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4727,62 +4981,62 @@ Os valores atuais são %1% e %2% respectivamente. %2 - + Users Utilizadores - + Error deleting image Error ao eliminar a imagem - + Error occurred attempting to overwrite previous image at: %1. Ocorreu um erro ao tentar substituir imagem anterior em: %1. - + Error deleting file Erro ao eliminar o arquivo - + Unable to delete existing file: %1. Não é possível eliminar o arquivo existente: %1. - + Error creating user image directory Erro ao criar o diretório de imagens do utilizador - + Unable to create directory %1 for storing user images. Não é possível criar o diretório %1 para armazenar imagens do utilizador. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4790,17 +5044,17 @@ Os valores atuais são %1% e %2% respectivamente. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Excluir esse usuário? Todos os dados salvos desse usuário serão removidos. - + Confirm Delete Confirmar para eliminar - + Name: %1 UUID: %2 Nome: %1 @@ -5002,17 +5256,22 @@ UUID: %2 Pausar execução durante carregamentos - + + Show recording dialog + + + + Script Directory Diretório do script - + Path Caminho - + ... ... @@ -5025,7 +5284,7 @@ UUID: %2 Configurar TAS - + Select TAS Load Directory... Selecionar diretório de carregamento TAS @@ -5163,64 +5422,43 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta ConfigureUI - - - + + None Nenhum - - Small (32x32) - Pequeno (32x32) - - - - Standard (64x64) - Padrão (64x64) - - - - Large (128x128) - Grande (128x128) - - - - Full Size (256x256) - Tamanho completo (256x256) - - - + Small (24x24) Pequeno (24x24) - + Standard (48x48) Padrão (48x48) - + Large (72x72) Grande (72x72) - + Filename Nome de Ficheiro - + Filetype Tipo de arquivo - + Title ID ID de Título - + Title Name Nome do título @@ -5289,71 +5527,66 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - Game Icon Size: - Tamanho do ícone do jogo: - - - Folder Icon Size: Tamanho do ícone da pasta: - + Row 1 Text: Linha 1 Texto: - + Row 2 Text: Linha 2 Texto: - + Screenshots Captura de Ecrã - + Ask Where To Save Screenshots (Windows Only) Perguntar Onde Guardar Capturas de Ecrã (Apenas Windows) - + Screenshots Path: Caminho das Capturas de Ecrã: - + ... ... - + TextLabel TextLabel - + Resolution: Resolução: - + Select Screenshots Path... Seleccionar Caminho de Capturas de Ecrã... - + <System> <System> - + English Inglês - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5487,20 +5720,20 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta Mostrar o Jogo Atual no seu Estado de Discord - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5532,27 +5765,27 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5590,7 +5823,7 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - + Calculating... @@ -5613,12 +5846,12 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta - + Dependency - + Version @@ -5792,44 +6025,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL não está disponível! - + OpenGL shared contexts are not supported. Shared contexts do OpenGL não são suportados. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Erro ao inicializar OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. O seu GPU pode não suportar OpenGL, ou não tem os drivers gráficos mais recentes. - + Error while initializing OpenGL 4.6! Erro ao inicializar o OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 O teu GPU pode não suportar OpenGL 4.6, ou não tem os drivers gráficos mais recentes. - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Sua GPU pode não suportar uma ou mais extensões necessárias do OpenGL. Verifique se você possui a última versão dos drivers gráficos.<br><br>Renderizador GL:<br>%1<br><br>Extensões não suportadas:<br>%2 @@ -5837,203 +6070,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Favorito - + Start Game Iniciar jogo - + Start Game without Custom Configuration Iniciar jogo sem configuração personalizada - + Open Save Data Location Abrir Localização de Dados Salvos - + Open Mod Data Location Abrir a Localização de Dados do Mod - + Open Transferable Pipeline Cache Abrir cache de pipeline transferível - + Link to Ryujinx - + Remove Remover - + Remove Installed Update Remover Actualizações Instaladas - + Remove All Installed DLC Remover Todos os DLC Instalados - + Remove Custom Configuration Remover Configuração Personalizada - + Remove Cache Storage Remove a Cache do Armazenamento - + Remove OpenGL Pipeline Cache Remover cache de pipeline do OpenGL - + Remove Vulkan Pipeline Cache Remover cache de pipeline do Vulkan - + Remove All Pipeline Caches Remover todos os caches de pipeline - + Remove All Installed Contents Remover Todos os Conteúdos Instalados - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data Remover dados de tempo jogado - - + + Dump RomFS Despejar RomFS - + Dump RomFS to SDMC Extrair RomFS para SDMC - + Verify Integrity Verificar integridade - + Copy Title ID to Clipboard Copiar título de ID para a área de transferência - + Navigate to GameDB entry Navegue para a Entrada da Base de Dados de Jogos - + Create Shortcut Criar Atalho - + Add to Desktop Adicionar à Área de Trabalho - + Add to Applications Menu Adicionar ao Menu de Aplicativos - + Configure Game - + Scan Subfolders Examinar Sub-pastas - + Remove Game Directory Remover diretório do Jogo - + ▲ Move Up ▲ Mover para Cima - + ▼ Move Down ▼ Mover para Baixo - + Open Directory Location Abrir Localização do diretório - + Clear Limpar - + Name Nome - + Compatibility Compatibilidade - + Add-ons Add-ons - + File type Tipo de Arquivo - + Size Tamanho - + Play time Tempo jogado @@ -6041,62 +6279,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Não Jogável - + Game starts, but crashes or major glitches prevent it from being completed. O jogo inicia, porém problemas ou grandes falhas impedem que ele seja concluído. - + Perfect Perfeito - + Game can be played without issues. O jogo pode ser jogado sem problemas. - + Playable Jogável - + Game functions with minor graphical or audio glitches and is playable from start to finish. O jogo funciona com pequenas falhas gráficas ou de áudio e pode ser reproduzido do início ao fim. - + Intro/Menu Introdução / Menu - + Game loads, but is unable to progress past the Start Screen. O jogo carrega, porém não consegue passar da tela inicial. - + Won't Boot Não Inicia - + The game crashes when attempting to startup. O jogo trava ao tentar iniciar. - + Not Tested Não Testado - + The game has not yet been tested. O jogo ainda não foi testado. @@ -6104,7 +6342,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Clique duas vezes para adicionar uma nova pasta à lista de jogos @@ -6112,17 +6350,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Filtro: - + Enter pattern to filter Digite o padrão para filtrar @@ -6198,12 +6436,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Erro - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6212,19 +6450,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Mutar/Desmutar Áudio - - - - - - - - @@ -6247,154 +6477,180 @@ Debug Message: + + + + + + + + + + + Main Window Janela Principal - + Audio Volume Down Volume Menos - + Audio Volume Up Volume Mais - + Capture Screenshot Captura de Tela - + Change Adapting Filter Alterar Filtro de Adaptação - + Change Docked Mode Alterar Modo de Ancoragem - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Continuar/Pausar Emulação - + Exit Fullscreen Sair da Tela Cheia - + Exit Eden - + Fullscreen Tela Cheia - + Load File Carregar Ficheiro - + Load/Remove Amiibo Carregar/Remover Amiibo - - Multiplayer Browse Public Game Lobby - Multiplayer Navegar no Lobby de Salas Públicas + + Browse Public Game Lobby + - - Multiplayer Create Room - Multiplayer Criar Sala + + Create Room + - - Multiplayer Direct Connect to Room - Multiplayer Conectar Diretamente à Sala + + Direct Connect to Room + - - Multiplayer Leave Room - Multiplayer Sair da Sala + + Leave Room + - - Multiplayer Show Current Room - Multiplayer Mostrar a Sala Atual + + Show Current Room + - + Restart Emulation Reiniciar Emulação - + Stop Emulation Parar Emulação - + TAS Record Gravar TAS - + TAS Reset Reiniciar TAS - + TAS Start/Stop Iniciar/Parar TAS - + Toggle Filter Bar Alternar Barra de Filtro - + Toggle Framerate Limit Alternar Limite de Quadros por Segundo - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Alternar o Giro do Mouse - + Toggle Renderdoc Capture Alternar a Captura do Renderdoc - + Toggle Status Bar Alternar Barra de Status + + + Toggle Performance Overlay + + InstallDialog @@ -6447,22 +6703,22 @@ Debug Message: Tempo Estimado 5m 4s - + Loading... A Carregar... - + Loading Shaders %1 / %2 A Carregar Shaders %1 / %2 - + Launching... A iniciar... - + Estimated Time %1 Tempo Estimado %1 @@ -6511,42 +6767,42 @@ Debug Message: Atualizar Lobby - + Password Required to Join Senha Necessária para Entrar - + Password: Senha: - + Players Jogadores - + Room Name Nome da Sala - + Preferred Game Jogo Preferencial - + Host Anfitrião - + Refreshing Atualizando - + Refresh List Atualizar Lista @@ -6595,1091 +6851,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Restaurar tamanho da janela para &720p - + Reset Window Size to 720p Restaurar tamanho da janela para 720p - + Reset Window Size to &900p Restaurar tamanho da janela para &900p - + Reset Window Size to 900p Restaurar tamanho da janela para 900p - + Reset Window Size to &1080p Restaurar tamanho da janela para &1080p - + Reset Window Size to 1080p Restaurar tamanho da janela para 1080p - + &Multiplayer &Multijogador - + &Tools &Ferramentas - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Ajuda - + &Install Files to NAND... &Instalar arquivos na NAND... - + L&oad File... C&arregar arquivo... - + Load &Folder... Carregar &pasta... - + E&xit &Sair - - + + &Pause &Pausa - + &Stop &Parar - + &Verify Installed Contents &Verificar conteúdo instalado - + &About Eden - + Single &Window Mode Modo de &janela única - + Con&figure... Con&figurar... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Mostrar Barra de &Filtros - + Show &Status Bar Mostrar Barra de &Estado - + Show Status Bar Mostrar Barra de Estado - + &Browse Public Game Lobby &Navegar no Lobby de Salas Públicas - + &Create Room &Criar Sala - + &Leave Room &Sair da Sala - + &Direct Connect to Room Conectar &Diretamente Numa Sala - + &Show Current Room Exibir &Sala Atual - + F&ullscreen T&ela cheia - + &Restart &Reiniciar - + Load/Remove &Amiibo... Carregar/Remover &Amiibo... - + &Report Compatibility &Reportar compatibilidade - + Open &Mods Page Abrir Página de &Mods - + Open &Quickstart Guide Abrir &guia de início rápido - + &FAQ &Perguntas frequentes - + &Capture Screenshot &Captura de Tela - + &Album - + &Set Nickname and Owner &Definir apelido e proprietário - + &Delete Game Data &Remover dados do jogo - + &Restore Amiibo &Recuperar Amiibo - + &Format Amiibo &Formatar Amiibo - + &Mii Editor - + &Configure TAS... &Configurar TAS - + Configure C&urrent Game... Configurar jogo atual... - - + + &Start &Começar - + &Reset &Restaurar - - + + R&ecord G&ravar - + Open &Controller Menu Menu Abrir &Controles - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7687,69 +8005,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7776,27 +8104,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7851,22 +8179,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7874,13 +8202,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7891,7 +8219,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7899,11 +8227,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8072,86 +8413,86 @@ Você deseja prosseguir mesmo assim? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8190,6 +8531,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8224,39 +8639,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Títulos SD instalados - - - - Installed NAND Titles - Títulos NAND instalados - - - - System Titles - Títulos do sistema - - - - Add New Game Directory - Adicionar novo diretório de jogos - - - - Favorites - Favoritos - - - - - + + + Migration - + Clear Shader Cache @@ -8289,18 +8679,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8691,6 +9081,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 está jogando %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Títulos SD instalados + + + + Installed NAND Titles + Títulos NAND instalados + + + + System Titles + Títulos do sistema + + + + Add New Game Directory + Adicionar novo diretório de jogos + + + + Favorites + Favoritos + QtAmiiboSettingsDialog @@ -8808,250 +9243,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9059,22 +9494,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9082,48 +9517,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9135,18 +9570,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9154,229 +9589,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9384,83 +9875,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9481,56 +9972,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9571,7 +10062,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Comando Pro @@ -9584,7 +10075,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Par de Joycons @@ -9597,7 +10088,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon Esquerdo @@ -9610,7 +10101,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon Direito @@ -9639,7 +10130,7 @@ This is recommended if you want to share data between emulators. - + Handheld Portátil @@ -9760,32 +10251,32 @@ This is recommended if you want to share data between emulators. Não há a quantidade mínima de controles - + GameCube Controller Controlador de depuração - + Poke Ball Plus Poké Ball Plus - + NES Controller Controle do NES - + SNES Controller Controle do SNES - + N64 Controller Controle do Nintendo 64 - + Sega Genesis Mega Drive @@ -9940,13 +10431,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Cancelar @@ -9981,12 +10472,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10022,7 +10513,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/ru_RU.ts b/dist/languages/ru_RU.ts index 9d53021c4e..8bcb15bdbb 100644 --- a/dist/languages/ru_RU.ts +++ b/dist/languages/ru_RU.ts @@ -375,146 +375,151 @@ This would ban both their forum username and their IP address. % - + Amiibo editor Amiibo редактор - + Controller configuration Конфигурация контроллера - + Data erase Стирание данных - + Error Ошибка - + Net connect Соединение по сети - + Player select Выбор игрока - + Software keyboard Виртуальная клавиатура - + Mii Edit Mii редактор - + Online web Онлайн веб - + Shop Магазин - + Photo viewer Просмотр фотографий - + Offline web Оффлайн веб - + Login share Поделиться логином - + Wifi web auth Веб вход в wi-fi - + My page Моя страница - + Enable Overlay Applet Включить апплет оверлея - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + Активирует встроенный в Horizon оверлейный апплет. Для его отображения нажмите и удерживайте кнопку «HOME» в течение одной секунды. + + + Output Engine: Движок вывода: - + Output Device: Устройство вывода: - + Input Device: Устройство ввода: - + Mute audio Отключить звук - + Volume: Громкость: - + Mute audio when in background Заглушить звук в фоновом режиме - + Multicore CPU Emulation Многоядерная эмуляция ЦП - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Этот параметр увеличивает использование потоков эмуляции ЦПУ с 1 до максимального значения 4. В основном это параметр отладки, и его не следует отключать. - + Memory Layout Схема памяти - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Увеличивает объем эмулируемой оперативной памяти с 4 ГБ на плате до 8/6 ГБ на девките. + Увеличивает объем эмулируемой оперативной памяти. Не влияет на производительность/стабильность, но может загружать моды на HD текстуры. - + Limit Speed Percent Ограничение процента cкорости - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +527,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Турбо-режим + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + Когда нажата кнопка турбо-режима, скорость будет ограничена до этого процента + + + + Slow Speed + Замедленный режим + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + Когда нажата кнопка замедленного режима, скорость будет замедлена до этого процента + Synchronize Core Speed @@ -535,60 +560,60 @@ Can help reduce stuttering at lower framerates. Может помочь уменьшить заикания при низкой частоте кадров. - + Accuracy: Точность: - + Change the accuracy of the emulated CPU (for debugging only). Изменяет точность работы эмулируемого ЦПУ (только для отладки). - - + + Backend: Бэкэнд: - + CPU Overclock Разгон ЦП - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Разгоняет эмулируемый процессор, чтобы снять некоторые ограничения FPS. На более слабых процессорах может наблюдаться снижение производительности, а некоторые игры могут работать некорректно. Используй Буст (1700MHz) что-бы использовать максимальные нативные такты Консоли Switch, или Ускоренный (2000MHz) что-бы использовать в 2 раза больше. - + Custom CPU Ticks Пользовательские такты CPU - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Ставит пользовательское значение тиков ЦПУ. Более высокие значения могут повысить производительность, но могут привести к взаимоблокировкам. Рекомендуется использовать диапазон 77-21000. - + Virtual Table Bouncing Обработка сбоев виртуальных таблиц - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort Перехватывает (путём возврата нулевого значения) функции, вызывающие ошибку предвыборки - + Enable Host MMU Emulation (fastmem) Включить эмуляцию Host MMU (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,98 +622,98 @@ Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Отключить FMA (улучшает производительность на ЦП без FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Этот вариант улучшает скорость путем снижения точности инструкций слияния-умножения-сложения на процессорах без поддержки нативной FMA. - + Faster FRSQRTE and FRECPE Ускоренные FRSQRTE и FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Этот вариант улучшает скорость некоторых приближенных функций с плавающей запятой за счет использования менее точных встроенных приближений. - + Faster ASIMD instructions (32 bits only) Ускоренные инструкции ASIMD (только 32 бит) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Этот вариант улучшает скорость 32-битных функций с плавающей запятой ASIMD путем выполнения с неправильными режимами округления. - + Inaccurate NaN handling Неточная обработка NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Этот вариант улучшает скорость отключая проверки на NaN. Обратите внимание, что это также снижает точность некоторых операций с плавающей запятой. - + Disable address space checks Отключить проверку адресного пространства - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Эта опция повышает скорость работы за счет исключения проверки безопасности перед каждой операцией с памятью. Ее отключение может привести к выполнению произвольного кода. - + Ignore global monitor Игнорировать глобальный мониторинг - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Эта опция повышает скорость, полагаясь только на семантику cmpxchg для обеспечения безопасности инструкций исключительного доступа. Обратите внимание, что это может привести к дедлокам и race condition. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Изменяет графический интерфейс вывода. Рекомендуется использовать Vulkan. - + Device: Устройство: - + This setting selects the GPU to use (Vulkan only). Этот параметр определяет используемый ГПУ (только для Vulkan). - + Resolution: Разрешение: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -697,27 +722,27 @@ Options lower than 1X can cause artifacts. Опции ниже 1X могут вызывать артефакты. - + Window Adapting Filter: Фильтр адаптации окна: - + FSR Sharpness: Резкость FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. Определяет, насколько чётким будет изображение при использовании динамического контраста FSR. - + Anti-Aliasing Method: Метод сглаживания: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -726,12 +751,12 @@ SMAA предлагает лучшее качество. FXAA имеет меньшее влияние на производительность и может создавать лучшую и более стабильную картинку на очень низком разрешении. - + Fullscreen Mode: Полноэкранный режим: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -740,12 +765,12 @@ Borderless более совместим с экранной клавиатур Эксклюзивный полноэкранный режим может иметь лучшую производительность и лучшую поддержку Freesync/Gsync. - + Aspect Ratio: Соотношение сторон: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -754,23 +779,23 @@ Also controls the aspect ratio of captured screenshots. Также контролирует соотношение сторон захваченных скриншотов. - + Use persistent pipeline cache Использовать постоянный конвейерный кэш - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Позволяет сохранять шейдеры на диск для более быстрой загрузки при последующем запуске игры. Отключение этой функции предназначено только для отладки. - + Optimize SPIRV output Оптимизация вывода SPIRV - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -781,12 +806,12 @@ This feature is experimental. Эта функция экспериментальна. - + NVDEC emulation: Эмуляция NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -795,12 +820,12 @@ In most cases, GPU decoding provides the best performance. В большинстве случаев декодирование с использованием ГП обеспечивает лучшую производительность. - + ASTC Decoding Method: Метод декодирования ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -812,12 +837,12 @@ GPU: Использовать вычислительные шейдеры ГП CPU Асинхронно: Использовать ЦП для декодирования текстур ASTC по мере их поступления. Полностью устраняет заикание при декодировании ASTC, но может вызывать артефакты. - + ASTC Recompression Method: Метод пересжатия ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -826,34 +851,44 @@ BC1/BC3: Промежуточный формат будет повторно с что сэкономит ОЗУ, но ухудшит качество изображения. - + + Frame Pacing Mode (Vulkan only) + Режим синхронизации кадров (только Vulkan) + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + Управляет синхронизацией кадров в эмуляторе для уменьшения рывков и обеспечения более плавной и стабильной частоты кадров. + + + VRAM Usage Mode: Режим Использования VRAM - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Выбирает, должен ли эмулятор отдавать предпочтение экономии памяти или максимально использовать доступную видеопамять для повышения производительности. Агрессивный режим может серьезно повлиять на производительность других приложений, например: приложение для записи. - + Skip CPU Inner Invalidation Пропустить внутреннюю инвалидацию ЦП - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Позволяет избежать некоторых ошибок в кэше при обновлении памяти, снижая нагрузку на ЦПУ и увеличивая время ожидания. Это может привести к программным сбоям. - + VSync Mode: Режим верт. синхронизации: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -864,12 +899,12 @@ Mailbox: может иметь меньшую задержку, чем FIFO, и Моментальная (без синхронизации) показывает когда доступно и может иметь разрывы. - + Sync Memory Operations Синхронизация операций с памятью - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -878,44 +913,44 @@ Unreal Engine 4 games often see the most significant changes thereof. В играх на Unreal Engine 4 часто происходят наиболее существенные изменения. - + Enable asynchronous presentation (Vulkan only) Включите асинхронное отображение (только для Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Немного улучшает производительность, перемещая презентацию на отдельный поток ЦП. - + Force maximum clocks (Vulkan only) Принудительно заставить максимальную тактовую частоту (только для Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Выполняет работу в фоновом режиме в ожидании графических команд, не позволяя ГП снижать тактовую частоту. - + Anisotropic Filtering: Анизотропная фильтрация: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Контролирует качество отображения текстур под наклонными углами. Безопасно выбрать до 16x на многих ГПУ. - + GPU Mode: Режим ГП: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. @@ -924,90 +959,106 @@ Particles tend to only render correctly with Accurate mode. Частицы обычно корректно отображаются только в режиме «Точный». - + DMA Accuracy: Точность DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Управляет точностью DMA. Безопасная точность может исправить проблемы в некоторых играх, но также может повлиять на производительность. - + Enable asynchronous shader compilation Включить асинхронную компиляцию шейдеров - + May reduce shader stutter. Может уменьшить заикание шейдера. - + Fast GPU Time Быстрое время ГП - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Разгоняет эмулируемый графический процессор для увеличения динамического разрешения и дальности прорисовки. Используйте 256 для максимальной производительности и 512 для максимального качества графики. - - GPU Unswizzle Max Texture Size - + + GPU Unswizzle + Распаковка GPU - + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + Ускоряет 3d Декодирование текстуры BCn используя вычисления GPU +Выключите, если испытывайте вылеты или проблемы с графикой. + + + + GPU Unswizzle Max Texture Size + Макс. размер текстуры Unswizzle + + + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + Задает максимальный размер (в МБ) текстур для преобразования формата на ГПУ. + Хотя ГПУ быстрее работает со средними и большими текстурами, ЦП может быть эффективнее для очень маленьких. + Настройте это значение, чтобы найти баланс между ускорением на ГПУ и нагрузкой на ЦП. - + GPU Unswizzle Stream Size - + Размер потока распаковки GPU - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + Устанавливает максимальный объем текстур (в мегабайтах), обрабатываемых за кадр. +Более высокие значения могут уменьшить статтеры при прогрузке текстур, но могут негативно повлиять на плавность кадров. - + GPU Unswizzle Chunk Size - + Размер ансвиззлинг-блока ГП - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Определяет количество слоев глубины, обрабатываемых за один вызов. +Увеличение этого параметра может повысить пропускную способность флагманских ГП, но может привести к вылету/зависанию видеодрайвера на менее производительных системах. - + Use Vulkan pipeline cache Использовать конвейерный кэш Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Включает кэш конвейера, специфичный для производителя ГП. Эта опция может значительно улучшить время загрузки шейдеров в тех случаях, когда драйвер Vulkan не хранит внутренние файлы кэша конвейера. - + Enable Compute Pipelines (Intel Vulkan Only) Включить вычислительные конвейеры (только для Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1016,184 +1067,207 @@ Compute pipelines are always enabled on all other drivers. Конвейеры вычислений всегда включены во всех других драйверах. - + Enable Reactive Flushing Включить реактивную очистку - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Вместо прогнозирующей очистки используется реактивная очистка, что обеспечивает более точную синхронизацию памяти. - + Sync to framerate of video playback Привязать к фреймрейту видео. - + Run the game at normal speed during video playback, even when the framerate is unlocked. Обычная скорость игры во время видео, даже если фреймрейт разблокирован. - + Barrier feedback loops Обратная связь с барьерами. - + Improves rendering of transparency effects in specific games. Улучшает эффекты прозрачности в некоторых играх. - + + Enable buffer history + История буфера<br style=""> + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + Позволяет получить доступ к предыдущим состояниям буфера. +Эта опция может улучшить качество рендеринга и стабильность производительности в некоторых играх. + + + Fix bloom effects - + Исправить Bloom-эффекты - + Removes bloom in Burnout. + Удаляет bloom-эффект в Burnout. + + + + Enable Legacy Rescale Pass + Включить устаревший пропуск перемасштабирования + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. - + Extended Dynamic State Расширенное динамическое состояние - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Управляет количеством функций, которые можно использовать в расширенном динамическом состоянии. Более высокие значения позволяют использовать больше функций и могут повысить производительность, но могут привести к дополнительным проблемам с графикой. - + Vertex Input Dynamic State Динамическое состояние вершинного ввода - + Enables vertex input dynamic state feature for better quality and performance. Включает функцию динамического состояния вершинного ввода для повышения качества и производительности. - + Provoking Vertex Определяющая вершина - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Улучшает освещение и обработку вершин в определенных играх. Поддерживаются устройства только с Vulkan 1.0+. - + Descriptor Indexing Индексирование дескрипторов - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Улучшает текстуру и обработку буфера и уровень трансляции Maxwell. Некоторые устройства Vulkan 1.1+ и все 1.2+ поддерживают это расширение. - + Sample Shading Сэмпловый шейдинг - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Позволяет шейдеру фрагментов выполняться на каждый сэмпл в мульти-сэмпловом фрагменте вместо одного раза на фрагмент. Улучшает качество графики ценой производительности. Более высокие значения повышают качество, но снижают производительность. - + RNG Seed Сид RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. Управляет начальным значением генератора случайных чисел. В основном используется для спидранов. - + Device Name Название устройства - + The name of the console. Имя консоли. - + Custom RTC Date: Пользовательская RTC-дата: - + This option allows to change the clock of the console. Can be used to manipulate time in games. Этот параметр позволяет изменить эмулируемые часы на консоли. Может использоваться для манипуляции временем в играх. - + The number of seconds from the current unix time Количество секунд от текущего времени unix - + Language: Язык: - + This option can be overridden when region setting is auto-select Это Может быть перезаписано если регион выбирается автоматически - + Region: Регион: - + The region of the console. Регион консоли. - + Time Zone: Часовой пояс: - + The time zone of the console. Часовой пояс консоли. - + Sound Output Mode: Режим вывода звука: - + Console Mode: Консольный режим: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1202,998 +1276,1049 @@ Setting to Handheld can help improve performance for low end systems. Установка в режим портативной консоли может помочь улучшить производительность для слабых устройств. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot Спрашивать профиль пользователя при запуске - + Useful if multiple people use the same PC. Полезно, если несколько человек используют один и тот же компьютер. - + Pause when not in focus Делает паузу, когда не в фокусе - + Pauses emulation when focusing on other windows. Ставит на паузу эмуляцию, когда фокусируешься на другие окна. - + Confirm before stopping emulation Подтвердите перед остановкой эмуляции - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Эта настройка переопределяет запросы игры, запрашивающие подтверждение остановки игры. Включение этой настройки обходит такие запросы и непосредственно завершает эмуляцию. - + Hide mouse on inactivity Спрятать мышь при неактивности - + Hides the mouse after 2.5s of inactivity. Эта настройка скрывает указатель мыши после 2,5 секунды бездействия. - + Disable controller applet Отключить веб-апплет - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Принудительно отключает использование приложения контроллера в эмулированных программах. При попытке программы открыть приложение контроллера, оно немедленно закрывается. - + Check for updates Проверка обновлений - + Whether or not to check for updates upon startup. Следует ли проверять наличие обновлений при запуске. - + Enable Gamemode Включить режим игры - + Force X11 as Graphics Backend Использовать X11 в качестве графического бэкенда - + Custom frontend Свой фронтенд - + Real applet Реальное приложение - + Never Никогда - + On Load При загрузке - + Always Всегда - + CPU ЦП - + GPU графический процессор - + CPU Asynchronous Асинхронный ГП - + Uncompressed (Best quality) Без сжатия (наилучшее качество) - + BC1 (Low quality) BC1 (низкое качество) - + BC3 (Medium quality) BC3 (среднее качество) - - Conservative - Консервативный - - - - Aggressive - Агрессивный - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - Быстро - - - - Balanced - Сбалансированный - - - - - Accurate - Точно - - - - - Default - По умолчанию - - - - Unsafe (fast) - Небезопасно (быстро) - - - - Safe (stable) - Безопасно (стабильно) - - - + + Auto Авто - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + Консервативный + + + + Aggressive + Агрессивный + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (ассемблерные шейдеры, только для NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (Экспериментальный, только для AMD/Mesa) + + + + Null + Null + + + + Fast + Быстро + + + + Balanced + Сбалансированный + + + + + Accurate + Точно + + + + + Default + По умолчанию + + + + Unsafe (fast) + Небезопасно (быстро) + + + + Safe (stable) + Безопасно (стабильно) + + + Unsafe Небезопасно - + Paranoid (disables most optimizations) Параноик (отключает большинство оптимизаций) - + Debugging Отладка - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed Окно без границ - + Exclusive Fullscreen Эксклюзивный полноэкранный - + No Video Output Отсутствие видеовыхода - + CPU Video Decoding Декодирование видео на ЦП - + GPU Video Decoding (Default) Декодирование видео на ГП (по умолчанию) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p)[ЭКСПЕРИМЕНТАЛЬНО] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [ЭКСПЕРИМЕНТАЛЬНО] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [ЭКСПЕРИМЕНТАЛЬНО] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [ЭКПЕРИМЕНТАЛЬНО] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [ЭКСПЕРИМЕНТАЛЬНО] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Ближайший сосед - + Bilinear Билинейный - + Bicubic Бикубический - + Gaussian Гаусс - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX™️ Super Resolution - + Area Зона - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Никакой - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Стандартное (16:9) - + Force 4:3 Заставить 4:3 - + Force 21:9 Заставить 21:9 - + Force 16:10 Заставить 16:10 - + Stretch to Window Растянуть до окна - + Automatic Автоматически - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Японский (日本語) - + American English Американский английский - + French (français) Французский (français) - + German (Deutsch) Немецкий (Deutsch) - + Italian (italiano) Итальянский (italiano) - + Spanish (español) Испанский (español) - + Chinese Китайский - + Korean (한국어) Корейский (한국어) - + Dutch (Nederlands) Голландский (Nederlands) - + Portuguese (português) Португальский (português) - + Russian (Русский) Русский - + Taiwanese Тайваньский - + British English Британский английский - + Canadian French Канадский французский - + Latin American Spanish Латиноамериканский испанский - + Simplified Chinese Упрощённый китайский - + Traditional Chinese (正體中文) Традиционный китайский (正體中文) - + Brazilian Portuguese (português do Brasil) Бразильский португальский (português do Brasil) - - Serbian (српски) - Serbian (српски) + + Polish (polska) + Польский (polska) - - + + Thai (แบบไทย) + Тайский (แบบไทย) + + + + Japan Япония - + USA США - + Europe Европа - + Australia Австралия - + China Китай - + Korea Корея - + Taiwan Тайвань - + Auto (%1) Auto select time zone Авто (%1) - + Default (%1) Default time zone По умолчанию (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Куба - + EET EET - + Egypt Египт - + Eire Эйре - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Эйре - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Гринвич - + Hongkong Гонконг - + HST HST - + Iceland Исландия - + Iran Иран - + Israel Израиль - + Jamaica Ямайка - + Kwajalein Кваджалейн - + Libya Ливия - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Навахо - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Польша - + Portugal Португалия - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Сингапур - + Turkey Турция - + UCT UCT - + Universal Универсальный - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Зулусы - + Mono Моно - + Stereo Стерео - + Surround Объёмный звук - + 4GB DRAM (Default) 4 ГБ ОЗУ (по умолчанию) - + 6GB DRAM (Unsafe) 6GB ОЗУ (Небезопасно) - + 8GB DRAM 8ГБ ОЗУ - + 10GB DRAM (Unsafe) 10ГБ ОЗУ(Небезопасно) - + 12GB DRAM (Unsafe) 12ГБ ОЗУ(Небезопасно) - + Docked В док-станции - + Handheld Портативный - - + + Off Выкл. - + Boost (1700MHz) Разгон (1700MHz) - + Fast (2000MHz) Быстрая (2000MHz) - + Always ask (Default) Всегда спрашивать (По умолчанию) - + Only if game specifies not to stop Только если игра указывает не останавливаться - + Never ask Никогда не спрашивать - - + + Medium (256) Средний (256) - - + + High (512) Высокий (512) - + Very Small (16 MB) - + Очень малый (16 МБ) - + Small (32 MB) - + Малый (32 МБ) - + Normal (128 MB) - + Обычный (128 МБ) - + Large (256 MB) - + Большой (256 МБ) - + Very Large (512 MB) - + Очень большой (512 МБ) - + Very Low (4 MB) - + Очень низкий (4 МБ) - + Low (8 MB) - + Низкий (8 МБ) - + Normal (16 MB) - + Обычный (16 МБ) - + Medium (32 MB) - + Средний (32 МБ) - + High (64 MB) - + Высокий (64 МБ) - + Very Low (32) - + Очень низкий (32) - + Low (64) - + Низкий (64) - + Normal (128) - + Обычный (128) - + Disabled Выключено - + ExtendedDynamicState 1 Расширенное динамическое состояние 1 - + ExtendedDynamicState 2 Расширенное динамическое состояние 2 - + ExtendedDynamicState 3 Расширенное динамическое состояние 3 + + + Tree View + В виде списка + + + + Grid View + В виде сетки + ConfigureApplets @@ -2265,7 +2390,7 @@ When a program attempts to open the controller applet, it is immediately closed. По умолчанию - + Auto Авто @@ -2716,81 +2841,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Включить отладочные утверждения - + Debugging Отладка - + Battery Serial: Серийный номер батареи: - + Bitmask for quick development toggles Битовая маска отладочных флагов - + Set debug knobs (bitmask) Задать отладочные флаги (битовая маска) - + 16-bit debug knob set for quick development toggles 16-битные отладочные флаги (быстрое переключение) - + (bitmask) (битовая маска) - + Debug Knobs: Отладочные флаги: - + Unit Serial: Серийный номер устройства: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Включите эту опцию, чтобы вывести на консоль последний сгенерированный список аудиокоманд. Влияет только на игры, использующие аудио рендерер. - + Dump Audio Commands To Console** Дамп аудиокоманд в консоль** - + Flush log output on each line Полный вывод лога в каждой строке - + Enable FS Access Log Включить журнал доступа к ФС - + Enable Verbose Reporting Services** Включить службу отчётов в развернутом виде** - + Censor username in logs Скрывать имя пользователя в логах - + **This will be reset automatically when Eden closes. **Это будет автоматически сбрасываться когда Eden закрывается. @@ -2851,13 +2981,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Звук - + CPU ЦП @@ -2873,13 +3003,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Общие - + Graphics Графика @@ -2891,7 +3021,7 @@ When a program attempts to open the controller applet, it is immediately closed. GraphicsExtra - + Дополнительно (Графика) @@ -2900,7 +3030,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Управление @@ -2916,7 +3046,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Система @@ -2971,7 +3101,7 @@ When a program attempts to open the controller applet, it is immediately closed. Save Data - + Сохранить данные @@ -3034,58 +3164,58 @@ When a program attempts to open the controller applet, it is immediately closed. Сбросить кэш метаданных - + Select Emulated NAND Directory... Выберите папку для эмулируемого NAND... - + Select Emulated SD Directory... Выберите папку для эмулируемого SD... - - + + Select Save Data Directory... - + Выбрать директорию для сохранения данных... - + Select Gamecard Path... Выберите папку для картриджей... - + Select Dump Directory... Выберите папку для дампов... - + Select Mod Load Directory... Выберите папку для модов... - + Save Data Directory - + Папка сохранений - + Choose an action for the save data directory: - + Выберите действие для каталога сохранения данных: + + + + Set Custom Path + Установить пользовательский путь - Set Custom Path - - - - Reset to NAND Сброс в NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3093,59 +3223,67 @@ New: %2 Would you like to migrate saves from the old location? WARNING: This will overwrite any conflicting saves in the new location! - + Сохраненные данные существуют как в старом, так и в новом каталогах. + +Old: %1 +New: %2 + +Вы желаете перенести сохранения из старого каталога? +ПРЕДУПРЕЖДЕНИЕ: Это приведет к перезаписи всех конфликтующих сохранений в новом каталоге! - + Would you like to migrate your save data to the new location? From: %1 To: %2 - + Вы хотите перенести данные в новое расположение? - + Migrate Save Data - + Перенести сохраненные данные - + Migrating save data... - + Перенос игровых данных... - + Cancel Отмена - + Migration Failed - + Перенос завершился ошибкой - + Failed to create destination directory. - + Не удалось создать целевой каталог. Failed to migrate save data: %1 - + Не удалось перенести данные: +%1 + + + + Migration Complete + Перенос успешно завершён - Migration Complete - - - - Save data has been migrated successfully. Would you like to delete the old save data? - + Игровые данные успешно перенесены. +Вы хотите удалить старые игровые данные? @@ -3162,20 +3300,55 @@ Would you like to delete the old save data? Общие - + + External Content + Дополнительный контент + + + + Add directories to scan for DLCs and Updates without installing to NAND + Добавить директории для DLC и обновлений без их установки в NAND + + + + Add Directory + Добавить директорию + + + + Remove Selected + Удалить выделенное + + + Reset All Settings Сбросить все настройки - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Это сбросит все настройки и удалит все конфигурации под отдельные игры. При этом не будут удалены пути для игр, профили или профили ввода. Продолжить? + + + Select External Content Directory... + Выбрать каталог для дополнительного контента... + + + + Directory Already Added + Каталог успешно добавлен + + + + This directory is already in the list. + Этот каталог уже есть в списке. + ConfigureGraphics @@ -3205,33 +3378,33 @@ Would you like to delete the old save data? Фоновый цвет: - + % FSR sharpening percentage (e.g. 50%) % - + Off Отключена - + VSync Off Верт. синхронизация отключена - + Recommended Рекомендуется - + On Включена - + VSync On Верт. синхронизация включена @@ -3264,31 +3437,31 @@ Would you like to delete the old save data? Extras - + Дополнительно Hacks - + Хаки Changing these options from their default may cause issues. Novitii cavete! - + Внимание! Изменение стандартных настроек этих параметров может вызвать проблемы. Vulkan Extensions - + Vulkan Расширения - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Расширенное динамическое состояние отключено в macOS из-за проблем с совместимостью MoltenVK, которые приводят к появлению черных экранов. @@ -3860,7 +4033,7 @@ Would you like to delete the old save data? - + Left Stick Левый мини-джойстик @@ -3970,14 +4143,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3990,22 +4163,22 @@ Would you like to delete the old save data? - + Plus Плюс - + ZR ZR - - + + R R @@ -4062,7 +4235,7 @@ Would you like to delete the old save data? - + Right Stick Правый мини-джойстик @@ -4231,88 +4404,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Sega Genesis - + Start / Pause Старт / Пауза - + Z Z - + Control Stick Мини-джойстик управления - + C-Stick C-Джойстик - + Shake! Встряхните! - + [waiting] [ожидание] - + New Profile Новый профиль - + Enter a profile name: Введите имя профиля: - - + + Create Input Profile Создать профиль управления - + The given profile name is not valid! Заданное имя профиля недействительно! - + Failed to create the input profile "%1" Не удалось создать профиль управления "%1" - + Delete Input Profile Удалить профиль управления - + Failed to delete the input profile "%1" Не удалось удалить профиль управления "%1" - + Load Input Profile Загрузить профиль управления - + Failed to load the input profile "%1" Не удалось загрузить профиль управления "%1" - + Save Input Profile Сохранить профиль управления - + Failed to save the input profile "%1" Не удалось сохранить профиль управления "%1" @@ -4607,11 +4780,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode Включить режим полета - - - None - Нет - ConfigurePerGame @@ -4666,52 +4834,57 @@ Current values are %1% and %2% respectively. Некоторые настройки доступны только тогда, когда игра не запущена. - + Add-Ons Дополнения - + System Система - + CPU ЦП - + Graphics Графика - + Adv. Graphics Расш. Графика - + Ext. Graphics - + Доп. Графика - + Audio Звук - + Input Profiles Профили управления - + Network Сеть + Applets + Апплеты + + + Properties Свойства @@ -4729,15 +4902,115 @@ Current values are %1% and %2% respectively. Дополнения - + + Import Mod from ZIP + Импортировать мод из ZIP-архива + + + + Import Mod from Folder + Импортировать мод из папки + + + Patch Name Название патча - + Version Версия + + + Mod Install Succeeded + Установка мода прошла успешно + + + + Successfully installed all mods. + Все моды установлены успешно. + + + + Mod Install Failed + Не удалось установить мод + + + + Failed to install the following mods: + %1 +Check the log for details. + Не удалось установить следующие моды: + %1 +Проверьте лог чтобы узнать детали. + + + + Mod Folder + Папка модов + + + + Zipped Mod Location + Расположение сжатых модов + + + + Zipped Archives (*.zip) + Сжатые Архивы (*.zip) + + + + Invalid Selection + Недопустимый выбор + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + Только моды, читы и патчи могут быть удалены. +Чтобы удалить установленные NAND-обновления, кликните ПКМ на игру в списке, выберите Удалить -> Удалить Установленное Обновление. + + + + You are about to delete the following installed mods: + + Удалить следующие установленные моды: + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + +После удаления они не смогут быть восстановлены. Вы на 100% уверены, что хотите их удалить? + + + + Delete add-on(s)? + Удалить аддон(ы)? + + + + Successfully deleted + Успешно удалено + + + + Successfully deleted all selected mods. + Все выбранные моды успешно удалены + + + + &Delete + &Удалить + + + + &Open in File Manager + + ConfigureProfileManager @@ -4785,80 +5058,80 @@ Current values are %1% and %2% respectively. %2 - + Users Пользователи - + Error deleting image Ошибка при удалении изображения - + Error occurred attempting to overwrite previous image at: %1. Ошибка при попытке перезаписи предыдущего изображения в: %1. - + Error deleting file Ошибка при удалении файла - + Unable to delete existing file: %1. Не удалось удалить существующий файл: %1. - + Error creating user image directory Ошибка при создании папки пользовательских изображений - + Unable to create directory %1 for storing user images. Не получилось создать папку %1 для хранения изображений пользователя. - + Error saving user image Ошибка при сохранении пользовательского изображения - + Unable to save image to file Не удается сохранить изображение в файл - + &Edit - + &Редактировать - + &Delete - + &Удалить - + Edit User - + Редактировать пользователя ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Удалить этого пользователя? Все сохраненные данные пользователя будут удалены. - + Confirm Delete Подтвердите удаление - + Name: %1 UUID: %2 Имя: %1 @@ -5060,17 +5333,22 @@ UUID: %2 Приостановить выполнение во время загрузки - + + Show recording dialog + + + + Script Directory Папка для скриптов - + Path Путь - + ... ... @@ -5083,7 +5361,7 @@ UUID: %2 Настройка TAS - + Select TAS Load Directory... Выбрать папку загрузки TAS... @@ -5221,64 +5499,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None Нет - - Small (32x32) - Маленький (32х32) - - - - Standard (64x64) - Стандартный (64х64) - - - - Large (128x128) - Большой (128х128) - - - - Full Size (256x256) - Полноразмерный (256х256) - - - + Small (24x24) Маленький (24х24) - + Standard (48x48) Стандартный (48х48) - + Large (72x72) Большой (72х72) - + Filename Название файла - + Filetype Тип файла - + Title ID ID приложения - + Title Name Название игры @@ -5347,71 +5604,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - Размер иконки игры: - - - Folder Icon Size: Размер иконки папки: - + Row 1 Text: Текст 1-ой строки: - + Row 2 Text: Текст 2-ой строки: - + Screenshots Скриншоты - + Ask Where To Save Screenshots (Windows Only) Спрашивать куда сохранять скриншоты (Только для Windows) - + Screenshots Path: Папка для скриншотов: - + ... ... - + TextLabel TextLabel - + Resolution: Разрешение: - + Select Screenshots Path... Выберите папку для скриншотов... - + <System> <System> - + English English - + Auto (%1 x %2, %3 x %4) Screenshot width value Авто (%1 x %2, %3 x %4) @@ -5545,20 +5797,20 @@ Drag points to change position, or double-click table cells to edit values.Показывать текущую игру в вашем статусе Discord - - + + All Good Tooltip Все хорошо - + Must be between 4-20 characters Tooltip 4-20 символов - + Must be 48 characters, and lowercase a-z Tooltip Должно быть 48 символов и содержать только строчные буквы a-z @@ -5590,27 +5842,27 @@ Drag points to change position, or double-click table cells to edit values.Удаление ЛЮБЫХ данных НЕВОЗВРАТИМО! - + Shaders Шейдеры - + UserNAND UserNAND - + SysNAND SysNAND - + Mods Моды - + Saves Сохранения @@ -5648,7 +5900,7 @@ Drag points to change position, or double-click table cells to edit values.Импортирует данные для этого каталога. Это может занять некоторое время и приведет к удалению ВСЕХ СУЩЕСТВУЮЩИХ ДАННЫХ! - + Calculating... Подсчитываем... @@ -5671,12 +5923,12 @@ Drag points to change position, or double-click table cells to edit values.<html><head/><body><p>Проекты, которые сделали Eden возможным</p></body></html> - + Dependency Зависимость - + Version Версия @@ -5852,44 +6104,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL не доступен! - + OpenGL shared contexts are not supported. Общие контексты OpenGL не поддерживаются. - + Eden has not been compiled with OpenGL support. Eden не был скомпилирован с поддержкой OpenGL. - - + + Error while initializing OpenGL! Ошибка при инициализации OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Ваш ГП может не поддерживать OpenGL, или у вас установлен устаревший графический драйвер. - + Error while initializing OpenGL 4.6! Ошибка при инициализации OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Ваш ГП может не поддерживать OpenGL 4.6, или у вас установлен устаревший графический драйвер.<br><br>Рендерер GL:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Ваш ГП может не поддерживать одно или несколько требуемых расширений OpenGL. Пожалуйста, убедитесь в том, что у вас установлен последний графический драйвер.<br><br>Рендерер GL:<br>%1<br><br>Неподдерживаемые расширения:<br>%2 @@ -5897,203 +6149,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + &Добавить новую директорию игр + + + Favorite Избранное - + Start Game Запустить игру - + Start Game without Custom Configuration Запустить игру без пользовательской настройки - + Open Save Data Location Открыть папку для сохранений - + Open Mod Data Location Открыть папку для модов - + Open Transferable Pipeline Cache Открыть переносной кэш конвейера - + Link to Ryujinx Ссылка на Ryujinx - + Remove Удалить - + Remove Installed Update Удалить установленное обновление - + Remove All Installed DLC Удалить все установленные DLC - + Remove Custom Configuration Удалить пользовательскую настройку - + Remove Cache Storage Удалить кэш-хранилище? - + Remove OpenGL Pipeline Cache Удалить кэш конвейера OpenGL - + Remove Vulkan Pipeline Cache Удалить кэш конвейера Vulkan - + Remove All Pipeline Caches Удалить весь кэш конвейеров - + Remove All Installed Contents Удалить все установленное содержимое - + Manage Play Time Manage Play Time - + Edit Play Time Data Изменить дату Игрового времени - + Remove Play Time Data Удалить данные о времени игры - - + + Dump RomFS Дамп RomFS - + Dump RomFS to SDMC Сдампить RomFS в SDMC - + Verify Integrity Проверить целостность - + Copy Title ID to Clipboard Скопировать ID приложения в буфер обмена - + Navigate to GameDB entry Перейти к странице GameDB - + Create Shortcut Создать ярлык - + Add to Desktop Добавить на Рабочий стол - + Add to Applications Menu Добавить в меню приложений - + Configure Game Настроить игру - + Scan Subfolders Сканировать подпапки - + Remove Game Directory Удалить папку с играми - + ▲ Move Up ▲ Переместить вверх - + ▼ Move Down ▼ Переместить вниз - + Open Directory Location Открыть расположение папки - + Clear Очистить - + Name Имя - + Compatibility Совместимость - + Add-ons Дополнения - + File type Тип файла - + Size Размер - + Play time Время игры @@ -6101,62 +6358,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Запускается - + Game starts, but crashes or major glitches prevent it from being completed. Игра запускается, но вылеты или серьезные баги не позволяют ее завершить. - + Perfect Идеально - + Game can be played without issues. В игру можно играть без проблем. - + Playable Играбельно - + Game functions with minor graphical or audio glitches and is playable from start to finish. Игра работает с незначительными графическими и/или звуковыми ошибками и проходима от начала до конца. - + Intro/Menu Вступление/Меню - + Game loads, but is unable to progress past the Start Screen. Игра загружается, но не проходит дальше стартового экрана. - + Won't Boot Не запускается - + The game crashes when attempting to startup. Игра вылетает при запуске. - + Not Tested Не проверено - + The game has not yet been tested. Игру ещё не проверяли на совместимость. @@ -6164,7 +6421,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Нажмите дважды, чтобы добавить новую папку в список игр @@ -6172,17 +6429,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 из %n результат(ов)%1 из %n результат(ов)%1 из %n результат(ов)%1 из %n результат(ов) - + Filter: Поиск: - + Enter pattern to filter Введите текст для поиска @@ -6258,12 +6515,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Ошибка - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Не удалось объявить комнату в общедоступном лобби. Чтобы разместить комнату в открытом доступе, у вас должна быть действительная учетная запись Eden, настроенная в Эмуляция -> Настройка -> Веб. Если вы не хотите публиковать номер в общедоступном лобби, выберите "Не размещать". @@ -6273,19 +6530,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Включение/отключение звука - - - - - - - - @@ -6308,154 +6557,180 @@ Debug Message: + + + + + + + + + + + Main Window Основное окно - + Audio Volume Down Уменьшить громкость звука - + Audio Volume Up Повысить громкость звука - + Capture Screenshot Сделать скриншот - + Change Adapting Filter Изменить адаптирующий фильтр - + Change Docked Mode Изменить режим консоли - + Change GPU Mode - + Изменить режим ГП - + Configure Настроить - + Configure Current Game Настроить текущую игру - + Continue/Pause Emulation Продолжение/Пауза эмуляции - + Exit Fullscreen Выйти из полноэкранного режима - + Exit Eden Выйти из Eden - + Fullscreen Полный экран - + Load File Загрузить файл - + Load/Remove Amiibo Загрузить/удалить Amiibo - - Multiplayer Browse Public Game Lobby - Мультиплеер - просмотр общего игрового лобби + + Browse Public Game Lobby + Просмотреть публичные игровые лобби - - Multiplayer Create Room - Мультиплеер - создать лобби + + Create Room + Создать комнату - - Multiplayer Direct Connect to Room - Мультилеер - прямое подключение к комнате + + Direct Connect to Room + Прямое подключение к комнате - - Multiplayer Leave Room - Мультиплеер - покинуть лобби + + Leave Room + Покинуть комнату - - Multiplayer Show Current Room - Мультиплеер - показать текущую комнату + + Show Current Room + Показать текущую комнату - + Restart Emulation Перезапустить эмуляцию - + Stop Emulation Остановить эмуляцию - + TAS Record Запись TAS - + TAS Reset Сброс TAS - + TAS Start/Stop Старт/Стоп TAS - + Toggle Filter Bar Переключить панель поиска - + Toggle Framerate Limit Переключить ограничение частоты кадров - + + Toggle Turbo Speed + Турбо-режим + + + + Toggle Slow Speed + Медленный режим + + + Toggle Mouse Panning Переключить панорамирование мыши - + Toggle Renderdoc Capture Переключить захват Renderdoc - + Toggle Status Bar Переключить панель состояния + + + Toggle Performance Overlay + Оверлей производительности + InstallDialog @@ -6508,22 +6783,22 @@ Debug Message: Примерное время 5м 4с - + Loading... Загрузка... - + Loading Shaders %1 / %2 Загрузка шейдеров %1 / %2 - + Launching... Запуск... - + Estimated Time %1 Осталось примерно %1 @@ -6572,42 +6847,42 @@ Debug Message: Обновить лобби - + Password Required to Join Для входа необходим пароль - + Password: Пароль: - + Players Игроки - + Room Name Название комнаты - + Preferred Game Предпочтительная игра - + Host Хост - + Refreshing Обновление - + Refresh List Обновить список @@ -6656,1231 +6931,1324 @@ Debug Message: + &Game List Mode + &Вид списка игр + + + + Game &Icon Size + Размер &иконки игры + + + Reset Window Size to &720p Сбросить размер окна до &720p - + Reset Window Size to 720p Сбросить размер окна до 720p - + Reset Window Size to &900p Сбросить размер окна до &900p - + Reset Window Size to 900p Сбросить размер окна до 900p - + Reset Window Size to &1080p Сбросить размер окна до &1080p - + Reset Window Size to 1080p Сбросить размер окна до 1080p - + &Multiplayer [&M] Мультиплеер - + &Tools [&T] Инструменты - + Am&iibo Amiibo - + Launch &Applet - + Запустить &Апплет - + &TAS [&T] TAS - + &Create Home Menu Shortcut &Create Ярлык главного меню - + Install &Firmware Установить &Firmware - + &Help [&H] Помощь - + &Install Files to NAND... [&I] Установить файлы в NAND... - + L&oad File... [&O] Загрузить файл... - + Load &Folder... [&F] Загрузить папку... - + E&xit [&X] Выход - - + + &Pause [&P] Пауза - + &Stop [&S] Стоп - + &Verify Installed Contents &Проверить установленное содержимое - + &About Eden &About Eden - + Single &Window Mode [&W] Режим одного окна - + Con&figure... [&F] Параметры... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet Включить апплет оверлейного дисплея - + Show &Filter Bar [&F] Показать панель поиска - + Show &Status Bar [&S] Показать панель статуса - + Show Status Bar Показать панель статуса - + &Browse Public Game Lobby [&B] Просмотреть публичные игровые лобби - + &Create Room [&C] Создать комнату - + &Leave Room [&L] Покинуть комнату - + &Direct Connect to Room [&D] Прямое подключение к комнате - + &Show Current Room [&S] Показать текущую комнату - + F&ullscreen [&U] Полноэкранный - + &Restart [&R] Перезапустить - + Load/Remove &Amiibo... [&A] Загрузить/Удалить Amiibo... - + &Report Compatibility [&R] Сообщить о совместимости - + Open &Mods Page [&M] Открыть страницу модов - + Open &Quickstart Guide [&Q] Открыть руководство пользователя - + &FAQ [&F] ЧАВО - + &Capture Screenshot [&C] Сделать скриншот - + &Album - + &Альбом - + &Set Nickname and Owner &Установить никнейм и владельца - + &Delete Game Data &Удалить данные игры - + &Restore Amiibo &Восстановить Amiibo - + &Format Amiibo &Форматировать Amiibo - + &Mii Editor - + &Редактирование Mii - + &Configure TAS... [&C] Настройка TAS... - + Configure C&urrent Game... [&U] Настроить текущую игру... - - + + &Start [&S] Запустить - + &Reset [&S] Сбросить - - + + R&ecord [&E] Запись - + Open &Controller Menu Открыть &меню контроллера - + Install Decryption &Keys Установить ключи - + &Home Menu - + &Главное меню - + &Desktop &Desktop - + &Application Menu &Application Меню - + &Root Data Folder &Root Папка данных - + &NAND Folder &NAND Папка - + &SDMC Folder &SDMC Папка - + &Mod Folder &Mod Папка - + &Log Folder &Log Папка - + From Folder C папки - + From ZIP С ZIP - + &Eden Dependencies &Eden Зависимости - + &Data Manager Менеджер данных - + + &Tree View + &В виде списка + + + + &Grid View + &В виде сетки + + + + Game Icon Size + Размер иконки игры + + + + + + None + Нет + + + + Show Game &Name + Показать имя &игры + + + + Show &Performance Overlay + Показать &оверлей производительности + + + + Small (32x32) + Маленький (32х32) + + + + Standard (64x64) + Стандартный (64х64) + + + + Large (128x128) + Большой (128х128) + + + + Full Size (256x256) + Полноразмерный (256х256) + + + Broken Vulkan Installation Detected Проблема с установкой Vulkan - + Vulkan initialization failed during boot. Ошибка инициализации Vulkan при запуске. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Запуск игры - + Loading Web Applet... Загрузка веб-апплета... - - + + Disable Web Applet Отключить веб-апплет - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) Отключение веб-апплета может привести к неопределённому поведению и должно использоваться только с Super Mario 3D All-Stars. Вы уверены, что хотите отключить веб-апплет? (Его можно будет снова включить в настройках отладки.) - + The amount of shaders currently being built Количество шейдеров, компилируемых в данный момент - + The current selected resolution scaling multiplier. Текущий выбранный множитель масштабирования разрешения. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Текущая скорость эмуляции. Значения выше или ниже 100% означают, что эмуляция работает быстрее или медленнее, чем Nintendo Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. Текущее количество кадров в секунду, отображаемых игрой. Этот показатель варьируется от игры к игре и от сцены к сцене. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. Время, затраченное на эмуляцию одного кадра Switch, без учёта ограничения частоты кадров или вертикальной синхронизации. Для полной скорости эмуляции это значение должно быть не более 16,67 мс. - + Unmute Включить звук - + Mute Отключить звук - + Reset Volume Сбросить громкость - + &Clear Recent Files Очистить недавние файлы - + &Continue Продолжить - + Warning: Outdated Game Format Внимание: Устаревший формат игры - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. Вы используете для этой игры формат деконструированной ROM-директории, который является устаревшим и был заменён другими форматами, такими как NCA, NAX, XCI или NSP. Деконструированные ROM-директории не содержат иконок, метаданных и не поддерживают обновления.<br>Для объяснения различных форматов Switch, которые поддерживает Eden, обратитесь к руководству пользователя. Это сообщение больше не будет показано. - - + + Error while loading ROM! Ошибка при загрузке ROM! - + The ROM format is not supported. Формат ROM не поддерживается. - + An error occurred initializing the video core. Произошла ошибка при инициализации графического ядра. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. В Eden произошла ошибка при работе графического ядра. Обычно это вызвано устаревшими драйверами GPU, включая встроенную графику. Подробности смотрите в логе. Для получения информации о доступе к логу посетите следующую страницу: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>Как загрузить файл лога</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. Ошибка при загрузке ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Пожалуйста, пересоздайте дампы ваших файлов или обратитесь за помощью в Discord/Stoat. - + An unknown error occurred. Please see the log for more details. Произошла неизвестная ошибка. Подробности смотрите в логе. - + (64-bit) - + (64-х битный) - + (32-bit) - + (32-х битный) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + %1 %2 - + Closing software... Завершение работы... - + Save Data - + Сохранить данные - + Mod Data - + Данные модов - + Error Opening %1 Folder - + Ошибка при открытии папки %1 - - + + Folder does not exist! - + Папка не существует! - + Remove Installed Game Contents? - + Удалить установленное содержание игры? - + Remove Installed Game Update? - + Удалить установленные обновления игры? - + Remove Installed Game DLC? - + Удалить установленные DLC игры? - + Remove Entry - + Удалить запись - + Delete OpenGL Transferable Shader Cache? - + Удалить переносной кэш шейдеров OpenGL? - + Delete Vulkan Transferable Shader Cache? - + Удалить переносной кэш шейдеров Vulkan? - + Delete All Transferable Shader Caches? - + Удалить весь переносной кэш шейдеров? - + Remove Custom Game Configuration? - + Удалить пользовательские настройки игры? - + Remove Cache Storage? - + Удалить кэш-хранилище? - + Remove File - + Удалить файл - + Remove Play Time Data - + Удалить проведенное время в этой игре - + Reset play time? - + Сбросить игровое время? - - + + RomFS Extraction Failed! - + Не удалось извлечь RomFS! - + There was an error copying the RomFS files or the user cancelled the operation. - + Произошла ошибка при копировании файлов RomFS или пользователь отменил операцию. - + Full - + Полный - + Skeleton - + Скелет - + Select RomFS Dump Mode - + Выберите режим дампа RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + Пожалуйста, выберите, как вы хотите выполнить дамп RomFS. <br>Полный скопирует все файлы в новую папку, в то время как <br>скелет создаст только структуру папок. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + В %1 недостаточно свободного места для извлечения RomFS. Пожалуйста, освободите место или выберите другую папку для дампа в Эмуляция > Параметры > Система > Файловая система > Корень дампа - + Extracting RomFS... - + Извлечение RomFS... - - + + Cancel - + Отмена - + RomFS Extraction Succeeded! - + Извлечение RomFS прошло успешно! - + The operation completed successfully. - + Операция выполнена успешно. - + Error Opening %1 - + Ошибка при открытии %1 - + Select Directory - + Выбрать папку - + Properties - + Свойства - + The game properties could not be loaded. - + Не удалось загрузить свойства игры. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Исполняемый файл Switch (%1);;Все файлы (*.*) - + Load File - + Загрузить файл - + Open Extracted ROM Directory - + Открыть папку извлечённого ROM'а - + Invalid Directory Selected - + Выбрана недопустимая папка - + The directory you have selected does not contain a 'main' file. - + Папка, которую вы выбрали, не содержит файла 'main'. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Устанавливаемый файл Switch (*.nca, *.nsp, *.xci);;Архив контента Nintendo (*.nca);;Пакет подачи Nintendo (*.nsp);;Образ картриджа NX (*.xci) - + Install Files - + Установить файлы - + %n file(s) remaining - + %n файл(ов) осталось%n файл(ов) осталось%n файл(ов) осталось%n файл(ов) осталось - + Installing file "%1"... - + Установка файла "%1"... - - + + Install Results - - - - - To avoid possible conflicts, we discourage users from installing base games to the NAND. -Please, only use this feature to install updates and DLC. - - - - - %n file(s) were newly installed - - - - - - %n file(s) were overwritten - - - - - - %n file(s) failed to install - - - - - - System Application - - - - - System Archive - - - - - System Application Update - - - - - Firmware Package (Type A) - - - - - Firmware Package (Type B) - - - - - Game - - - - - Game Update - - - - - Game DLC - - - - - Delta Title - - - - - Select NCA Install Type... - - - - - Please select the type of title you would like to install this NCA as: -(In most instances, the default 'Game' is fine.) - - - - - Failed to Install - - - - - The title type you selected for the NCA is invalid. - + Результаты установки + To avoid possible conflicts, we discourage users from installing base games to the NAND. +Please, only use this feature to install updates and DLC. + Чтобы избежать возможных конфликтов, мы не рекомендуем пользователям устанавливать игры в NAND. +Пожалуйста, используйте эту функцию только для установки обновлений и DLC. + + + + %n file(s) were newly installed + + %n файл(ов) были установлены недавно +%n файл(ов) были установлены недавно +%n файл(ов) были установлены недавно +%n файл(ов) были установлены недавно + + + + + %n file(s) were overwritten + + %n файл(ов) были перезаписаны +%n файл(ов) были перезаписаны +%n файл(ов) были перезаписаны +%n файл(ов) были перезаписаны + + + + + %n file(s) failed to install + + %n файл(ов) не удалось установить +%n файл(ов) не удалось установить +%n файл(ов) не удалось установить +%n файл(ов) не удалось установить + + + + + System Application + Системное приложение + + + + System Archive + Системный архив + + + + System Application Update + Обновление системного приложения + + + + Firmware Package (Type A) + Пакет прошивки (Тип А) + + + + Firmware Package (Type B) + Пакет прошивки (Тип Б) + + + + Game + Игра + + + + Game Update + Обновление игры + + + + Game DLC + DLC игры + + + + Delta Title + Тип приложения + + + + Select NCA Install Type... + Выберите тип установки NCA... + + + + Please select the type of title you would like to install this NCA as: +(In most instances, the default 'Game' is fine.) + Пожалуйста, выберите тип приложения, который вы хотите установить для этого NCA: +(В большинстве случаев, подходит стандартный выбор 'Игра') + + + + Failed to Install + Ошибка установки + + + + The title type you selected for the NCA is invalid. + Тип приложения, который вы выбрали для NCA недействителен. + + + File not found - + Файл не найден - + File "%1" not found - + Файл "%1" не найден - + OK - + ОК - + Function Disabled - + Функция выключена - + Compatibility list reporting is currently disabled. Check back later! - + Репортинг списка совместимости в настоящее время отключен. Проверьте позже! - + Error opening URL - + Ошибка при открытии URL - + Unable to open the URL "%1". - + Не удалось открыть URL "%1". - + TAS Recording - + Запись TAS - + Overwrite file of player 1? - - - - - Invalid config detected - - - - - Handheld controller can't be used on docked mode. Pro controller will be selected. - - - - - - Amiibo - - - - - - The current amiibo has been removed - - - - - Error - - - - - - The current game is not looking for amiibos - + Перезаписать файл игрока 1? - Amiibo File (%1);; All Files (*.*) - + Invalid config detected + Обнаружена недопустимая конфигурация + Handheld controller can't be used on docked mode. Pro controller will be selected. + Портативный контроллер не может быть использован в режиме док-станции. Будет выбран контроллер Pro. + + + + + Amiibo + Amiibo + + + + + The current amiibo has been removed + Текущий amiibo был удален + + + + Error + Ошибка + + + + + The current game is not looking for amiibos + Текущая игра не ищет amiibo + + + + Amiibo File (%1);; All Files (*.*) + Файл Amiibo (%1);; Все Файлы (*.*) + + + Load Amiibo - + Загрузить Amiibo - + Error loading Amiibo data - - - - - The selected file is not a valid amiibo - - - - - The selected file is already on use - - - - - An unknown error occurred - - - - - - Keys not installed - - - - - - Install decryption keys and restart Eden before attempting to install firmware. - - - - - Select Dumped Firmware Source Location - - - - - Select Dumped Firmware ZIP - - - - - Zipped Archives (*.zip) - - - - - Firmware cleanup failed - - - - - Failed to clean up extracted firmware cache. -Check write permissions in the system temp directory and try again. -OS reported error: %1 - + Ошибка загрузки данных Amiibo - No firmware available - + The selected file is not a valid amiibo + Выбранный файл не является действительным Amiibo - Firmware Corrupted - + The selected file is already on use + Выбранный файл уже используется - - Unknown applet - + + An unknown error occurred + Произошла неизвестная ошибка - - Applet doesn't map to a known value. - + + + Keys not installed + Ключи не установлены - - Record not found - + + + Install decryption keys and restart Eden before attempting to install firmware. + Установите ключи расшифровки и перезапустите Eden, прежде чем пытаться установить прошивку. - - Applet not found. Please reinstall firmware. - + + Select Dumped Firmware Source Location + Выберите местоположение дампнутой прошивки. - - Capture Screenshot - + + Select Dumped Firmware ZIP + Выберите ZIP-архив дампа прошивки - - PNG Image (*.png) - + + Zipped Archives (*.zip) + Сжатые Архивы (*.zip) + Firmware cleanup failed + Не удалось выполнить очистку прошивки + + + + Failed to clean up extracted firmware cache. +Check write permissions in the system temp directory and try again. +OS reported error: %1 + Не удалось очистить извлеченный кэш прошивки. +Проверьте права на запись во временном каталоге системы и повторите попытку. +Операционная система сообщила об ошибке: %1 + + + + No firmware available + Нет доступной прошивки + + + + Firmware Corrupted + Прошивка повреждена + + + + Unknown applet + Неизвестный апплет + + + + Applet doesn't map to a known value. + Апплет не сопоставляется с известным значением. + + + + Record not found + Запись не найдена + + + + Applet not found. Please reinstall firmware. + Апплет не найден. Пожалуйста, переустановите прошивку. + + + + Capture Screenshot + Сделать скриншот + + + + PNG Image (*.png) + Изображение PNG (*.png) + + + Update Available - + Обновление доступно - - Download the %1 update? - + + Download %1? + Скачать %1? - + TAS state: Running %1/%2 - + Состояние TAS: Выполняется %1/%2 - + TAS state: Recording %1 - + Состояние TAS: Записывается %1 - + TAS state: Idle %1/%2 - + Состояние TAS: Простой %1/%2 - + TAS State: Invalid - + Состояние TAS: Неверное - + &Stop Running - + &Остановить - + Stop R&ecording - + З&акончить запись - + Building: %n shader(s) - + Компиляция %n шейдер(ов)Компиляция %n шейдер(ов)Компиляция %n шейдер(ов)Компиляция %n шейдер(ов) - + Scale: %1x %1 is the resolution scaling factor - + Масштаб: %1x - + Speed: %1% / %2% - + Скорость: %1% / %2% - + Speed: %1% - + Скорость: %1% - + Game: %1 FPS - + Игра: %1 FPS - + Frame: %1 ms - + Кадр: %1 мс - + FSR - + FSR - + NO AA - + БЕЗ СГЛАЖИВАНИЯ - + VOLUME: MUTE - + ГРОМКОСТЬ: ЗАГЛУШЕНА - + VOLUME: %1% Volume percentage (e.g. 50%) - + ГРОМКОСТЬ: %1% - + Derivation Components Missing - + Компоненты расчета отсутствуют - + Decryption keys are missing. Install them now? - + Ключи шифрования отсутствуют. Установить их? - + Wayland Detected! - + Обнаружен Wayland! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. Would you like to force it for future launches? - - - - - Use X11 - - - - - Continue with Wayland - - - - - Don't show again - - - - - Restart Required - - - - - Restart Eden to apply the X11 backend. - - - - - Select RomFS Dump Target - - - - - Please select which RomFS you would like to dump. - - - - - Are you sure you want to close Eden? - - - - - - - Eden - + Wayland известен значительными проблемами с производительностью и различными ошибками. +Рекомендуется использовать X11 вместо него. + +Хотите принудительно использовать его для будущих запусков? - Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + Use X11 + Использовать X11 - + + Continue with Wayland + Продолжить с Wayland + + + + Don't show again + Не показывать снова + + + + Restart Required + Требуется перезагрузка + + + + Restart Eden to apply the X11 backend. + Перезапустите Eden чтобы применить бэкэнд X11. + + + + Slow + Медленно + + + + Turbo + Турбо + + + + Unlocked + Разблокирован + + + + Select RomFS Dump Target + Выбрать цель дампа RomFS + + + + Please select which RomFS you would like to dump. + Пожалуйста, выберите, какой RomFS вы хотите сдампить. + + + + Are you sure you want to close Eden? + Вы уверены, что хотите закрыть Eden? + + + + + + Eden + Eden + + + + Are you sure you want to stop the emulation? Any unsaved progress will be lost. + Вы уверены, что хотите остановить эмуляцию? Любой несохраненный прогресс будет потерян. + + + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - - - None - + Запущенное в данный момент приложение запросило Eden не завершать работу. + +Хотели бы вы обойти это и выйти в любом случае? FXAA - + FXAA SMAA - + SMAA Nearest - + Ближайший Bilinear - + Билинейный Bicubic - - - - - Zero-Tangent - + Бикубический - B-Spline - + Zero-Tangent + Zero-Tangent - Mitchell - + B-Spline + B-Spline - Spline-1 - + Mitchell + Mitchell - + + Spline-1 + Spline-1 + + + Gaussian - + Гаусс Lanczos - + Lanczos ScaleForce - + ScaleForce Area - + Зона MMPX - + MMPX @@ -7905,45 +8273,45 @@ Would you like to bypass this and exit anyway? Accurate - + Точность Vulkan Vulkan - - - OpenGL GLSL - - - OpenGL SPIRV - - - - - OpenGL GLASM - + OpenGL GLSL + OpenGL GLSL + OpenGL SPIRV + OpenGL SPIRV + + + + OpenGL GLASM + OpenGL GLASM + + + Null - + Null MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 Не удалось связать старый каталог. Возможно, вам потребуется повторно запустить программу с правами администратора в Windows. Операционная система выдала ошибку: %1 - + Note that your configuration and data will be shared with %1. @@ -7960,7 +8328,7 @@ If this is not desirable, delete the following files: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7971,11 +8339,24 @@ If you wish to clean up the files which were left in the old data location, you %1 - + Data was migrated successfully. Данные успешно перенесены. + + ModSelectDialog + + + Dialog + Диалог + + + + The specified folder or archive contains the following mods. Select which ones to install. + Указанная папка или архив содержит следующие модификации. Выберите, какие из них необходимо установить. + + ModerationDialog @@ -8106,127 +8487,127 @@ Proceed anyway? New User - + Новый пользователь Change Avatar - + Изменить Аватар Set Image - + Выбрать изображение UUID - + UUID Eden - + Eden Username - + Имя пользователя UUID must be 32 hex characters (0-9, A-F) - + UUID должен состоять из 32-х шестнадцатеричных символов (0-9, A-F) Generate - + Сгенерировать - + Select User Image - + Выберите изображение пользователя - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + Форматы изображений (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Нет доступной прошивки - + Please install the firmware to use firmware avatars. - + Пожалуйста, установите прошивку что бы использовать аватар в ней. - - + + Error loading archive - + Ошибка при загрузке архива - + Archive is not available. Please install/reinstall firmware. - + Архив недоступен. Пожалуйста установите/переустановите прошивку. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Не удалось найти RomFS. Возможно, ваш файл или ключи шифрования повреждены. - + Error extracting archive - + Ошибка при извлечении архива - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Не удалось извлечь RomFS. Возможно, ваш файл или ключи шифрования повреждены. - + Error finding image directory - + Не удалось найти пути к изображениям - + Failed to find image directory in the archive. - + Не удалось найти каталог изображений в архиве. - + No images found - + Изображения не нашлись - + No avatar images were found in the archive. - + Не удалось найти аватар-изображения в архиве. - - + + All Good Tooltip - + Все хорошо - + Must be 32 hex characters (0-9, a-f) Tooltip - + Должен быть из 32-х шестнадцатеричных символов (0-9, a-f) - + Must be between 1 and 32 characters Tooltip - + Должно быть от 1 до 32 символов @@ -8262,6 +8643,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + Форма + + + + Frametime + Frametime + + + + 0 ms + 0 мс + + + + + Min: 0 + Мин: 0 + + + + + Max: 0 + Макс: 0 + + + + + Avg: 0 + Сред: 0 + + + + FPS + FPS + + + + 0 fps + 0 fps + + + + %1 fps + %1 fps + + + + + Avg: %1 + Сред: %1 + + + + + Min: %1 + Мин: %1 + + + + + Max: %1 + Макс: %1 + + + + %1 ms + %1 мс + + PlayerControlPreview @@ -8275,77 +8730,52 @@ p, li { white-space: pre-wrap; } Select - + Выбрать Cancel - + Отмена Background Color - + Фоновый цвет Select Firmware Avatar - + Выбрать аватар прошивки QObject - - Installed SD Titles - Установленные SD игры - - - - Installed NAND Titles - Установленные NAND игры - - - - System Titles - Системные игры - - - - Add New Game Directory - Добавить новую папку с играми - - - - Favorites - Избранные - - - - - + + + Migration Перенос - + Clear Shader Cache - + Очистить кэш шейдеров Keep Old Data - + Сохранить старые данные Clear Old Data - + Очистить старые данные Link Old Directory - + Путь старой директории @@ -8363,19 +8793,19 @@ p, li { white-space: pre-wrap; } Нет - + You can manually re-trigger this prompt by deleting the new config directory: %1 Вы можете вручную повторно запустить этот запрос, удалив новый каталог конфигурации: %1 - + Migrating Переносим - + Migrating, this may take a while... Переносим, это может занять некоторое время... @@ -8766,6 +9196,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 играет в %2 + + + Play Time: %1 + Игровое время: %1 + + + + Never Played + Ни разу не сыграно + + + + Version: %1 + Версия: %1 + + + + Version: 1.0.0 + Версия: 1.0.0 + + + + Installed SD Titles + Установленные SD игры + + + + Installed NAND Titles + Установленные NAND игры + + + + System Titles + Системные игры + + + + Add New Game Directory + Добавить новую папку с играми + + + + Favorites + Избранные + QtAmiiboSettingsDialog @@ -8883,47 +9358,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + Игре требуется прошивка - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Игра, которую вы пытаетесь запустить, требует прошивку для запуска или загрузки начального меню. Сделайте <a href='https://yuzu-mirror.github.io/help/quickstart'>дамп и установите прошивку</a>, или нажмите "OK" чтобы запустить в любом случае. - + Installing Firmware... Устанавливаем прошивку... - - - - - + + + + + Cancel Отмена - + Firmware Install Failed - + Не удалось установить прошивку - + Firmware Install Succeeded - + Прошивка успешно установлена - + Firmware integrity verification failed! Сбой проверки целостности прошивки! - - + + Verification failed for the following files: %1 @@ -8932,684 +9407,752 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Проверка целостности... - - + + Integrity verification succeeded! Проверка целостности прошла успешно! - - + + The operation completed successfully. Операция выполнена успешно. - - + + Integrity verification failed! Проверка целостности не удалась! - + File contents may be corrupt or missing. Файл может быть поврежден или отсутствует. - + Integrity verification couldn't be performed Проверка целостности не может быть выполнена - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Установка прошивки отменена, возможно, прошивка находится в неисправном состоянии или повреждена. Не удалось проверить содержимое файла на достоверность. - + Select Dumped Keys Location Выберите местоположение дампнутых ключей - + Decryption Keys install succeeded Установка ключей дешифровки прошла успешно. - + Decryption Keys install failed Ошибка установки ключей дешифровки - + Orphaned Profiles Detected! - + Обнаружены опустевшие профили! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + ЕСЛИ ВЫ НЕ ПРОЧИТАЕТЕ ЭТО, МОГУТ ПРОИЗОЙТИ НЕОЖИДАННЫЕ НЕПРИЯТНОСТИ!<br>Eden обнаружил следующие каталоги сохранений без прикрепленных профилей:<br>%1<br><br>Следующие профили являются действительными:<br>%2<br><br>Нажмите «ОК», чтобы открыть папку с сохранениями и исправить свои профили.<br>Подсказка: скопируйте содержимое самой большой или последней измененной папки в другое место, удалите все пустые профили и переместите скопированное содержимое в нормальный профиль.<br><br>Все еще не понятно? Посмотрите эту <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>страницу для помощи</a>.<br> - + Really clear data? - + Очистить данные? - + Important data may be lost! - + Важные данные могут быть утеряны! - + Are you REALLY sure? - + Вы ТОЧНО уверены? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + После удаления ваши данные НЕ смогут быть восстановлены! +Делайте это только в том случае, если вы на 100% уверены, что хотите удалить эти данные. - + Clearing... - + Очистка... - + Select Export Location - + Выберите местоположение экспорта + + + + %1.zip + %1.zip + + + + + Zipped Archives (*.zip) + Сжатые Архивы (*.zip) + + + + Exporting data. This may take a while... + Экспортирование данных. Это может занять некоторое время... + + + + Exporting + Экспортирование + + + + Exported Successfully + Успешно экспортировано + + + + Data was exported successfully. + Данные были успешно экспортированы. + + + + Export Cancelled + Экспорт отменен + + + + Export was cancelled by the user. + Экспорт был отменён пользователем. - %1.zip - + Export Failed + Экспорт не удался - - Zipped Archives (*.zip) - - - - - Exporting data. This may take a while... - - - - - Exporting - - - - - Exported Successfully - - - - - Data was exported successfully. - - - - - Export Cancelled - - - - - Export was cancelled by the user. - - - - - Export Failed - - - - Ensure you have write permissions on the targeted directory and try again. - + Убедитесь, что у вас есть права на запись в целевом каталоге, и повторите попытку. - + Select Import Location - + Выберите местоположение импорта - + Import Warning - + Предупреждение об импорте + + + + All previous data in this directory will be deleted. Are you sure you wish to proceed? + Все предыдущие данные в этом каталоге будут удалены. Вы уверены, что хотите продолжить? + + + + Importing data. This may take a while... + Импортирование данных. Это может занять некоторое время... + + + + Importing + Импортирование + + + + Imported Successfully + Успешно импортировано + + + + Data was imported successfully. + Данные были успешно импортированы. + + + + Import Cancelled + Импорт отменен + + + + Import was cancelled by the user. + Импорт был отменён пользователем. - All previous data in this directory will be deleted. Are you sure you wish to proceed? - - - - - Importing data. This may take a while... - - - - - Importing - - - - - Imported Successfully - - - - - Data was imported successfully. - - - - - Import Cancelled - - - - - Import was cancelled by the user. - - - - Import Failed - + Импорт не удался - + Ensure you have read permissions on the targeted directory and try again. - + Убедитесь, что у вас есть права на чтение в целевом каталоге, и повторите попытку. QtCommon::FS - + Linked Save Data - + Сохраненные данные - + Save data has been linked. - + Данные сохранены. + + + + Failed to link save data + Не удалось сохранить данные - Failed to link save data - - - - Could not link directory: %1 To: %2 - + Не удалось установить связь каталог: + %1 +C: + %2 + + + + Already Linked + Уже связано - Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? + Это приложение уже связано с Ryujinx. Хотите отменить связь? - - This title is already linked to Ryujinx. Would you like to unlink it? - + + Failed to unlink old directory + Не удалось отвязать старый каталог - Failed to unlink old directory - - - - - - OS returned error: %1 - - - + OS returned error: %1 + ОС вернула ошибку: %1 + + + Failed to copy save data - + Не удалось скопировать сохраненные данные + + + + Unlink Successful + Успешная отвязка - Unlink Successful - - - - Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Сохраненные данные Ryujinx были успешно отвязаны. Сохраненные данные остались нетронутыми. - + Could not find Ryujinx installation - + Не удалось найти установку Ryujinx - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? - + Не удалось найти действительную установку Ryujinx. Обычно это происходит, если вы используете Ryujinx в портативном режиме. Ryujinx Portable Location - - - - - Not a valid Ryujinx directory - + Местоположение портативного Ryujinx - The specified directory does not contain valid Ryujinx data. - + Not a valid Ryujinx directory + Не действительная Ryujinx директория - - + + The specified directory does not contain valid Ryujinx data. + Указанный каталог не содержит действительных данных Ryujinx. + + + + Could not find Ryujinx save data - + Не удалось найти сохраненные данные Ryujinx QtCommon::Game - + Error Removing Contents Ошибка при удалении содержимого - + Error Removing Update Ошибка при удалении обновления - + Error Removing DLC Ошибка при удалении DLC - - - - - - + + + + + + Successfully Removed Успешно удалено - + Successfully removed the installed base game. - + Успешно удалена установленная база игры. - + The base game is not installed in the NAND and cannot be removed. Базовая Игра не установлена в NAND и не может быть удалена. - + Successfully removed the installed update. - + Успешно удалено установленное обновление. - + There is no update installed for this title. Для этой игры не было установлено обновлений. - + There are no DLCs installed for this title. Для этой игры не было установлено DLCs. - + Successfully removed %1 installed DLC. Успешно удалено %1 установленных DLC. - - + + Error Removing Transferable Shader Cache Ошибка при удалении переносного кэша шейдеров - - + + A shader cache for this title does not exist. Кэш шейдеров для этой игры не существует. - + Successfully removed the transferable shader cache. Переносной кэш шейдеров успешно удалён. - + Failed to remove the transferable shader cache. Не удалось удалить переносной кэш шейдеров. - + Error Removing Vulkan Driver Pipeline Cache Ошибка при удалении конвейерного кэша Vulkan - + Failed to remove the driver pipeline cache. Не удалось удалить конвейерный кэш шейдеров. - - + + Error Removing Transferable Shader Caches Ошибка при удалении переносного кэша шейдеров - + Successfully removed the transferable shader caches. Переносной кэш шейдеров успешно удален. - + Failed to remove the transferable shader cache directory. Ошибка при удалении пути переносного кэша шейдеров. - - + + Error Removing Custom Configuration Ошибка при удалении пользовательской настройки - + A custom configuration for this title does not exist. Пользовательская настройка для этой игры не существует. - + Successfully removed the custom game configuration. Пользовательская настройка игры успешно удалена. - + Failed to remove the custom game configuration. Не удалось удалить пользовательскую настройку игры. - + Reset Metadata Cache Сбросить кэш метаданных - + The metadata cache is already empty. Кэш метаданных уже пустой. - + The operation completed successfully. Операция выполнена успешно. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Кэш метаданных не может быть удален. Возможно, он используется или не существует. - + Create Shortcut Создать ярлык - + Do you want to launch the game in fullscreen? Вы хотите запустить игру в полноэкранном режиме? - + Shortcut Created Ярлык создан - + Successfully created a shortcut to %1 Успешно создан ярлык в %1 - + Shortcut may be Volatile! Ярлык может быть нестабильным! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Это создаст ярлык для текущего AppImage. Он может не работать после обновлений. Продолжить? - + Failed to Create Shortcut Не удалось создать ярлык - + Failed to create a shortcut to %1 Не удалось создать ярлык в %1 - + Create Icon Создать иконку - + Cannot create icon file. Path "%1" does not exist and cannot be created. Невозможно создать файл иконки. Путь "%1" не существует и не может быть создан. - + No firmware available Нет доступной прошивки - + Please install firmware to use the home menu. Пожалуйста, установите прошивку, чтобы использовать главное меню. - + Home Menu Applet Главное меню Applet - + Home Menu is not available. Please reinstall firmware. Главное меню недоступно. Пожалуйста. переустановите прошивку - QtCommon::Path + QtCommon::Mod - - Error Opening Shader Cache - + + Mod Name + Название мода - + + What should this mod be called? + Как следует назвать этот мод? + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/Патч + + + + Cheat + Чит + + + + Mod Type + Тип мода + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + Не удалось автоматически определить тип мода. Пожалуйста, вручную укажите тип загруженного мода. + +Большинство модификаций являются модами типа RomFS, но патчи (.pchtxt) обычно являются типом ExeFS. + + + + + Mod Extract Failed + Не удалось извлечь мод + + + + Failed to create temporary directory %1 + Не удалось создать временную директорию %1 + + + + Zip file %1 is empty + Zip файл %1 пуст + + + + QtCommon::Path + + + Error Opening Shader Cache + Ошибка при открытии кэша шейдера + + + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. - + Не удалось создать или открыть кэш шейдера для этого приложения, убедитесь что у вашего каталога данных приложения есть права на запись. QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - - - - - Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Содержит данные внутриигрового сохранения. НЕ УДАЛЯЙТЕ, ЕСЛИ НЕ ЗНАЕТЕ, ЧТО ДЕЛАЕТЕ! - Contains updates and DLC for games. - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. + Содержит потоковые кэши Vulkan и OpenGL. Как правило безопасно для удаления. - Contains firmware and applet data. - + Contains updates and DLC for games. + Содержит обновления и DLC для игр. - Contains game mods, patches, and cheats. - + Contains firmware and applet data. + Содержит прошивку и данные апплета. - - Decryption Keys were successfully installed - + + Contains game mods, patches, and cheats. + Содержит игровые моды, патчи и читы. - Unable to read key directory, aborting - + Decryption Keys were successfully installed + Ключи шифрования были успешно установлены. + Unable to read key directory, aborting + Невозможно прочитать каталог, прерывание + + + One or more keys failed to copy. - + Не удалось скопировать один или более ключей. - + Verify your keys file has a .keys extension and try again. - + Убедитесь, что файл-ключ имеет расширение .keys, и попробуйте снова. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - - - - - Successfully installed firmware version %1 - + Не удалось инициализировать ключи. Проверьте, актуальны ли ваши инструменты для дампа и передампите ключи. - Unable to locate potential firmware NCA files - + Successfully installed firmware version %1 + Успешно установлена прошивки версии %1 - Failed to delete one or more firmware files. - + Unable to locate potential firmware NCA files + Не удалось найти потенциальные NCA файлы прошивки + Failed to delete one or more firmware files. + Не удалось удалить один или более файлов прошивки. + + + One or more firmware files failed to copy into NAND. - + Не удалось скопировать один или более прошивок в NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - + Установка прошивки отменена, прошивка может быть в плохом состоянии или повреждена. Перезапустите Eden или переустановите прошивку. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + Отсутствует прошивка. Прошивка необходима для запуска определенных игр и использования главного меню. Firmware reported as present, but was unable to be read. Check for decryption keys and redump firmware if necessary. - + Прошивка установлена, но не может быть прочитана. Проверьте ключи шифрования и при необходимости повторно скопируйте прошивку. Eden has detected user data for the following emulators: - + Eden обнаружил пользовательские данные для следующих эмуляторов: Would you like to migrate your data for use in Eden? Select the corresponding button to migrate data from that emulator. This may take a while. - + Хотите перенести свои данные для использования в Eden? +Нажмите соответствующую кнопку, чтобы перенести данные из этого эмулятора. +Это может занять некоторое время. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Очистка кэша шейдера рекомендуется всем пользователям. +Не снимайте галочку, если не знаете, что делаете. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Сохраняет старый каталог данных. Это рекомендуется, если у вас нет +ограничений по свободному пространству и вы хотите сохранить отдельные данные для старого эмулятора. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Удаляет старый каталог данных. +Это рекомендуется на устройствах с ограниченным свободным пространством. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Создает ссылку файловой системы между старым каталогом и каталогом Eden. +Это рекомендуется, если вы хотите обмениваться данными между эмуляторами. + + + + Ryujinx title database does not exist. + База данных приложений Ryujinx отсутствует. + + + + Invalid header on Ryujinx title database. + Недопустимый заголовок в базе данных приложений Ryujinx. - Ryujinx title database does not exist. - + Invalid magic header on Ryujinx title database. + Недопустимый magic заголовок в базе данных приложений Ryujinx. - Invalid header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. + Неверное выравнивание байтов в базе данных приложений Ryujinx. - Invalid magic header on Ryujinx title database. - + No items found in Ryujinx title database. + В базе данных приложений Ryujinx не найдено ни одного элемента. - Invalid byte alignment on Ryujinx title database. - - - - - No items found in Ryujinx title database. - - - - Title %1 not found in Ryujinx title database. - + Приложение %1 не найдено в базе данных приложений Ryujinx. @@ -9648,7 +10191,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Контроллер Pro @@ -9661,7 +10204,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Двойные Joy-Сon'ы @@ -9674,7 +10217,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Левый Joy-Сon @@ -9687,7 +10230,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Правый Joy-Сon @@ -9716,7 +10259,7 @@ This is recommended if you want to share data between emulators. - + Handheld Портативный @@ -9837,32 +10380,32 @@ This is recommended if you want to share data between emulators. Недостаточно контроллеров - + GameCube Controller Контроллер GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Контроллер NES - + SNES Controller Контроллер SNES - + N64 Controller Контроллер N64 - + Sega Genesis Sega Genesis @@ -10017,13 +10560,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK ОК - + Cancel Отмена @@ -10040,30 +10583,32 @@ p, li { white-space: pre-wrap; } Linking save data to Ryujinx lets both Ryujinx and Eden reference the same save files for your games. By selecting "From Eden", previous save data stored in Ryujinx will be deleted, and vice versa for "From Ryujinx". - + Связывание сохраненных данных с Ryujinx позволяет как Ryujinx, так и Eden использовать одни и те же файлы сохранений для ваших игр. + +При выборе «Из Eden» предыдущие сохраненные данные, хранящиеся в Ryujinx, будут удалены, и наоборот для «Из Ryujinx». From Eden - + Из Eden From Ryujinx - + Из Ryujinx Cancel - + Отмена - + Failed to link save data - + Не удалось связать данные - + OS returned error: %1 ОС вернула ошибку: %1 @@ -10081,27 +10626,27 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Set Play Time Data - + Изменить игровое время Hours: - + Часы: Minutes: - + Минуты: Seconds: - + Секунды: - + Total play time reached maximum. - + Общее максимальное игровое время. \ No newline at end of file diff --git a/dist/languages/sv.ts b/dist/languages/sv.ts index 1f3ca58d9c..7e64dd7fff 100644 --- a/dist/languages/sv.ts +++ b/dist/languages/sv.ts @@ -375,146 +375,151 @@ Detta skulle stänga av både deras forumanvändarnamn och deras IP-adress.% - + Amiibo editor Amiibo-redigerare - + Controller configuration Konfiguration av kontroller - + Data erase Dataradering - + Error Fel - + Net connect Nätanslutning - + Player select Välj spelare - + Software keyboard Programvarutangentbord - + Mii Edit Mii-redigering - + Online web Online webb - + Shop Butik - + Photo viewer Bildvisare - + Offline web Offline webb - + Login share Inloggningsdelning - + Wifi web auth Wifi-autentisering via webben - + My page Min sida - + Enable Overlay Applet Aktivera överläggsapplet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + Aktiverar Horizons inbyggda överläggsapplet. Håll hemknappen intryckt i 1 sekund för att visa den. + + + Output Engine: Utmatningsmotor: - + Output Device: Utmatningsenhet: - + Input Device: Inmatningsenhet: - + Mute audio Stäng av ljudet - + Volume: Volym: - + Mute audio when in background Stäng av ljudet när det är i bakgrunden - + Multicore CPU Emulation Emulering av flerkärnig CPU - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Det här alternativet ökar användningen av CPU-emulatortrådar från 1 till maximalt 4. Det här är främst ett felsökningsalternativ och bör inte vara inaktiverat. - + Memory Layout Minneslayout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Ökar mängden RAM som emuleras från 4 GB på kortet till devkit 8/6 GB. + Ökar mängden emulerat RAM-minne. Påverkar inte prestanda/stabilitet men kan göra det möjligt att läsa in HD-texturmods. - + Limit Speed Percent Begränsa hastighet i procent - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +527,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Turbohastighet + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + När snabbtangenten Turbohastighet trycks ned begränsas hastigheten till denna procentandel. + + + + Slow Speed + Låg hastighet + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + När snabbtangenten för låg hastighet trycks ned begränsas hastigheten till denna procentandel. + Synchronize Core Speed @@ -535,60 +560,60 @@ Can help reduce stuttering at lower framerates. Kan bidra till att minska hackande vid lägre bildfrekvenser. - + Accuracy: Noggrannhet: - + Change the accuracy of the emulated CPU (for debugging only). Ändra noggrannheten för den emulerade CPU:n (endast för felsökning). - - + + Backend: Bakände: - + CPU Overclock CPU-överklockning - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Överklockar den emulerade processorn för att ta bort vissa FPS-begränsningar. Svagare processorer kan få minskad prestanda och vissa spel kan bete sig felaktigt. Använd Boost (1700MHz) för att köra med Switchens högsta inbyggda klocka, eller Fast (2000MHz) för att köra med 2x klocka. - + Custom CPU Ticks Anpassade CPU-ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Ange ett anpassat värde för CPU-ticks. Högre värden kan öka prestandan, men kan orsaka deadlocks. Ett intervall på 77-21000 rekommenderas. - + Virtual Table Bouncing Virtuell tabellavvisning - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort Avvisar (genom att emulera ett returvärde på 0) alla funktioner som utlöser ett avbrott i förhämtningen - + Enable Host MMU Emulation (fastmem) Aktivera värd-MMU-emulering (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,100 +622,100 @@ Om den aktiveras sker läsning/skrivning av gästminnet direkt i minnet och anv Om den inaktiveras tvingas all minnesåtkomst att använda programvaru-MMU-emulering. - + Unfuse FMA (improve performance on CPUs without FMA) Unfuse FMA (förbättrar prestanda på CPU:er utan FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Detta alternativ förbättrar hastigheten genom att minska noggrannheten i fused-multiply-add-instruktioner på processorer utan inbyggt FMA-stöd. - + Faster FRSQRTE and FRECPE Snabbare FRSQRTE och FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Detta alternativ förbättrar hastigheten för vissa approximativa flyttalsfunktioner genom att använda mindre exakta inbyggda approximationer. - + Faster ASIMD instructions (32 bits only) Snabbare ASIMD-instruktioner (endast 32 bitar) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Detta alternativ förbättrar hastigheten för 32-bitars ASIMD flyttalsfunktioner genom att köra med felaktiga avrundningslägen. - + Inaccurate NaN handling Felaktig NaN-hantering - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Detta alternativ förbättrar hastigheten genom att ta bort NaN-kontrollen. Observera att detta också minskar noggrannheten för vissa instruktioner för flyttal. - + Disable address space checks Inaktivera kontroller av adressutrymme - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Det här alternativet förbättrar hastigheten genom att eliminera en säkerhetskontroll före varje minnesoperation. Om du inaktiverar det kan det bli möjligt att köra godtycklig kod. - + Ignore global monitor Ignorera global monitor - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Detta alternativ förbättrar hastigheten genom att endast förlita sig på semantiken i cmpxchg för att garantera säkerheten för instruktioner med exklusiv åtkomst. Observera att detta kan leda till deadlocks och andra tävlingsförhållanden. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Ändrar grafik-API:et för utdata. Vulkan rekommenderas. - + Device: Enhet: - + This setting selects the GPU to use (Vulkan only). Denna inställning väljer vilken GPU som ska användas (endast Vulkan). - + Resolution: Status: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -699,27 +724,27 @@ Högre upplösningar kräver mer VRAM och bandbredd. Alternativ lägre än 1X kan orsaka artefakter. - + Window Adapting Filter: Fönsteranpassande filter: - + FSR Sharpness: FSR-skärpa: - + Determines how sharpened the image will look using FSR's dynamic contrast. Bestämmer hur skarp bilden ska se ut med hjälp av FSR:s dynamiska kontrast. - + Anti-Aliasing Method: Metod för kantutjämning: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -728,12 +753,12 @@ SMAA erbjuder den bästa kvaliteten. FXAA kan ge en stabilare bild i lägre upplösningar. - + Fullscreen Mode: Helskärmsläge: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -742,12 +767,12 @@ Borderless ger bäst kompatibilitet med skärmtangentbordet som vissa spel kräv Exklusiv helskärm kan ge bättre prestanda och bättre stöd för Freesync/Gsync. - + Aspect Ratio: Bildförhållande: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -756,24 +781,24 @@ De flesta spel stöder endast 16:9, så modifieringar krävs för att få andra Kontrollerar även bildförhållandet för tagna skärmdumpar. - + Use persistent pipeline cache Använd permanent pipeline-cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Gör det möjligt att spara shaders i lagringsutrymmet för snabbare laddning vid nästa spelstart. Att inaktivera detta är endast avsett för felsökning. - + Optimize SPIRV output Optimera SPIRV-utdata - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -784,12 +809,12 @@ Kan förbättra prestandan något. Denna funktion är experimentell. - + NVDEC emulation: NVDEC-emulering: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -798,12 +823,12 @@ Den kan antingen använda CPU eller GPU för avkodning, eller inte utföra någo I de flesta fall ger GPU-avkodning bäst prestanda. - + ASTC Decoding Method: ASTC-avkodningsmetod: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -816,12 +841,12 @@ CPU asynkront: Använd CPU:n för att avkoda ASTC-texturer vid behov. Eliminerar men kan ge artefakter. - + ASTC Recompression Method: ASTC-återkomprimeringsmetod: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -830,34 +855,44 @@ BC1/BC3: Det mellanliggande formatet kommer att komprimeras om till BC1- eller B vilket sparar VRAM men försämrar bildkvaliteten. - + + Frame Pacing Mode (Vulkan only) + Frame Pacing Mode (endast Vulkan) + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + Styr hur emulatorn hanterar bildhastigheten för att minska hackighet och göra bildfrekvensen jämnare och mer konsekvent. + + + VRAM Usage Mode: VRAM-användningsläge: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Väljer om emulatorn ska prioritera att spara minne eller utnyttja tillgängligt videominne maximalt för prestanda. Aggressivt läge kan påverka prestandan hos andra program, till exempel inspelningsprogram. - + Skip CPU Inner Invalidation Hoppa över CPU:ns interna ogiltigförklaring - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Hoppar över vissa cache-ogiltigförklaringar under minnesuppdateringar, vilket minskar CPU-användningen och förbättrar latensen. Detta kan orsaka mjuka krascher. - + VSync Mode: VSync-läge: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -868,12 +903,12 @@ Mailbox kan ha lägre latens än FIFO och uppvisar inte tearing, men kan tappa b Immediate (ingen synkronisering) visar allt som är tillgängligt och kan uppvisa tearing. - + Sync Memory Operations Synkronisera minnesoperationer - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -884,32 +919,32 @@ Det här alternativet åtgärdar problem i spel, men kan försämra prestandan. Unreal Engine 4-spel upplever ofta de mest betydande förändringarna av detta. - + Enable asynchronous presentation (Vulkan only) Aktivera asynkron presentation (endast Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Förbättrar prestandan något genom att flytta presentationen till en separat CPU-tråd. - + Force maximum clocks (Vulkan only) Tvinga fram maximal klockfrekvens (endast Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Körs i bakgrunden i väntan på grafikkommandon för att förhindra att GPU:n sänker sin klockhastighet. - + Anisotropic Filtering: Anisotropisk filtrering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Kontrollerar kvaliteten på texturrendering vid sneda vinklar. @@ -917,12 +952,12 @@ Safe to set at 16x on most GPUs. Säker att ställa in på 16x på de flesta GPU:er. - + GPU Mode: GPU-läge: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. @@ -931,44 +966,56 @@ De flesta spel renderas bra med lägena Snabb eller Balanserad, men för vissa k Partiklar tenderar att endast renderas korrekt med läget Noggrann. - + DMA Accuracy: DMA-noggrannhet: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Kontrollerar DMA-precisionens noggrannhet. Säker precision åtgärdar problem i vissa spel men kan försämra prestandan. - + Enable asynchronous shader compilation Aktivera asynkron shaderkompilering - + May reduce shader stutter. Kan minska shader-hackighet. - + Fast GPU Time Snabb GPU-tid - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Överklockar den emulerade GPU:n för att öka den dynamiska upplösningen och renderingsavståndet. Använd 256 för maximal prestanda och 512 för maximal grafisk trohet. - + + GPU Unswizzle + GPU Unswizzle + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + Accelererar avkodning av BCn 3D-texturer med hjälp av GPU-beräkningar. +Inaktivera om du upplever krascher eller grafiska fel. + + + GPU Unswizzle Max Texture Size Maximal texturstorlek för GPU Unswizzle - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. @@ -977,48 +1024,48 @@ GPU är snabbare för medelstora och stora texturer, men CPU kan vara effektivar Justera detta för att hitta balansen mellan GPU-acceleration och CPU-överbelastning. - + GPU Unswizzle Stream Size Strömstorlek för GPU Unswizzle - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. Ställer in den maximala mängden texturdata (i MiB) som bearbetas per bildruta. Högre värden kan minska hackighet under texturinläsning men kan påverka bildrutans konsistens. - + GPU Unswizzle Chunk Size Chunk-storlek för GPU Unswizzle - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. Bestämmer antalet djupskivor som bearbetas i en enda sändning. Att öka detta kan förbättra genomströmningen på avancerade GPU:er, men kan orsaka TDR eller drivrutinstidsgränser på svagare hårdvara. - + Use Vulkan pipeline cache Använda Vulkan pipeline-cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Aktiverar GPU-leverantörsspecifik pipeline-cache. Det här alternativet kan förbättra laddningstiden för shaders avsevärt i fall där Vulkan-drivrutinen inte lagrar pipeline-cache-filer internt. - + Enable Compute Pipelines (Intel Vulkan Only) Aktivera compute pipelines (endast Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1027,184 +1074,208 @@ Denna inställning finns endast för Intels egna drivrutiner och kan orsaka kras Beräkningspipelines är alltid aktiverade på alla andra drivrutiner. - + Enable Reactive Flushing Aktivera Reactive Flushing - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Använder reaktiv rensning i stället för prediktiv rensning, vilket ger mer exakt minnessynkning. - + Sync to framerate of video playback Synkronisera med bildfrekvensen för videouppspelning - + Run the game at normal speed during video playback, even when the framerate is unlocked. Kör spelet i normal hastighet under videouppspelning, även när bildfrekvensen är upplåst. - + Barrier feedback loops Återkopplingsloopar för barriärer - + Improves rendering of transparency effects in specific games. Förbättrar renderingen av transparenseffekter i vissa spel. - + + Enable buffer history + Aktivera bufferthistorik + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + Aktiverar åtkomst till tidigare bufferttillstånd. +Det här alternativet kan förbättra renderingskvaliteten och prestandakonsistensen i vissa spel. + + + Fix bloom effects Korrigera bloom-effekter - + Removes bloom in Burnout. Tar bort bloom i Burnout. - + + Enable Legacy Rescale Pass + Aktivera äldre omskalningspass + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + Kan åtgärda skalningsproblem i vissa spel genom att förlita sig på beteendet från den tidigare implementeringen. +Äldre beteende som åtgärdar linjeartefakter på AMD- och Intel-GPU:er och grå texturflimmer på Nvidia-GPU:er i Luigis Mansion 3. + + + Extended Dynamic State Utökad dynamisk status - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Kontrollerar antalet funktioner som kan användas i utökat dynamiskt tillstånd. Högre tillstånd möjliggör fler funktioner och kan öka prestandan, men kan orsaka ytterligare grafiska problem. - + Vertex Input Dynamic State Dynamiskt tillstånd för vertexinmatning - + Enables vertex input dynamic state feature for better quality and performance. Aktiverar funktionen för dynamiskt tillstånd för vertexinmatning för bättre kvalitet och prestanda. - + Provoking Vertex Provocerande toppunkt - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Förbättrar belysning och vertexhantering i vissa spel. Endast enheter med Vulkan 1.0+ stöder denna tilläggsfunktion. - + Descriptor Indexing Indexering av deskriptorer - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Förbättrar textur- och bufferthantering samt Maxwell-översättningslagret. Vissa Vulkan 1.1+ och alla 1.2+ enheter stöder detta tillägg. - + Sample Shading Provskuggning - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Tillåter fragment-shadern att exekveras per prov i ett multisamplade fragment istället för en gång per fragment. Förbättrar grafikens kvalitet på bekostnad av prestanda. Högre värden förbättrar kvaliteten men försämrar prestandan. - + RNG Seed RNG-frö - + Controls the seed of the random number generator. Mainly used for speedrunning. Att kontrollera fröet till slumptalsgeneratorn. Används främst för speedrunning. - + Device Name Enhetsnamn - + The name of the console. Konsolens namn. - + Custom RTC Date: Anpassat RTC-datum: - + This option allows to change the clock of the console. Can be used to manipulate time in games. Med det här alternativet kan du ändra klockan på konsolen. Kan användas för att manipulera tiden i spel. - + The number of seconds from the current unix time Antalet sekunder från aktuell Unix-tid - + Language: Språk: - + This option can be overridden when region setting is auto-select Det här alternativet kan åsidosättas när regioninställningen är automatiskt vald. - + Region: Region: - + The region of the console. Konsolens region. - + Time Zone: Tidszon: - + The time zone of the console. Konsolens tidszon. - + Sound Output Mode: Ljudutmatningsläge: - + Console Mode: Konsolläge: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1213,998 +1284,1049 @@ Spel ändrar upplösning, detaljer och stödda kontroller beroende på denna ins Inställningen Handhållen kan förbättra prestandan för enklare system. - + + Unit Serial + Enhetens serienr + + + + Battery Serial + Batteriets serienr + + + + Debug knobs + Felsökningsknappar + + + Prompt for user profile on boot Fråga efter användarprofil vid uppstart - + Useful if multiple people use the same PC. Användbart om flera personer använder samma dator. - + Pause when not in focus Pausa när inte i fokus - + Pauses emulation when focusing on other windows. Pausar emulering när fokus är på andra fönster. - + Confirm before stopping emulation Bekräfta innan emuleringen stoppas - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Åsidosätter frågor om att bekräfta att emuleringen ska avslutas. Om du aktiverar den hoppar du över sådana uppmaningar och avslutar emuleringen direkt. - + Hide mouse on inactivity Dölj musen vid inaktivitet - + Hides the mouse after 2.5s of inactivity. Döljer musen efter 2,5 sekunders inaktivitet. - + Disable controller applet Inaktivera kontroller-appleten - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Inaktiverar med tvång användningen av kontrollerappletten i emulerade program. När ett program försöker öppna kontrollerappletten stängs den omedelbart. - + Check for updates Leta efter uppdateringar - + Whether or not to check for updates upon startup. Om uppdateringar ska sökas vid start eller inte. - + Enable Gamemode Aktivera Gamemode - + Force X11 as Graphics Backend Tvinga X11 som grafikbackend - + Custom frontend Anpassad frontend - + Real applet Verklig applet - + Never Aldrig - + On Load Vid inläsning - + Always Alltid - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU asynkron - + Uncompressed (Best quality) Okomprimerad (bästa kvalitet) - + BC1 (Low quality) BC1 (låg kvalitet) - + BC3 (Medium quality) BC3 (medelhög kvalitet) - - Conservative - Konservativ - - - - Aggressive - Aggressiv - - - - Vulkan - Vulkan - - - - OpenGL GLSL - OpenGL GLSL - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - OpenGL GLASM (Assembly Shaders, endast NVIDIA) - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - OpenGL SPIR-V (Experimentell, endast AMD/Mesa) - - - - Null - Null - - - - Fast - Snabb - - - - Balanced - Balanserad - - - - - Accurate - Exakt - - - - - Default - Standard - - - - Unsafe (fast) - Osäker (snabb) - - - - Safe (stable) - Säker (stabil) - - - + + Auto Auto - + + 30 FPS + 30 bilder/s + + + + 60 FPS + 60 bilder/s + + + + 90 FPS + 90 bilder/s + + + + 120 FPS + 120 bilder/s + + + + Conservative + Konservativ + + + + Aggressive + Aggressiv + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (Assembly Shaders, endast NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (Experimentell, endast AMD/Mesa) + + + + Null + Null + + + + Fast + Snabb + + + + Balanced + Balanserad + + + + + Accurate + Exakt + + + + + Default + Standard + + + + Unsafe (fast) + Osäker (snabb) + + + + Safe (stable) + Säker (stabil) + + + Unsafe Inte säker - + Paranoid (disables most optimizations) Paranoid (inaktiverar de flesta optimeringar) - + Debugging Felsökning - + Dynarmic Dynarmisk - + NCE NCE - + Borderless Windowed Ramlöst fönsterläge - + Exclusive Fullscreen Exklusiv helskärm - + No Video Output Ingen videoutgång - + CPU Video Decoding CPU-videoavkodning - + GPU Video Decoding (Default) GPU videoavkodning (standard) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [EXPERIMENTELL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [EXPERIMENTELL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [EXPERIMENTELL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [EXPERIMENTELL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [EXPERIMENTELL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Närmsta granne - + Bilinear Bilinjär - + Bicubic Bikubisk - + Gaussian Gaussisk - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Område - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Ingen - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Standard (16:9) - + Force 4:3 Tvinga 4:3 - + Force 21:9 Tvinga 21:9 - + Force 16:10 Tvinga 16:10 - + Stretch to Window Sträck ut till fönster - + Automatic Automatiskt - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Japanska (日本語) - + American English Amerikansk engelska - + French (français) Franska (français) - + German (Deutsch) Tyska (Deutsch) - + Italian (italiano) Italienska (italiano) - + Spanish (español) Spanska (español) - + Chinese Kinesiska - + Korean (한국어) Koreanska (한국어) - + Dutch (Nederlands) Nederländska (Nederlands) - + Portuguese (português) Portugisiska (português) - + Russian (Русский) Ryska (Русский) - + Taiwanese Taiwanesiska - + British English Brittisk engelska - + Canadian French Kanadensisk franska - + Latin American Spanish Latinamerikansk spanska - + Simplified Chinese Förenklad kinesiska - + Traditional Chinese (正體中文) Traditionell kinesiska (正體中文) - + Brazilian Portuguese (português do Brasil) Brasiliansk portugisiska (português do Brasil) - - Serbian (српски) - Serbiska (српски) + + Polish (polska) + Polska (polska) - - + + Thai (แบบไทย) + Thai (แบบไทย) + + + + Japan Japan - + USA USA - + Europe Europa - + Australia Australien - + China Kina - + Korea Korea - + Taiwan Taiwan - + Auto (%1) Auto select time zone Auto (%1) - + Default (%1) Default time zone Standard (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Kuba - + EET EET - + Egypt Egypten - + Eire Irland - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Irland - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hongkong - + HST HST - + Iceland Island - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libyen - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Polen - + Portugal Portugal - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Turkiet - + UCT UCT - + Universal Universal - + UTC UTC - + W-SU W-SU - + WET VÅT - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4 GB DRAM (standard) - + 6GB DRAM (Unsafe) 6 GB DRAM (osäker) - + 8GB DRAM 8 GB DRAM - + 10GB DRAM (Unsafe) 10 GB DRAM (osäker) - + 12GB DRAM (Unsafe) 12 GB DRAM (osäker) - + Docked Dockad - + Handheld Handhållen - - + + Off Av - + Boost (1700MHz) Boost (1700MHz) - + Fast (2000MHz) Snabb (2000 MHz) - + Always ask (Default) Fråga alltid (standard) - + Only if game specifies not to stop Endast om spelet anger att det inte ska stoppas - + Never ask Fråga aldrig - - + + Medium (256) Medium (256) - - + + High (512) Hög (512) - + Very Small (16 MB) Mycket liten (16 MB) - + Small (32 MB) Liten (32 MB) - + Normal (128 MB) Normal (128 MB) - + Large (256 MB) Stor (256 MB) - + Very Large (512 MB) Mycket stor (512 MB) - + Very Low (4 MB) Mycket låg (4 MB) - + Low (8 MB) Låg (8 MB) - + Normal (16 MB) Normal (16 MB) - + Medium (32 MB) Medium (32 MB) - + High (64 MB) Hög (64 MB) - + Very Low (32) Mycket låg (32) - + Low (64) Låg (64) - + Normal (128) Normal (128) - + Disabled Inaktiverad - + ExtendedDynamicState 1 ExtendedDynamicState 1 - + ExtendedDynamicState 2 ExtendedDynamicState 2 - + ExtendedDynamicState 3 ExtendedDynamicState 3 + + + Tree View + Trädvy + + + + Grid View + Rutnätsvy + ConfigureApplets @@ -2276,7 +2398,7 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart.Återställ till standard - + Auto Auto @@ -2727,81 +2849,86 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart. + Use dev.keys + Använd dev.keys + + + Enable Debug Asserts Aktivera Debug Asserts - + Debugging Felsökning - + Battery Serial: Batteriets serienummer: - + Bitmask for quick development toggles Bitmask för snabba utvecklingsväxlingar - + Set debug knobs (bitmask) Ställ in felsökningsknoppar (bitmask) - + 16-bit debug knob set for quick development toggles Ställ in 16-bitars felsökningsknoppar för snabba utvecklingsväxlingar - + (bitmask) (bitmask) - + Debug Knobs: Felsökningsknoppar: - + Unit Serial: Enhetens serienummer: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Aktivera detta för att skicka ut den senaste genererade ljudkommandolistan till konsolen. Påverkar endast spel som använder ljudrenderaren. - + Dump Audio Commands To Console** Dumpa ljudkommandon till konsolen** - + Flush log output on each line Spola loggutmatningen på varje rad - + Enable FS Access Log Aktivera FS Access Log - + Enable Verbose Reporting Services** Aktivera Verbose Reporting Services** - + Censor username in logs Censurera användarnamn i loggar - + **This will be reset automatically when Eden closes. **Detta återställs automatiskt när Eden stänger. @@ -2862,13 +2989,13 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart. - + Audio Ljud - + CPU CPU @@ -2884,13 +3011,13 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart. - + General Allmänt - + Graphics Grafik @@ -2911,7 +3038,7 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart. - + Controls Kontroller @@ -2927,7 +3054,7 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart. - + System System @@ -3045,58 +3172,58 @@ När ett program försöker öppna kontrollerappletten stängs den omedelbart.Återställ cachen för metadata - + Select Emulated NAND Directory... Välj katalog för emulerad NAND... - + Select Emulated SD Directory... Välj katalog för emulerad SD... - - + + Select Save Data Directory... Välj katalog för sparat data... - + Select Gamecard Path... Välj sökväg för Gamecard... - + Select Dump Directory... Välj dumpkatalog... - + Select Mod Load Directory... Välj katalog för modinläsningar... - + Save Data Directory Katalog för sparat data - + Choose an action for the save data directory: Välj en åtgärd för katalogen för sparat data: - + Set Custom Path Ställ in anpassad sökväg - + Reset to NAND Återställ till NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3113,7 +3240,7 @@ Vill du migrera sparade data från den gamla platsen? VARNING: Detta kommer att skriva över alla sparade data som finns på den nya platsen! - + Would you like to migrate your save data to the new location? From: %1 @@ -3124,28 +3251,28 @@ Från: %1 Till: %2 - + Migrate Save Data Migrera sparat data - + Migrating save data... Migrerar sparat data... - + Cancel Avbryt - + Migration Failed Migrering misslyckades - + Failed to create destination directory. Misslyckades med att skapa målkatalog. @@ -3157,12 +3284,12 @@ Till: %2 %1 - + Migration Complete Migreringen är färdig - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3185,20 +3312,55 @@ Vill du ta bort gammalt sparat data? Allmänt - + + External Content + Externt innehåll + + + + Add directories to scan for DLCs and Updates without installing to NAND + Lägg till kataloger för att söka efter DLC och uppdateringar utan att installera dem på NAND + + + + Add Directory + Lägg till katalog + + + + Remove Selected + Ta bort markerade + + + Reset All Settings Återställ alla inställningar - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Detta återställer alla inställningar och tar bort alla konfigurationer per spel. Detta raderar inte spelkataloger, profiler eller inmatningsprofiler. Fortsätta? + + + Select External Content Directory... + Välj katalog för externt innehåll... + + + + Directory Already Added + Katalogen redan tillagd + + + + This directory is already in the list. + Denna katalog finns redan i listan. + ConfigureGraphics @@ -3228,33 +3390,33 @@ Vill du ta bort gammalt sparat data? Bakgrundsfärg: - + % FSR sharpening percentage (e.g. 50%) % - + Off Av - + VSync Off VSync Av - + Recommended Rekommenderad - + On - + VSync On VSync På @@ -3305,13 +3467,13 @@ Vill du ta bort gammalt sparat data? Vulkan-utökningar - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Extended Dynamic State är inaktiverat på macOS på grund av kompatibilitetsproblem med MoltenVK som orsakar svarta skärmar. @@ -3883,7 +4045,7 @@ Vill du ta bort gammalt sparat data? - + Left Stick Vänster styrspak @@ -3993,14 +4155,14 @@ Vill du ta bort gammalt sparat data? - + ZL ZL - + L L @@ -4013,22 +4175,22 @@ Vill du ta bort gammalt sparat data? - + Plus Plus - + ZR ZR - - + + R R @@ -4085,7 +4247,7 @@ Vill du ta bort gammalt sparat data? - + Right Stick Högerspak @@ -4254,88 +4416,88 @@ Om du vill invertera axlarna för du joysticken först vertikalt och sedan horis Sega Genesis - + Start / Pause Starta / Pausa - + Z Z - + Control Stick Kontrollspak - + C-Stick C-spak - + Shake! Skaka! - + [waiting] [väntar] - + New Profile Ny profil - + Enter a profile name: Ange ett profilnamn: - - + + Create Input Profile Skapa inmatningsprofil - + The given profile name is not valid! Det angivna profilnamnet är inte giltigt! - + Failed to create the input profile "%1" Misslyckades med att skapa inmatningsprofilen "%1" - + Delete Input Profile Radera inmatningsprofil - + Failed to delete the input profile "%1" Misslyckades med att ta bort inmatningsprofilen "%1" - + Load Input Profile Läs in inmatningsprofil - + Failed to load the input profile "%1" Misslyckades med att läsa in inmatningsprofilen "%1" - + Save Input Profile Spara inmatningsprofil - + Failed to save the input profile "%1" Misslyckades med att spara inmatningsprofilen "%1" @@ -4630,11 +4792,6 @@ Nuvarande värden är %1% respektive %2%. Enable Airplane Mode Aktivera flygplansläge - - - None - Ingen - ConfigurePerGame @@ -4689,52 +4846,57 @@ Nuvarande värden är %1% respektive %2%. Vissa inställningar är endast tillgängliga när ett spel inte är igång. - + Add-Ons Tillägg - + System System - + CPU CPU - + Graphics Grafik - + Adv. Graphics Avancerad grafik - + Ext. Graphics Ext. grafik - + Audio Ljud - + Input Profiles Inmatningsprofiler - + Network Nätverk + Applets + Appletar + + + Properties Egenskaper @@ -4752,15 +4914,115 @@ Nuvarande värden är %1% respektive %2%. Tillägg - + + Import Mod from ZIP + Importera mod från ZIP + + + + Import Mod from Folder + Importera mod från mapp + + + Patch Name Patchnamn - + Version Version + + + Mod Install Succeeded + Mod installerad + + + + Successfully installed all mods. + Alla mods installerade. + + + + Mod Install Failed + Installation av mod misslyckades + + + + Failed to install the following mods: + %1 +Check the log for details. + Misslyckades med att installera följande mods: + %1 +Kontrollera loggen för information. + + + + Mod Folder + Mapp för mod + + + + Zipped Mod Location + Plats för zippad mod + + + + Zipped Archives (*.zip) + Zip-arkiv (*.zip) + + + + Invalid Selection + Ogiltigt val + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + Endast mods, fusk och patchar kan tas bort. +För att ta bort NAND-installerade uppdateringar, högerklicka på spelet i spellistan och klicka på Ta bort -> Ta bort installerad uppdatering. + + + + You are about to delete the following installed mods: + + Du är på väg att ta bort följande installerade mods: + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + +När de har tagits bort kan de INTE återställas. Är du 100% säker på att du vill ta bort dem? + + + + Delete add-on(s)? + Ta bort tillägg? + + + + Successfully deleted + Borttagning lyckades + + + + Successfully deleted all selected mods. + Alla valda mods har tagits bort. + + + + &Delete + &Ta bort + + + + &Open in File Manager + Ö&ppna i filhanterare + ConfigureProfileManager @@ -4808,62 +5070,62 @@ Nuvarande värden är %1% respektive %2%. %2 - + Users Användare - + Error deleting image Fel vid borttagning av bild - + Error occurred attempting to overwrite previous image at: %1. Fel uppstod vid försök att skriva över föregående bild vid: %1. - + Error deleting file Fel vid borttagning av fil - + Unable to delete existing file: %1. Det går inte att ta bort en befintlig fil: %1. - + Error creating user image directory Fel vid skapande av katalog för användarbilder - + Unable to create directory %1 for storing user images. Det går inte att skapa katalog %1 f eller lagra användarbilder. - + Error saving user image Fel vid sparande av användarbild - + Unable to save image to file Kunde inte spara bild till fil - + &Edit R&edigera - + &Delete &Ta bort - + Edit User Redigera användare @@ -4871,17 +5133,17 @@ Nuvarande värden är %1% respektive %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Ta bort den här användaren? Alla användarens sparade data kommer att raderas. - + Confirm Delete Bekräfta borttagning - + Name: %1 UUID: %2 Namn: %1 @@ -5083,17 +5345,22 @@ UUID: %2 Pausa exekvering under inläsningar - + + Show recording dialog + Visa inspelningsdialog + + + Script Directory Skriptkatalog - + Path Sökväg - + ... ... @@ -5106,7 +5373,7 @@ UUID: %2 TAS-konfiguration - + Select TAS Load Directory... Välj katalog för TAS-inläsningar... @@ -5244,64 +5511,43 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f ConfigureUI - - - + + None Ingen - - Small (32x32) - Liten (32x32) - - - - Standard (64x64) - Standard (64x64) - - - - Large (128x128) - Stor (128x128) - - - - Full Size (256x256) - Full storlek (256x256) - - - + Small (24x24) Liten (24x24) - + Standard (48x48) Standard (48x48) - + Large (72x72) Stor (72x72) - + Filename Filnamn - + Filetype Filtyp - + Title ID Titelns ID - + Title Name Titelnamn @@ -5370,71 +5616,66 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f - Game Icon Size: - Storlek på spelikonen: - - - Folder Icon Size: Ikonstorlek för mapp: - + Row 1 Text: Rad 1-text: - + Row 2 Text: Rad 2-text: - + Screenshots Skärmbilder - + Ask Where To Save Screenshots (Windows Only) Fråga var du vill spara skärmdumpar (endast Windows) - + Screenshots Path: Sökväg för skärmdumpar: - + ... ... - + TextLabel TextLabel - + Resolution: Status: - + Select Screenshots Path... Välj sökväg för skärmdumpar... - + <System> <System> - + English Engelska - + Auto (%1 x %2, %3 x %4) Screenshot width value Auto (%1 x %2, %3 x %4) @@ -5568,20 +5809,20 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f Visa aktuellt spel i din Discord-status - - + + All Good Tooltip Allt är bra - + Must be between 4-20 characters Tooltip Måste bestå av mellan 4 och 20 tecken - + Must be 48 characters, and lowercase a-z Tooltip Måste bestå av 48 tecken och små bokstäver a-z @@ -5613,27 +5854,27 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f Borttagning av VALFRITT data går INTE ATT ÅNGRA! - + Shaders Shaders - + UserNAND UserNAND - + SysNAND SysNAND - + Mods Moddar - + Saves Sparningar @@ -5671,7 +5912,7 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f Importera data för denna katalog. Detta kan ta en stund och kommer att ta bort ALLT BEFINTLIGT DATA! - + Calculating... Beräknar... @@ -5694,12 +5935,12 @@ Dra punkterna för att ändra position, eller dubbelklicka på tabellcellerna f <html><head/><body><p>Projekten som gör Eden möjligt</p></body></html> - + Dependency Beroende - + Version Version @@ -5875,44 +6116,44 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. GRenderWindow - - + + OpenGL not available! OpenGL är inte tillgängligt! - + OpenGL shared contexts are not supported. Delade OpenGL-kontexter stöds inte. - + Eden has not been compiled with OpenGL support. Eden har inte kompilerats med OpenGL-stöd. - - + + Error while initializing OpenGL! Fel vid initiering av OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Din GPU kanske inte stöder OpenGL, eller så har du inte den senaste grafikdrivrutinen. - + Error while initializing OpenGL 4.6! Fel vid initiering av OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Din GPU kanske inte stöder OpenGL 4.6, eller så har du inte den senaste grafikdrivrutinen.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Din GPU kanske inte stöder ett eller flera av de nödvändiga OpenGL-tilläggen. Se till att du har den senaste grafikdrivrutinen.<br><br>GL Renderer:<br>%1<br><br>Tillägg som inte stöds:<br>%2 @@ -5920,203 +6161,208 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. GameList - + + &Add New Game Directory + &Lägg till ny spelkatalog + + + Favorite Favorit - + Start Game Starta spel - + Start Game without Custom Configuration Starta spelet utan anpassad konfiguration - + Open Save Data Location Öppna plats för sparat data - + Open Mod Data Location Öppna plats för moddata - + Open Transferable Pipeline Cache Öppna cache för överförbar pipeline - + Link to Ryujinx Länka till Ryujinx - + Remove Ta bort - + Remove Installed Update Ta bort installerad uppdatering - + Remove All Installed DLC Ta bort alla installerade DLC - + Remove Custom Configuration Ta bort anpassad konfiguration - + Remove Cache Storage Ta bort cache-lagring - + Remove OpenGL Pipeline Cache Ta bort OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache Ta bort Vulkan Pipeline Cache - + Remove All Pipeline Caches Ta bort alla pipeline-cacher - + Remove All Installed Contents Ta bort allt installerat innehåll - + Manage Play Time Hantera speltid - + Edit Play Time Data Redigera data för speltid - + Remove Play Time Data Ta bort data om speltid - - + + Dump RomFS Dumpa RomFS - + Dump RomFS to SDMC Dumpa RomFS till SDMC - + Verify Integrity Verifiera integritet - + Copy Title ID to Clipboard Kopiera titel-id till urklipp - + Navigate to GameDB entry Navigera till GameDB-post - + Create Shortcut Skapa genväg - + Add to Desktop Lägg till på skrivbordet - + Add to Applications Menu Lägg till i programmenyn - + Configure Game Konfigurera spelet - + Scan Subfolders Sök igenom undermappar - + Remove Game Directory Ta bort spelkatalog - + ▲ Move Up ▲ Flytta upp - + ▼ Move Down ▼ Flytta ner - + Open Directory Location Öppna katalogplats - + Clear Rensa - + Name Namn - + Compatibility Kompatibilitet - + Add-ons Tillägg - + File type Filtyp - + Size Storlek - + Play time Speltid @@ -6124,62 +6370,62 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. GameListItemCompat - + Ingame Spelproblem - + Game starts, but crashes or major glitches prevent it from being completed. Spelet startar men kraschar eller större fel gör att det inte kan slutföras. - + Perfect Perfekt - + Game can be played without issues. Spelet kan spelas utan problem. - + Playable Spelbart - + Game functions with minor graphical or audio glitches and is playable from start to finish. Spelet fungerar med små grafiska eller ljudmässiga fel och är spelbart från början till slut. - + Intro/Menu Intro/Meny - + Game loads, but is unable to progress past the Start Screen. Spelet läses in men det går inte att komma förbi startskärmen. - + Won't Boot Startar inte - + The game crashes when attempting to startup. Spelet kraschar när det försöker starta. - + Not Tested Inte testat - + The game has not yet been tested. Spelet har ännu inte testats. @@ -6187,7 +6433,7 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. GameListPlaceholder - + Double-click to add a new folder to the game list Dubbelklicka för att lägga till en ny mapp i spellistan @@ -6195,17 +6441,17 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. GameListSearchField - + %1 of %n result(s) %1 av %n resultat%1 av %n resultat - + Filter: Filtrera: - + Enter pattern to filter Ange mönster för att filtrera @@ -6281,12 +6527,12 @@ Gå till Konfigurera -> System -> Nätverk och gör ett val. HostRoomWindow - + Error Fel - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Det gick inte att annonsera rummet i den offentliga lobbyn. För att kunna vara värd för ett offentligt rum måste du ha ett giltigt Eden-konto konfigurerat i Emulering -> Konfigurera -> Webb. Om du inte vill publicera ett rum i den offentliga lobbyn väljer du istället Olistade. @@ -6296,19 +6542,11 @@ Felsökningsmeddelande: Hotkeys - + Audio Mute/Unmute Ljud avstängt/aktiverat - - - - - - - - @@ -6331,154 +6569,180 @@ Felsökningsmeddelande: + + + + + + + + + + + Main Window Huvudfönster - + Audio Volume Down Ljudvolym ned - + Audio Volume Up Ljudvolym upp - + Capture Screenshot Ta skärmbild - + Change Adapting Filter Ändra anpassningsfilter - + Change Docked Mode Ändra dockningsläge - + Change GPU Mode Ändra GPU-läge - + Configure Konfigurera - + Configure Current Game Konfigurera aktuellt spel - + Continue/Pause Emulation Fortsätt/Pausa emulering - + Exit Fullscreen Avsluta helskärm - + Exit Eden Avsluta Eden - + Fullscreen Helskärm - + Load File Läs in fil - + Load/Remove Amiibo Läs in/ta bort Amiibo - - Multiplayer Browse Public Game Lobby - Bläddra i offentlig spellobby för flera spelare + + Browse Public Game Lobby + Bläddra i den publika spellobbyn - - Multiplayer Create Room - Skapa rum för flera spelare + + Create Room + Skapa rum - - Multiplayer Direct Connect to Room - Direktanslutning till rum för flera spelare + + Direct Connect to Room + Direktanslutning till rum - - Multiplayer Leave Room - Lämna rum för flera spelare + + Leave Room + Lämna rum - - Multiplayer Show Current Room - Visa aktuellt rum för flera spelare + + Show Current Room + Visa aktuellt rum - + Restart Emulation Starta om emuleringen - + Stop Emulation Stoppa emulering - + TAS Record TAS-post - + TAS Reset TAS-återställning - + TAS Start/Stop TAS starta/stoppa - + Toggle Filter Bar Växla filterfält - + Toggle Framerate Limit Växla gräns för bildfrekvens - + + Toggle Turbo Speed + Växla turbohastighet + + + + Toggle Slow Speed + Växla låg hastighet + + + Toggle Mouse Panning Växla muspanorering - + Toggle Renderdoc Capture Växla till Renderdoc Capture - + Toggle Status Bar Växla statusfält + + + Toggle Performance Overlay + Växla prestandaöverlägg + InstallDialog @@ -6531,22 +6795,22 @@ Felsökningsmeddelande: Beräknad tid 5m 4s - + Loading... Läser in... - + Loading Shaders %1 / %2 Läser in shaders %1 / %2 - + Launching... Startar... - + Estimated Time %1 Beräknad tid %1 @@ -6595,42 +6859,42 @@ Felsökningsmeddelande: Uppdatera lobbyn - + Password Required to Join Lösenord krävs för att gå med - + Password: Lösenord: - + Players Spelare - + Room Name Rumsnamn - + Preferred Game Föredraget spel - + Host Värd - + Refreshing Uppdaterar - + Refresh List Uppdatera lista @@ -6679,714 +6943,776 @@ Felsökningsmeddelande: + &Game List Mode + Läge för s&pellista + + + + Game &Icon Size + Storlek för spel&ikon + + + Reset Window Size to &720p Återställ fönsterstorlek till &720p - + Reset Window Size to 720p Återställ fönsterstorlek till 720p - + Reset Window Size to &900p Återställ fönsterstorlek till &900p - + Reset Window Size to 900p Återställ fönsterstorleken till 900p - + Reset Window Size to &1080p Återställ fönsterstorlek till &1080p - + Reset Window Size to 1080p Återställ fönsterstorleken till 1080p - + &Multiplayer &Flera spelare - + &Tools Ver&ktyg - + Am&iibo Am&iibo - + Launch &Applet Starta &applet - + &TAS &TAS - + &Create Home Menu Shortcut S&kapa genväg till startmenyn - + Install &Firmware Installera &firmware - + &Help &Hjälp - + &Install Files to NAND... &Installera filer till NAND... - + L&oad File... Läs &in fil... - + Load &Folder... Läs in &mapp... - + E&xit A&vsluta - - + + &Pause &Paus - + &Stop &Stoppa - + &Verify Installed Contents &Verifiera installerat innehåll - + &About Eden &Om Eden - + Single &Window Mode Enkelt &fönsterläge - + Con&figure... Kon&figurera... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet Aktivera applet för överläggsvisning - + Show &Filter Bar Visa &filterfält - + Show &Status Bar Visa &statusrad - + Show Status Bar Visa statusrad - + &Browse Public Game Lobby &Bläddra i offentlig spellobby - + &Create Room &Skapa rum - + &Leave Room &Lämna rummet - + &Direct Connect to Room &Direkt anslutning till rum - + &Show Current Room &Visa aktuellt rum - + F&ullscreen H&elskärm - + &Restart Starta o&m - + Load/Remove &Amiibo... Läs in/ta bort &Amiibo... - + &Report Compatibility &Rapportera kompatibilitet - + Open &Mods Page Öppna &Mods-sidan - + Open &Quickstart Guide Öppna &snabbstartsguide - + &FAQ &Frågor och svar - + &Capture Screenshot &Ta skärmdump - + &Album &Album - + &Set Nickname and Owner &Ange smeknamn och ägare - + &Delete Game Data &Radera speldata - + &Restore Amiibo Å&terställ Amiibo - + &Format Amiibo &Formatera Amiibo - + &Mii Editor &Mii-redigerare - + &Configure TAS... &Konfigurera TAS... - + Configure C&urrent Game... Konfigurera a&ktuellt spel... - - + + &Start &Starta - + &Reset Starta &om - - + + R&ecord Spela &in - + Open &Controller Menu Öppna &kontrollermenyn - + Install Decryption &Keys Installera avkrypteringsn&ycklar - + &Home Menu &Hemmeny - + &Desktop S&krivbord - + &Application Menu &Applikationsmeny - + &Root Data Folder &Rotdatamapp - + &NAND Folder &NAND-mapp - + &SDMC Folder &SDMC-mapp - + &Mod Folder &Mod-mapp - + &Log Folder &Loggmapp - + From Folder Från mapp - + From ZIP Från ZIP - + &Eden Dependencies &Edens beroenden - + &Data Manager &Datahanterare - + + &Tree View + &Trädvy + + + + &Grid View + &Rutnätsvy + + + + Game Icon Size + Storlek för spelikon + + + + + + None + Ingen + + + + Show Game &Name + Visa spel&namn + + + + Show &Performance Overlay + Visa &prestandaöverlägg + + + + Small (32x32) + Liten (32x32) + + + + Standard (64x64) + Standard (64x64) + + + + Large (128x128) + Stor (128x128) + + + + Full Size (256x256) + Full storlek (256x256) + + + Broken Vulkan Installation Detected Felaktig Vulkan-installation upptäcktes - + Vulkan initialization failed during boot. Vulkan-initialiseringen misslyckades under uppstarten. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Kör ett spel - + Loading Web Applet... Läser in webbapplet... - - + + Disable Web Applet Inaktivera webbapplet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) Att inaktivera webbappletten kan leda till odefinierat beteende och bör endast användas med Super Mario 3D All-Stars. Är du säker på att du vill inaktivera webbappletten? (Detta kan återaktiveras i felsökningsinställningarna.) - + The amount of shaders currently being built Antalet shaders som för närvarande byggs - + The current selected resolution scaling multiplier. Den aktuella valda multiplikatorn för upplösningsskalning. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Aktuell emuleringshastighet. Värden högre eller lägre än 100% indikerar att emuleringen körs snabbare eller långsammare än en Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. Hur många bildrutor per sekund spelet för närvarande visar. Detta varierar från spel till spel och från scen till scen. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. Tid som krävs för att emulera en Switch-bildruta, exklusive bildbegränsning eller v-synkronisering. För emulering i full hastighet bör detta vara högst 16,67 ms. - + Unmute Aktivera ljud - + Mute Tyst - + Reset Volume Återställ volym - + &Clear Recent Files &Töm tidigare filer - + &Continue &Fortsätt - + Warning: Outdated Game Format Varning: Föråldrat spelformat - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. Du använder det dekonstruerade ROM-katalogformatet för detta spel, vilket är ett föråldrat format som har ersatts av andra format såsom NCA, NAX, XCI eller NSP. Dekonstruerade ROM-kataloger saknar ikoner, metadata och uppdateringsstöd.<br> För en förklaring av de olika Switch-format som Eden har stöd för, se vår användarhandbok. Detta meddelande kommer inte att visas igen. - - + + Error while loading ROM! Fel vid inläsning av ROM! - + The ROM format is not supported. ROM-formatet stöds inte. - + An error occurred initializing the video core. Ett fel uppstod vid initialiseringen av videokärnan. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. Eden har stött på ett fel vid körning av videokärnan. Detta orsakas vanligtvis av föråldrade GPU-drivrutiner, inklusive integrerade sådana. Se loggen för mer information. För mer information om hur du kommer åt loggen, se följande sida: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>Hur man laddar upp loggfilen</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. Fel vid inläsning av ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Dumpa dina filer igen eller fråga på Discord/Stoat för hjälp. - + An unknown error occurred. Please see the log for more details. Ett okänt fel har uppstått. Se loggen för mer information. - + (64-bit) (64-bitar) - + (32-bit) (32-bitar) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... Stänger programvara... - + Save Data Sparat data - + Mod Data Mod-data - + Error Opening %1 Folder Fel vid öppning av mappen %1 - - + + Folder does not exist! Mappen finns inte! - + Remove Installed Game Contents? Ta bort installerat spelinnehåll? - + Remove Installed Game Update? Ta bort installerad speluppdatering? - + Remove Installed Game DLC? Ta bort installerat spel-DLC? - + Remove Entry Ta bort post - + Delete OpenGL Transferable Shader Cache? Ta bort OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? Ta bort Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? Ta bort alla Transferable Shader Caches? - + Remove Custom Game Configuration? Ta bort anpassad spelkonfiguration? - + Remove Cache Storage? Ta bort cachelagring? - + Remove File Ta bort fil - + Remove Play Time Data Ta bort data om speltid - + Reset play time? Nollställ speltid? - - + + RomFS Extraction Failed! Extrahering av RomFS misslyckades! - + There was an error copying the RomFS files or the user cancelled the operation. Det uppstod ett fel vid kopieringen av RomFS-filerna eller så avbröt användaren åtgärden. - + Full Fullständigt - + Skeleton Skelett - + Select RomFS Dump Mode Välj dumpläge för RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. Välj hur du vill att RomFS ska dumpas. <br>Fullständigt kopierar alla filer till den nya katalogen, medan <br>skelett endast skapar katalogstrukturen. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root Det finns inte tillräckligt med ledigt utrymme på %1 för att extrahera RomFS. Frigör utrymme eller välj en annan dumpkatalog under Emulering > Konfigurera > System > Filsystem > Dumprot. - + Extracting RomFS... Extraherar RomFS... - - + + Cancel Avbryt - + RomFS Extraction Succeeded! Extrahering av RomFS lyckades! - + The operation completed successfully. Operationen slutfördes. - + Error Opening %1 Fel vid öppning av %1 - + Select Directory Välj katalog - + Properties Egenskaper - + The game properties could not be loaded. Spelegenskaperna kunde inte läsas in. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. Körbar Switch-fil (%1);;Alla filer (*.*) - + Load File Läs in fil - + Open Extracted ROM Directory Öppna katalog för extraherad ROM - + Invalid Directory Selected Ogiltig katalog valdes - + The directory you have selected does not contain a 'main' file. Den katalog du har valt innehåller ingen ”main”-fil. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) Installerbar Switch-fil (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files Installera filer - + %n file(s) remaining %n fil återstår%n filer återstår - + Installing file "%1"... Installerar filen "%1"... - - + + Install Results Installationsresultat - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. För att undvika eventuella konflikter avråder vi användare från att installera basspel på NAND. Använd endast denna funktion för att installera uppdateringar och DLC. - + %n file(s) were newly installed %n ny fil installerades @@ -7394,7 +7720,7 @@ Använd endast denna funktion för att installera uppdateringar och DLC. - + %n file(s) were overwritten %n fil skrevs över @@ -7402,7 +7728,7 @@ Använd endast denna funktion för att installera uppdateringar och DLC. - + %n file(s) failed to install %n fil gick inte att installera @@ -7410,214 +7736,214 @@ Använd endast denna funktion för att installera uppdateringar och DLC. - + System Application Systemapplikation - + System Archive Systemarkiv - + System Application Update Uppdatering för systemapplikation - + Firmware Package (Type A) Firmware-paket (Type A) - + Firmware Package (Type B) Firmware-paket (Type B) - + Game Spel - + Game Update Speluppdatering - + Game DLC DLC för spel - + Delta Title Deltatitel - + Select NCA Install Type... Välj NCA-installationstyp... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) Välj vilken typ av titel du vill installera denna NCA som: (I de flesta fall är standardinställningen ”Spel” tillräcklig.) - + Failed to Install Misslyckades med att installera - + The title type you selected for the NCA is invalid. Den titeltypen du valt för NCA är ogiltig. - + File not found Filen hittades inte - + File "%1" not found Filen "%1" hittades inte - + OK Ok - + Function Disabled Funktion inaktiverad - + Compatibility list reporting is currently disabled. Check back later! Rapportering till kompatibilitetslistan är för närvarande inaktiverad. Kom tillbaka senare! - + Error opening URL Fel vid öppning av URL - + Unable to open the URL "%1". Det går inte att öppna URL:en ”%1”. - + TAS Recording TAS-inspelning - + Overwrite file of player 1? Skriv över fil för spelare 1? - + Invalid config detected Ogiltig konfiguration upptäcktes - + Handheld controller can't be used on docked mode. Pro controller will be selected. Handhållen kontroller kan inte användas i dockat läge. Pro-kontrollern kommer att väljas. - - + + Amiibo Amiibo - - + + The current amiibo has been removed Den aktuella amiibo har tagits bort. - + Error Fel - - + + The current game is not looking for amiibos Det aktuella spelet letar inte efter amiibos - + Amiibo File (%1);; All Files (*.*) Amiibo-fil (%1);; Alla filer (*.*) - + Load Amiibo Läs in Amiibo - + Error loading Amiibo data Fel vid läsning av Amiibo-data - + The selected file is not a valid amiibo Den valda filen är inte en giltig amiibo. - + The selected file is already on use Den valda filen används redan - + An unknown error occurred Ett okänt fel uppstod - - + + Keys not installed Nycklar inte installerade - - + + Install decryption keys and restart Eden before attempting to install firmware. Installera avkrypteringsnycklar och starta om Eden innan du försöker installera firmware. - + Select Dumped Firmware Source Location Välj plats för dumpad firmware-källa - + Select Dumped Firmware ZIP Välj dumpad firmware-ZIP - + Zipped Archives (*.zip) Zippade arkiv (*.zip) - + Firmware cleanup failed Uppstädning av firmware misslyckades - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 @@ -7626,155 +7952,155 @@ Kontrollera skrivbehörigheten i systemets temporära katalog och försök igen. OS rapporterade fel: %1 - + No firmware available Ingen firmware tillgänglig - + Firmware Corrupted Firmware är skadat - + Unknown applet Okänd applet - + Applet doesn't map to a known value. Appleten mappar inte till ett känt värde. - + Record not found Posten hittades inte - + Applet not found. Please reinstall firmware. Appleten hittades inte. Installera om fast programvara. - + Capture Screenshot Ta skärmbild - + PNG Image (*.png) PNG-bild (*.png) - + Update Available Uppdatering tillgänglig - - Download the %1 update? - Hämta ner uppdateringen %1? + + Download %1? + Hämta %1? - + TAS state: Running %1/%2 TAS-tillstånd: Kör %1/%2 - + TAS state: Recording %1 TAS-tillstånd: Spelar in %1 - + TAS state: Idle %1/%2 TAS-tillstånd: Overksam %1/%2 - + TAS State: Invalid TAS-tillstånd: Ogiltig - + &Stop Running &Stoppa körning - + Stop R&ecording Stoppa i&nspelning - + Building: %n shader(s) Bygger: %n shaderBygger: %n shaders - + Scale: %1x %1 is the resolution scaling factor Skala: %1x - + Speed: %1% / %2% Hastighet: %1% / %2% - + Speed: %1% Hastighet: %1% - + Game: %1 FPS Spel: %1 bilder/s - + Frame: %1 ms Bildruta: %1 ms - + FSR FSR - + NO AA NO AA - + VOLUME: MUTE VOLYM: TYST - + VOLUME: %1% Volume percentage (e.g. 50%) VOLYM: %1% - + Derivation Components Missing Deriveringskomponenter saknas - + Decryption keys are missing. Install them now? Avkrypteringsnycklar saknas. Installera dem nu? - + Wayland Detected! Wayland upptäcktes! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7785,59 +8111,74 @@ Det rekommenderas att använda X11 istället. Vill du tvinga det för framtida starter? - + Use X11 Använd X11 - + Continue with Wayland Fortsätt med Wayland - + Don't show again Visa inte igen - + Restart Required Omstart krävs - + Restart Eden to apply the X11 backend. Starta om Eden för att tillämpa X11-backend. - + + Slow + Långsam + + + + Turbo + Turbo + + + + Unlocked + Upplåst + + + Select RomFS Dump Target Välj RomFS-dumpmål - + Please select which RomFS you would like to dump. Välj vilken RomFS du vill dumpa. - + Are you sure you want to close Eden? Är du säker på att du vill stänga Eden? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. Är du säker på att du vill stoppa emuleringen? Alla osparade framsteg kommer att gå förlorade. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? @@ -7845,11 +8186,6 @@ Would you like to bypass this and exit anyway? Vill du kringgå detta och stänga ändå? - - - None - Ingen - FXAA @@ -7876,27 +8212,27 @@ Vill du kringgå detta och stänga ändå? Bikubisk - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Gaussian @@ -7951,22 +8287,22 @@ Vill du kringgå detta och stänga ändå? Vulkan - + OpenGL GLSL OpenGL GLSL - + OpenGL SPIRV OpenGL SPIRV - + OpenGL GLASM OpenGL GLASM - + Null Null @@ -7974,14 +8310,14 @@ Vill du kringgå detta och stänga ändå? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 Länkning av den gamla katalogen misslyckades. Du kan behöva köra om med administratörsbehörighet i Windows. Operativsystemet gav fel: %1 - + Note that your configuration and data will be shared with %1. @@ -7998,7 +8334,7 @@ Om detta inte är önskvärt, ta bort följande filer: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -8009,11 +8345,24 @@ Om du vill rensa upp bland de filer som låg kvar på den gamla dataplatsen kan %1 - + Data was migrated successfully. Datamigrering lyckades. + + ModSelectDialog + + + Dialog + Dialog + + + + The specified folder or archive contains the following mods. Select which ones to install. + Den angivna mappen eller arkivet innehåller följande mods. Välj vilka du vill installera. + + ModerationDialog @@ -8182,86 +8531,86 @@ Fortsätt ändå? Generera - + Select User Image Välj användarbild - + Image Formats (*.jpg *.jpeg *.png *.bmp) Bildformat (*.jpg *.jpeg *.png *.bmp) - + No firmware available Ingen fast programvara tillgänglig - + Please install the firmware to use firmware avatars. Installera den fasta programvaran för att använda avatarer från den. - - + + Error loading archive Fel vid inläsning av arkiv - + Archive is not available. Please install/reinstall firmware. Arkivet är inte tillgängligt. Installera/installera om fast programvara. - + Could not locate RomFS. Your file or decryption keys may be corrupted. Kunde inte hitta RomFS. Din fil eller avkrypteringsnycklar kan vara skadade. - + Error extracting archive Fel vid extrahering av arkiv - + Could not extract RomFS. Your file or decryption keys may be corrupted. Kunde inte extrahera RomFS. Din fil eller avkrypteringsnycklar kan vara skadade. - + Error finding image directory Kunde inte hitta bildkatalog - + Failed to find image directory in the archive. Misslyckades med att hitta bildkatalogen i arkivet. - + No images found Inga bilder hittades - + No avatar images were found in the archive. Inga avatarbilder hittades i arkivet. - - + + All Good Tooltip Allt är bra - + Must be 32 hex characters (0-9, a-f) Tooltip Måste vara 32 hexadecimala tecken (0-9, a-f) - + Must be between 1 and 32 characters Tooltip Måste vara mellan 1 och 32 tecken @@ -8300,6 +8649,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + Form + + + + Frametime + Bildtid + + + + 0 ms + 0 ms + + + + + Min: 0 + Min: 0 + + + + + Max: 0 + Max: 0 + + + + + Avg: 0 + Genoms: 0 + + + + FPS + Bilder/s + + + + 0 fps + 0 bilder/s + + + + %1 fps + %1 bilder/s + + + + + Avg: %1 + Genoms: %1 + + + + + Min: %1 + Min: %1 + + + + + Max: %1 + Max: %1 + + + + %1 ms + %1 ms + + PlayerControlPreview @@ -8334,39 +8757,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Installerade SD-titlar - - - - Installed NAND Titles - Installerade NAND-titlar - - - - System Titles - Systemtitlar - - - - Add New Game Directory - Lägg till ny spelkatalog - - - - Favorites - Favoriter - - - - - + + + Migration Migrering - + Clear Shader Cache Töm shader-cache @@ -8401,19 +8799,19 @@ p, li { white-space: pre-wrap; } Nej - + You can manually re-trigger this prompt by deleting the new config directory: %1 Du kan manuellt återaktivera denna prompt genom att radera den nya konfigurationsmappen: %1 - + Migrating Migrering - + Migrating, this may take a while... Migrerar, det kan ta ett tag... @@ -8804,6 +9202,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 spelar %2 + + + Play Time: %1 + Speltid: %1 + + + + Never Played + Aldrig spelat + + + + Version: %1 + Version: %1 + + + + Version: 1.0.0 + Version: 1.0.0 + + + + Installed SD Titles + Installerade SD-titlar + + + + Installed NAND Titles + Installerade NAND-titlar + + + + System Titles + Systemtitlar + + + + Add New Game Directory + Lägg till ny spelkatalog + + + + Favorites + Favoriter + QtAmiiboSettingsDialog @@ -8921,47 +9364,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware Spelet kräver firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. Spelet som du försöker starta kräver firmware för att starta eller komma förbi startmenyn. <a href='https://yuzu-mirror.github.io/help/quickstart'>Dumpa och installera firmware</a> eller tryck på ”OK” för att starta ändå. - + Installing Firmware... Installerar firmware... - - - - - + + + + + Cancel Avbryt - + Firmware Install Failed Installation av firmware misslyckades - + Firmware Install Succeeded Installation av firmware lyckades - + Firmware integrity verification failed! Verifieringen av firmwareintegriteten misslyckades! - - + + Verification failed for the following files: %1 @@ -8970,204 +9413,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Verifierar integritet... - - + + Integrity verification succeeded! Integritetsverifieringen lyckades! - - + + The operation completed successfully. Operationen slutfördes utan problem. - - + + Integrity verification failed! Integritetsverifieringen misslyckades! - + File contents may be corrupt or missing. Filens innehåll kan vara skadat eller saknas. - + Integrity verification couldn't be performed Integritetsverifiering kunde inte utföras - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Firmwareinstallationen avbruten, firmware kan vara i dåligt skick eller skadad. Filens innehåll kunde inte kontrolleras för giltighet. - + Select Dumped Keys Location Välj plats för dumpade nycklar - + Decryption Keys install succeeded Installation av avkrypteringsnycklar lyckades - + Decryption Keys install failed Installationen av avkrypteringsnycklar misslyckades - + Orphaned Profiles Detected! Föräldralösa profiler upptäcktes! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> OVÄNTADE PROBLEM KAN UPPSTÅ OM DU INTE LÄSER DETTA! <br>Eden har upptäckt följande sparningskataloger utan bifogade profiler:<br>%1<br><br>Följande profiler är giltiga:<br>%2<br><br>Klicka på ”OK” för att öppna din sparningsmapp och fixa dina profiler.<br>Tips: kopiera innehållet i den största eller senast ändrade mappen till en annan plats, ta bort alla övergivna profiler och flytta det kopierade innehållet till den giltiga profilen.<br><br>Fortfarande förvirrad? Se hjälpsidan<a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>.<br> - + Really clear data? Verkligen tömma data? - + Important data may be lost! Viktig data kan gå förlorad! - + Are you REALLY sure? Är du VERKLIGEN säker? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. När dina data har raderats kan de INTE återställas! Gör detta endast om du är 100% säker på att du vill radera dessa data. - + Clearing... Tömmer... - + Select Export Location Välj exportplats - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Zippade arkiv (*.zip) - + Exporting data. This may take a while... Exporterar data. Detta kan ta en stund... - + Exporting Exporterar - + Exported Successfully Exporten lyckades - + Data was exported successfully. Data har exporterats. - + Export Cancelled Exporten avbröts - + Export was cancelled by the user. Exporten avbröts av användaren. - + Export Failed Exporten misslyckades - + Ensure you have write permissions on the targeted directory and try again. Kontrollera att du har skrivbehörighet till den aktuella katalogen och försök igen. - + Select Import Location Välj importplats - + Import Warning Importvarning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Alla tidigare data i denna katalog kommer att raderas. Är du säker på att du vill fortsätta? - + Importing data. This may take a while... Importerar data. Detta kan ta en stund... - + Importing Importerar - + Imported Successfully Importen lyckades - + Data was imported successfully. Data har importerats. - + Import Cancelled Importen avbröts - + Import was cancelled by the user. Importen avbröts av användaren. - + Import Failed Importen misslyckades - + Ensure you have read permissions on the targeted directory and try again. Kontrollera att du har läsbehörighet till den aktuella katalogen och försök igen. @@ -9175,22 +9618,22 @@ Gör detta endast om du är 100% säker på att du vill radera dessa data. QtCommon::FS - + Linked Save Data Länkat sparat data - + Save data has been linked. Sparat data har länkats. - + Failed to link save data Misslyckades med att länka sparat data - + Could not link directory: %1 To: @@ -9201,48 +9644,48 @@ Till: %2 - + Already Linked Redan länkad - + This title is already linked to Ryujinx. Would you like to unlink it? Denna titel är redan länkad till Ryujinx. Vill du avlänka den? - + Failed to unlink old directory Misslyckades med att avlänka gammal katalog - - + + OS returned error: %1 Operativsystemet returnerade fel: %1 - + Failed to copy save data Misslyckades med att kopiera sparat data - + Unlink Successful Avlänkning lyckades - + Successfully unlinked Ryujinx save data. Save data has been kept intact. Sparat data i Ryujinx avlänkades. Sparat data har behållits intakt. - + Could not find Ryujinx installation Kunde inte hitta Ryujinx-installationen - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9256,18 +9699,18 @@ Vill du manuellt välja en portabel mapp att använda? Plats för portabel Ryujinx - + Not a valid Ryujinx directory Inte en giltig Ryujinx-katalog - + The specified directory does not contain valid Ryujinx data. Den angivna katalogen innehåller inte giltig Ryujinx-data. - - + + Could not find Ryujinx save data Kunde inte hitta sparat Ryujinx-data @@ -9275,229 +9718,287 @@ Vill du manuellt välja en portabel mapp att använda? QtCommon::Game - + Error Removing Contents Fel vid borttagning av innehåll - + Error Removing Update Fel vid borttagning av uppdatering - + Error Removing DLC Fel vid borttagning av DLC - - - - - - + + + + + + Successfully Removed Borttagning lyckades - + Successfully removed the installed base game. Tog bort det installerade basspelet. - + The base game is not installed in the NAND and cannot be removed. Basversionen av spelet är inte installerad i NAND och kan inte tas bort. - + Successfully removed the installed update. Tog bort den installerade uppdateringen. - + There is no update installed for this title. Det finns ingen uppdatering installerad för denna titel. - + There are no DLCs installed for this title. Det finns inga DLC:er installerade för denna titel. - + Successfully removed %1 installed DLC. Tog bort %1 installerat DLC. - - + + Error Removing Transferable Shader Cache Fel vid borttagning av överförbar shader-cache - - + + A shader cache for this title does not exist. Det finns ingen shader-cache för denna titel. - + Successfully removed the transferable shader cache. Den överförbara shader-cachen har tagits bort. - + Failed to remove the transferable shader cache. Det gick inte att ta bort den överförbara shader-cachen. - + Error Removing Vulkan Driver Pipeline Cache Fel vid borttagning av Vulkan-drivrutinens pipeline-cache - + Failed to remove the driver pipeline cache. Det gick inte att ta bort drivrutinens pipeline-cache. - - + + Error Removing Transferable Shader Caches Fel vid borttagning av överförbara shader-cacher - + Successfully removed the transferable shader caches. De överförbara shader-cacherna har tagits bort. - + Failed to remove the transferable shader cache directory. Det gick inte att ta bort den överförbara shader-cachekatalogen. - - + + Error Removing Custom Configuration Fel vid borttagning av anpassad konfiguration - + A custom configuration for this title does not exist. Det finns ingen anpassad konfiguration för denna titel. - + Successfully removed the custom game configuration. Den anpassade konfigurationen för spelet har tagits bort. - + Failed to remove the custom game configuration. Det gick inte att ta bort den anpassade spelkonfigurationen. - + Reset Metadata Cache Återställ metadata-cache - + The metadata cache is already empty. Metadatacachen är redan tom. - + The operation completed successfully. Operationen slutfördes utan problem. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Metadatacachen kunde inte tas bort. Den kan vara i bruk eller finns inte. - + Create Shortcut Skapa genväg - + Do you want to launch the game in fullscreen? Vill du starta spelet i helskärm? - + Shortcut Created Genväg skapad - + Successfully created a shortcut to %1 Skapade en genväg till %1 - + Shortcut may be Volatile! Genvägen kan vara instabil! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Detta skapar en genväg till den aktuella AppImage. Detta kanske inte fungerar bra om du uppdaterar. Vill du fortsätta? - + Failed to Create Shortcut Misslyckades med att skapa genväg - + Failed to create a shortcut to %1 Misslyckades med att skapa en genväg till %1 - + Create Icon Skapa ikon - + Cannot create icon file. Path "%1" does not exist and cannot be created. Det går inte att skapa ikonfilen. Sökvägen ”%1” finns inte och kan inte skapas. - + No firmware available Inget firmware tillgängligt - + Please install firmware to use the home menu. Installera firmware för att använda hemmenyn. - + Home Menu Applet Applet för hemmeny - + Home Menu is not available. Please reinstall firmware. Hemmenyn är inte tillgänglig. Installera om firmware. + + QtCommon::Mod + + + Mod Name + Modnamn + + + + What should this mod be called? + Vad ska denna mod heta? + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/Patch + + + + Cheat + Fusk + + + + Mod Type + Modtyp + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + Det gick inte att upptäcka modtypen automatiskt. Ange manuellt vilken typ av mod du har laddat ner. + +De flesta mods är RomFS-mods, men patchar (.pchtxt) är vanligtvis ExeFS-mods. + + + + + Mod Extract Failed + Mod-extrahering misslyckades + + + + Failed to create temporary directory %1 + Det gick inte att skapa den tillfälliga katalogen %1 + + + + Zip file %1 is empty + Zip-filen %1 är tom + + QtCommon::Path - + Error Opening Shader Cache Fel vid öppning av shader-cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. Det gick inte att skapa eller öppna shader-cache för den här titeln. Kontrollera att din appdatakatalog har skrivbehörighet. @@ -9505,84 +10006,84 @@ Vill du manuellt välja en portabel mapp att använda? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Innehåller sparat speldata. TA INTE BORT DEN OM DU INTE VET VAD DU GÖR! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. Innehåller Vulkan- och OpenGL-pipeline-cacher. Generellt sett säkert att ta bort. - + Contains updates and DLC for games. Innehåller uppdateringar och DLC för spel. - + Contains firmware and applet data. Innehåller firmware- och appletdata. - + Contains game mods, patches, and cheats. Innehåller spelmoddar, patchar och fusk. - + Decryption Keys were successfully installed Avkrypteringsnycklarna har installerats - + Unable to read key directory, aborting Kunde inte läsa nyckelkatalogen, avbryter - + One or more keys failed to copy. En eller flera nycklar misslyckades att kopieras. - + Verify your keys file has a .keys extension and try again. Kontrollera att din nyckelfil har filändelsen .keys och försök igen. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. Avkrypteringsnycklarna kunde inte initialiseras. Kontrollera att dina dumpningsverktyg är uppdaterade och dumpa nycklarna igen. - + Successfully installed firmware version %1 Firmware-version %1 har installerats. - + Unable to locate potential firmware NCA files Det går inte att hitta potentiella NCA-filer för firmware. - + Failed to delete one or more firmware files. Det gick inte att ta bort en eller flera firmware-filer. - + One or more firmware files failed to copy into NAND. En eller flera firmware-filer kunde inte kopieras till NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Installationen av firmware avbröts, firmware kan vara i ett felaktigt tillstånd eller skadat. Starta om Eden eller installera om firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - Firmware saknas. Firmware krävs för att köra vissa spel och använda hemmenyn. Version 19.0.1 eller tidigare rekommenderas, eftersom 20.0.0+ för närvarande är experimentell. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + Firmware saknas. Firmware krävs för att köra vissa spel och använda hemmenyn. @@ -9604,60 +10105,60 @@ Välj motsvarande knapp för att migrera data från den emulatorn. Detta kan ta en stund. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. Det rekommenderas att alla användare rensar shader-cachen. Avmarkera såvida inte du vet vad du gör. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. Behåller den gamla datakatalogen. Detta rekommenderas om du inte har utrymmesbegränsningar och vill behålla separata data för den gamla emulatorn. - + Deletes the old data directory. This is recommended on devices with space constraints. Tar bort den gamla datakatalogen. Detta rekommenderas på enheter med begränsat utrymme. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. Skapar en filsystemslänk mellan den gamla katalogen och Eden-katalogen. Detta rekommenderas om du vill dela data mellan emulatorer. - + Ryujinx title database does not exist. Ryujinx titeldatabas finns inte. - + Invalid header on Ryujinx title database. Ogiltigt huvud på Ryujinx titeldatabas. - + Invalid magic header on Ryujinx title database. Ogiltig magic header på Ryujinx titeldatabas. - + Invalid byte alignment on Ryujinx title database. Ogiltig byteordning på Ryujinx titeldatabas. - + No items found in Ryujinx title database. Inga objekt hittades i Ryujinx titeldatabas. - + Title %1 not found in Ryujinx title database. Titeln %1 hittades inte i Ruijinx titeldatabas. @@ -9698,7 +10199,7 @@ Detta rekommenderas om du vill dela data mellan emulatorer. - + Pro Controller Pro Controller @@ -9711,7 +10212,7 @@ Detta rekommenderas om du vill dela data mellan emulatorer. - + Dual Joycons Dubbla Joycons @@ -9724,7 +10225,7 @@ Detta rekommenderas om du vill dela data mellan emulatorer. - + Left Joycon Vänster Joycon @@ -9737,7 +10238,7 @@ Detta rekommenderas om du vill dela data mellan emulatorer. - + Right Joycon Höger Joycon @@ -9766,7 +10267,7 @@ Detta rekommenderas om du vill dela data mellan emulatorer. - + Handheld Handhållen @@ -9887,32 +10388,32 @@ Detta rekommenderas om du vill dela data mellan emulatorer. Inte tillräckligt med kontroller - + GameCube Controller GameCube-kontroller - + Poke Ball Plus Poke Ball Plus - + NES Controller NES-kontroller - + SNES Controller SNES-kontroller - + N64 Controller N64-kontroller - + Sega Genesis Sega Genesis @@ -10067,13 +10568,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Avbryt @@ -10110,12 +10611,12 @@ Om du väljer ”Från Eden” tas tidigare sparade data bort som lagrats i Ryuj Avbryt - + Failed to link save data Misslyckades med att länka sparat data - + OS returned error: %1 OS returnerade fel: %1 @@ -10151,7 +10652,7 @@ Om du väljer ”Från Eden” tas tidigare sparade data bort som lagrats i Ryuj Sekunder: - + Total play time reached maximum. Maximal total speltid uppnådd. diff --git a/dist/languages/tr_TR.ts b/dist/languages/tr_TR.ts index 49cfd8b49d..19438585b1 100644 --- a/dist/languages/tr_TR.ts +++ b/dist/languages/tr_TR.ts @@ -375,146 +375,150 @@ Bu işlem onların hem forum kullanıcı adını hem de IP adresini banlar.% - + Amiibo editor Amiibo editor - + Controller configuration Kontrolcü yapılandırması - + Data erase Veri silme - + Error Hata - + Net connect Ağ bağlantısı - + Player select Oyuncu seçimi - + Software keyboard Yazılımsal klavye - + Mii Edit Mii Düzenleme - + Online web Çevrim içi ağ - + Shop Mağaza - + Photo viewer Fotoğraf görüntüleyici - + Offline web Çevrim dışı ağ - + Login share Oturum paylaşımı - + Wifi web auth Wi-Fi web kimlik doğrulaması - + My page Sayfam - + Enable Overlay Applet Katman Applet'ini Etkinleştir - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Çıkış Motoru: - + Output Device: Çıkış Cihazı: - + Input Device: Giriş Cihazı: - + Mute audio Sesi kapat - + Volume: Ses: - + Mute audio when in background Arka plandayken sesi kapat - + Multicore CPU Emulation Çok Çekirdekli CPU Emülasyonu - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Bu seçenek, CPU emülasyon iş parçacığı kullanımını 1'den maksimum 4'e yükseltir. Bu, temel olarak bir hata ayıklama seçeneğidir ve devre dışı bırakılmamalıdır. - + Memory Layout Bellek Düzeni - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Anakartın emüle edilen RAM miktarını, 4GB'tan devkit'in 8/6GB'ına çıkarır. -Performansı/kararlılığı etkilemez, ancak HD doku modlarının yüklenmesini sağlayabilir. + - + Limit Speed Percent Hız Yüzdesini Sınırlandır - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +526,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -535,60 +559,60 @@ Can help reduce stuttering at lower framerates. Düşük kare hızlarında takılmaları azaltmaya yardımcı olabilir. - + Accuracy: Doğruluk: - + Change the accuracy of the emulated CPU (for debugging only). Öykünülen, yani emüle edilen CPU'nun doğruluk seviyesini değiştirir (yalnızca hata ayıklama için). - - + + Backend: Arkayüz: - + CPU Overclock CPU Hız Aşırtma - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Bazı FPS sınırlayıcılarını kaldırmak için emüle edilen CPU'ya, yani işlemciye hız aşırtma yapar. Daha zayıf CPU'larda performans düşebilir ve bazı oyunlar düzgün çalışmayabilir. Switch'in en yüksek yerel saat hızında çalıştırmak için Boost'u (1700MHz), ya da 2x saat hızında çalıştırmak için Fast'i (2000MHz) kullanın. - + Custom CPU Ticks Özel İşlemci Döngüleri - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. İşlemci/CPU tick hızı için özel bir değer belirleyin. Daha yüksek değerler performansı artırabilir, ancak kilitlenmelere de neden olabilir. 77-21000 aralığı tavsiye edilir. - + Virtual Table Bouncing Sanal Tablo Sıçratma - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort Önceden getirme hatasını tetikleyen tüm işlevleri (0 değerli bir dönüş emüle ederek) sıçratır. - + Enable Host MMU Emulation (fastmem) Ana Bilgisayar MMU Emülasyonunu Etkinleştir (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,148 +621,148 @@ Bunu etkinleştirmek, misafir bellek okuma/yazma işlemlerinin doğrudan belleğ Bunu devre dışı bırakmak, tüm bellek erişimlerinin, Yazılımsal MMU Emülasyonu kullanmaya zorlamasına neden olur. - + Unfuse FMA (improve performance on CPUs without FMA) FMA'yı Ayır (FMA olmayan CPU'larda performansı artırır) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Bu seçenek, gömülü/yerel FMA desteği olmayan CPU'larda, FMA komutlarının doğruluğunu/hassasiyetini düşürerek hızı artırır. - + Faster FRSQRTE and FRECPE Daha hızlı FRSQRTE ve FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Bu seçenek, daha az doğru olan gömülü/yerel yaklaşıklıkları kullanarak, bazı yaklaşık floating-point işlevlerinin hızını artırır. - + Faster ASIMD instructions (32 bits only) Daha hızlı ASIMD komutları (yalnızca 32 bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Bu seçenek, incorrect durumdaki rounding mode'ları ile çalıştırarak 32 bit ASIMD floating-point işlevlerinin hızını artırır. - + Inaccurate NaN handling Uygunsuz NaN kullanımı - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Bu seçenek, NaN denetimini kaldırarak hızı artırır. Lütfen unutmayın, bu aynı zamanda bazı floating-point işlemlerinin doğruluğunu azaltır. - + Disable address space checks Adres boşluğu kontrolünü kapatır. - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Bu seçenek, her bellek işleminden önce bir güvenlik kontrolünü kaldırarak hızı artırır. Devre dışı bırakılması, rastgele kod yürütülmesine izin verebilir. - + Ignore global monitor Global monitörü görmezden gel - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Bu seçenek, özel erişim talimatlarının güvenliğini sağlamak için yalnızca cmpxchg semantiğine güvenerek hızı artırır. Lütfen bunun kilitlenmelere ve diğer yarış durumlarına neden olabileceğini unutmayın. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Çıkış grafik API'sini değiştirir. Vulkan önerilir. - + Device: Cihaz: - + This setting selects the GPU to use (Vulkan only). Bu ayar, kullanılacak GPU'yu seçer (yalnızca Vulkan). - + Resolution: Çözünürlük: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. Farklı bir çözünürlükte işleme yapmaya zorlar. Yüksek çözünürlükler daha fazla VRAM ve bant genişliği gerektirir. 1X'ten düşük seçenekler yapay bozulmalara neden olabilir. - + Window Adapting Filter: Pencereye Uyarlı Filtre: - + FSR Sharpness: FSR Keskinliği: - + Determines how sharpened the image will look using FSR's dynamic contrast. FSR'ın dinamik kontrast teknolojisini kullanarak, görüntünün ne kadar keskinleştirileceğini belirler. - + Anti-Aliasing Method: Kenar Yumuşatma Yöntemi: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. Kullanılacak kenar yumuşatma yöntemi. SMAA en iyi kaliteyi sunar. FXAA, düşük çözünürlüklerde daha kararlı bir görüntü oluşturabilir. - + Fullscreen Mode: Tam Ekran Modu: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. Pencereyi tam ekranda işlemek için kullanılan yöntem. Sınırsız, bazı oyunların giriş için istediği ekran klavyesi ile en iyi uyumluluğu sunar. Özel tam ekran, daha iyi performans ve daha iyi Freesync/Gsync desteği sağlayabilir. - + Aspect Ratio: En-Boy Oranı: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -747,23 +771,23 @@ Also controls the aspect ratio of captured screenshots. Ayrıca, yakalanan ekran görüntülerinin en-boy oranını da kontrol eder. - + Use persistent pipeline cache Kalıcı işlem hattı önbelleğini kullan - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Gölgelendiriclerin sonraki oyun açılışlarında daha hızlı yüklenmesi için depolama alanına kaydedilmesine olanak tanır. Devre dışı bırakılması yalnızca hata ayıklama amaçlıdır. - + Optimize SPIRV output SPIRV çıktısını optimize et - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -771,24 +795,24 @@ This feature is experimental. Oluşturulan SPIRV gölgelendiricileri üzerinde ek bir optimizasyon geçişi çalıştırır. Gölgelendirici derleme süresini artıracaktır. Performansı biraz iyileştirebilir. Bu özellik deneyseldir. - + NVDEC emulation: NVDEC emülasyonu: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. Videoların nasıl çözüleceğini belirtir. Kod çözme için CPU veya GPU kullanabilir veya hiç kod çözme işlemi yapmayabilir (videolarda siyah ekran). Çoğu durumda GPU ile kod çözme en iyi performansı sağlar. - + ASTC Decoding Method: ASTC Kod Çözme Yöntemi - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -797,45 +821,55 @@ stuttering but may present artifacts. Bu seçenek ASTC dokularının nasıl çözüleceğini kontrol eder. CPU: Kod çözme için işlemciyi kullanır. GPU: ASTC dokularını çözmek için GPU'nun hesaplama gölgelendiricilerini kullanır (önerilir). CPU Asenkron: ASTC dokularını talep üzerine çözmek için işlemciyi kullanır. ASTC kod çözme kaynaklı takılmaları giderir ancak görsel bozulmalara neden olabilir. - + ASTC Recompression Method: ASTC Yeniden Sıkıştırma Yöntemi - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. Çoğu GPU, ASTC dokuları için doğrudan desteğe sahip değildir ve bir ara formata (RGBA8) açılmalıdır. BC1/BC3: Ara format BC1 veya BC3 formatında yeniden sıkıştırılarak VRAM tasarrufu sağlar ancak görüntü kalitesini düşürür. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: VRAM Kullanım Modu - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Emülatörün belleği korumayı mı yoksa performans için mevcut video belleğini maksimum düzeyde kullanmayı mı tercih edeceğini seçer. Agresif mod, kayıt yazılımları gibi diğer uygulamaların performansını etkileyebilir. - + Skip CPU Inner Invalidation CPU Geçersiz Kılma'yı Atla - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Bellek güncellemeleri sırasında belirli önbellek geçersiz kılma işlemlerini atlayarak işlemci kullanımını azaltır ve gecikmeyi iyileştirir. Bu, hafif çökmelere neden olabilir. - + VSync Mode: VSync Modu: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -843,1318 +877,1402 @@ Immediate (no synchronization) presents whatever is available and can exhibit te FIFO (VSync) kare düşürmez veya yırtılma göstermez ancak ekran yenileme hızıyla sınırlıdır. FIFO Relaxed, yavaşlamadan toparlanırken yırtılmaya izin verir. Mailbox, FIFO'dan daha düşük gecikmeye sahip olabilir ve yırtılma yapmaz ancak kare düşürebilir. Immediate (senkronizasyon yok), mevcut olanı anında sunar ve yırtılmalara neden olabilir. - + Sync Memory Operations Bellek İşlemlerini Senkronize Et - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. Hesaplama ve bellek işlemleri arasında veri tutarlılığı sağlar. Bu seçenek oyunlardaki sorunları giderir ancak performansı düşürebilir. Unreal Engine 4 oyunları genellikle bundan en önemli ölçüde etkilenenlerdir. - + Enable asynchronous presentation (Vulkan only) Asenkron sunumu etkinleştir (Yalnızca Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Sunum işlemini ayrı bir işlemci iş parçacığına taşıyarak performansı biraz artırır. - + Force maximum clocks (Vulkan only) En yüksek hızı zorla (Yalnızca Vulkan için) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Grafik komutlarını beklerken GPU'nun hızının düşmesini engellemek için arka planda görev yürütür - + Anisotropic Filtering: Anisotropic Filtering: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Eğik açılardaki doku oluşturma kalitesini kontrol eder. Çoğu grafik kartında 16x olarak ayarlanması güvenlidir. - + GPU Mode: Grafik Kartı Modu - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. Grafik kartı emülasyon modunu kontrol eder. Çoğu oyun Hızlı veya Dengeli modlarda sorunsuz çalışır, ancak bazıları için hala Doğru modu gereklidir. Parçacıklar genellikle yalnızca Doğru modda düzgün görüntülenir. - + DMA Accuracy: DMA Doğruluğu: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. DMA'in hassasiyet doğruluğunu yönetir. Güvenli hassasiyet, bazı oyunlardaki sorunları giderir, fakat performansı düşürebilir. - + Enable asynchronous shader compilation Asenkron gölgelendirici derlemeyi etkinleştir - + May reduce shader stutter. Gölgelendirici/shader takılmalarını azaltabilir. - + Fast GPU Time Hızlı Grafik Kartı Süresi - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Dinamik çözünürlüğü ve çizim mesafesini artırmak için emüle edilen grafik kartına hız aşırtma uygular. Maksimum performans için 256, maksimum grafik doğruluğu için 512 kullanın. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Vulkan pipeline önbelleği kullan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Grafik kartı üreticisine özel işlem hattı önbelleğini etkinleştirir. Bu seçenek, Vulkan sürücüsünün işlem hattı önbellek dosyalarını dahili olarak saklamadığı durumlarda gölgelendirici yükleme süresini önemli ölçüde iyileştirebilir. - + Enable Compute Pipelines (Intel Vulkan Only) Hesaplama İşlem Hatlarını Etkinleştir (Yalnızca Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. Bazı oyunlar için gereklidir. Bu ayar yalnızca Intel'in tescilli sürücüleri için mevcuttur ve etkinleştirilirse çökmeye neden olabilir. Hesaplama işlem hatları diğer tüm sürücülerde her zaman etkindir. - + Enable Reactive Flushing Reaktif Temizlemeyi Etkinleştir - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Tahminli temizleme yerine reaktif temizleme kullanarak daha doğru bellek senkronizasyonu sağlar. - + Sync to framerate of video playback Video oynatma kare hızına senkronize et - + Run the game at normal speed during video playback, even when the framerate is unlocked. Kare hızı kilidi açık olsa bile video oynatımı sırasında oyunu normal hızda çalıştırır. - + Barrier feedback loops Bariyer geri besleme döngüleri - + Improves rendering of transparency effects in specific games. Belirli oyunlarda şeffaflık efektlerinin oluşturulmasını iyileştirir. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State Genişletilmiş Dinamik Durum - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Genişletilmiş Dinamik Durumda kullanılabilecek özelliklerin sayısını kontrol eder. Daha yüksek durumlar daha fazla özelliğe izin verir ve performansı artırabilir, ancak ek grafik sorunlarına neden olabilir. - + Vertex Input Dynamic State Vertex Dinamik Durumu - + Enables vertex input dynamic state feature for better quality and performance. Daha iyi kalite ve performans için Vertex dinamik durum özelliğini etkinleştirir. - + Provoking Vertex Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Bazı oyunlarda aydınlatmayı ve köşe işlemeyi iyileştirir. Bu uzantıyı yalnızca Vulkan 1.0 ve üzeri cihazlar destekler. - + Descriptor Indexing Tanımlayıcı İndeksleme - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Doku ve arabellek işlemeyi ve Maxwell çeviri katmanını iyileştirir. Bazı Vulkan 1.1 ve üzeri ile tüm 1.2 ve üzeri cihazlar bu uzantıyı destekler. - + Sample Shading Örnek Gölgelendirme - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Parça gölgelendiricinin, her parça için bir kez yerine çoklu örneklenmiş bir parçadaki her örnek için yürütülmesine olanak tanır. Performans pahasına grafik kalitesini artırır. Daha yüksek değerler kaliteyi artırır ancak performansı düşürür. - + RNG Seed RNG çekirdeği - + Controls the seed of the random number generator. Mainly used for speedrunning. Rastgele sayı üretecinin tohumunu kontrol eder. Esas olarak hızlı bitirme denemeleri için kullanılır. - + Device Name Cihaz İsmi - + The name of the console. Konsolun adı - + Custom RTC Date: Özel RTC Tarihi - + This option allows to change the clock of the console. Can be used to manipulate time in games. Bu seçenek konsolun saatini değiştirmeye olanak tanır. Oyunlarda zamanı manipüle etmek için kullanılabilir. - + The number of seconds from the current unix time Mevcut unix zamanından itibaren saniye sayısı - + Language: Dil: - + This option can be overridden when region setting is auto-select Bölge ayarı otomatik seçim olduğunda bu seçenek geçersiz kılınabilir. - + Region: Bölge: - + The region of the console. Konsolun bölgesi - + Time Zone: Saat Dilimi: - + The time zone of the console. Konsolun saat dilimi - + Sound Output Mode: Ses Çıkış Modu: - + Console Mode: Konsol Modu: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. Konsolun Yerleşik veya El Modunda olup olmadığını seçer. Oyunlar bu ayara bağlı olarak çözünürlüklerini, detaylarını ve desteklenen kontrolcülerini değiştirecektir. El Moduna ayarlamak, düşük seviyeli sistemler için performansı artırmaya yardımcı olabilir. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot Açılışta kullanıcı profili için sor - + Useful if multiple people use the same PC. Aynı bilgisayarı birden fazla kişi kullanıyorsa yararlıdır. - + Pause when not in focus Odaklı değilken duraklat - + Pauses emulation when focusing on other windows. Diğer pencerelere odaklanıldığında emülasyonu duraklatır. - + Confirm before stopping emulation Emülasyonu durdurmadan önce onayla - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Emülasyonu durdurma onayı isteklerini/istemlerini geçersiz kılar. Etkinleştirildiğinde, bu tür istekleri/istemleri atlar ve emülasyonu doğrudan/dirket olarak kapatır. - + Hide mouse on inactivity Hareketsizlik durumunda imleci gizle - + Hides the mouse after 2.5s of inactivity. 2,5 saniye hareketsizlikten sonra fareyi gizler. - + Disable controller applet Kontrolcü aplikasyonunu devre dışı bırak - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Emüle edilen programlarda kontrolcü aplikasyonunun kullanımını zorla devre dışı bırakır. Bir program kontrolcü aplikasyonunu açmaya çalıştığında, aplikasyon anında kapatılır. - + Check for updates Güncellemeleri Kontrol Et - + Whether or not to check for updates upon startup. Başlangıçta güncellemelerin kontrol edilip edilmeyeceği. - + Enable Gamemode Oyun Modunu/Gamemode Etkinleştir - + Force X11 as Graphics Backend Grafik arka ucu olarak X11'i zorla - + Custom frontend Özel ön yüz - + Real applet Gerçek aplikasyon - + Never Asla - + On Load Yüklemede - + Always Her zaman - + CPU CPU - + GPU GPU - + CPU Asynchronous Asenkron CPU - + Uncompressed (Best quality) Sıkıştırılmamış (En iyi kalite) - + BC1 (Low quality) BC1 (Düşük kalite) - + BC3 (Medium quality) BC3 (Orta kalite) - - Conservative - Muhafazakar - - - - Aggressive - Agresif - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Boş - - - - Fast - Hızlı - - - - Balanced - Dengeli - - - - - Accurate - Doğru - - - - - Default - Varsayılan - - - - Unsafe (fast) - Güvenli Değil (hızlı) - - - - Safe (stable) - Güvenli (Stabil) - - - + + Auto Otomatik - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + Muhafazakar + + + + Aggressive + Agresif + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Boş + + + + Fast + Hızlı + + + + Balanced + Dengeli + + + + + Accurate + Doğru + + + + + Default + Varsayılan + + + + Unsafe (fast) + Güvenli Değil (hızlı) + + + + Safe (stable) + Güvenli (Stabil) + + + Unsafe Güvensiz - + Paranoid (disables most optimizations) Paranoya (çoğu optimizasyonu kapatır) - + Debugging Hata ayıklama - + Dynarmic Dinamik - + NCE NCE - + Borderless Windowed Kenarlıksız Tam Ekran - + Exclusive Fullscreen Ayrılmış Tam Ekran - + No Video Output Video Çıkışı Yok - + CPU Video Decoding CPU Video Decoding - + GPU Video Decoding (Default) GPU Video Decoding (Varsayılan) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [DENEYSEL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [DENEYSEL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [DENEYSEL] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [DENEYSEL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [DENEYSEL] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor En Yakın Komşu Algoritması - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian Gausyen - + Lanczos Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Süper Çözünürlük - + Area Area - + MMPX MMPX - + Zero-Tangent Zero-Tangent - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None Yok - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Varsayılan (16:9) - + Force 4:3 4:3'e Zorla - + Force 21:9 21:9'a Zorla - + Force 16:10 16:10'a Zorla - + Stretch to Window Ekrana Sığdır - + Automatic Otomatik - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Japonca (日本語) - + American English Amerikan İngilizcesi - + French (français) Fransızca (français) - + German (Deutsch) Almanca (Deutsch) - + Italian (italiano) İtalyanca (italiano) - + Spanish (español) İspanyolca (español) - + Chinese Çince - + Korean (한국어) Korece (한국어) - + Dutch (Nederlands) Flemenkçe (Nederlands) - + Portuguese (português) Portekizce (português) - + Russian (Русский) Rusça (Русский) - + Taiwanese Tayvanca - + British English İngiliz İngilizcesi - + Canadian French Kanada Fransızcası - + Latin American Spanish Latin Amerika İspanyolcası - + Simplified Chinese Basitleştirilmiş Çince - + Traditional Chinese (正體中文) Geleneksel Çince (正體中文) - + Brazilian Portuguese (português do Brasil) Brezilya Portekizcesi (português do Brasil) - - Serbian (српски) - Sırpça (српски) + + Polish (polska) + - - + + Thai (แบบไทย) + + + + + Japan Japonya - + USA ABD - + Europe Avrupa - + Australia Avustralya - + China Çin - + Korea Kore - + Taiwan Tayvan - + Auto (%1) Auto select time zone Otomatik (%1) - + Default (%1) Default time zone Varsayılan (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Küba - + EET EET - + Egypt Mısır - + Eire İrlanda - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-İrlanda - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 MT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hong Kong - + HST HST - + Iceland İzlanda - + Iran İran - + Israel İsrail - + Jamaica Jamaika - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navaho - + NZ Yeni Zelanda - + NZ-CHAT Chatham Adaları - + Poland Polonya - + Portugal Portekiz - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapur - + Turkey Türkiye - + UCT UCT - + Universal Evrensel - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) 4GB DRAM (Varsayılan) - + 6GB DRAM (Unsafe) 6GB DRAM (Güvenli Değil) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (Güvenli Değil) - + 12GB DRAM (Unsafe) 12GB DRAM (Güvenli Değil) - + Docked Dock Modu Aktif - + Handheld Taşınabilir - - + + Off Kapalı - + Boost (1700MHz) Takviye (1700MHz) - + Fast (2000MHz) Hızlı (2000MHz) - + Always ask (Default) Her zaman sor (Varsayılan) - + Only if game specifies not to stop Sadece oyun durdurulmamasını belirtirse - + Never ask Asla sorma - - + + Medium (256) Orta (256) - - + + High (512) Yüksek (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled Devre Dışı - + ExtendedDynamicState 1 Genişletilmiş Dinamik Durum 1 - + ExtendedDynamicState 2 Genişletilmiş Dinamik Durum 2 - + ExtendedDynamicState 3 Genişletilmiş Dinamik Durum 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2226,7 +2344,7 @@ When a program attempts to open the controller applet, it is immediately closed. Varsayılana Döndür - + Auto Otomatik @@ -2675,81 +2793,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Hata Ayıklama Assert'lerini Etkinleştir - + Debugging Hata ayıklama - + Battery Serial: Pil Seri Numarası: - + Bitmask for quick development toggles Hızlı geliştirme geçişleri için bit maskesi - + Set debug knobs (bitmask) Hata ayıklama düğmelerini ayarla (bit maskesi) - + 16-bit debug knob set for quick development toggles Hızlı geliştirme geçişleri için 16 bit hata ayıklama düğmesi seti - + (bitmask) (bitmask) - + Debug Knobs: Hata Ayıklama Düğmeleri: - + Unit Serial: Ünite Seri Numarası: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Bu seçenek açıksa son oluşturulan ses komutları konsolda gösterilir. Sadece ses işleyicisi kullanan oyunları etkiler. - + Dump Audio Commands To Console** Konsola Ses Komutlarını Aktar** - + Flush log output on each line Her satırda günlük çıktısını boşalt - + Enable FS Access Log FS Erişim Kaydını Etkinleştir - + Enable Verbose Reporting Services** Detaylı Raporlama Hizmetini Etkinleştir - + Censor username in logs Günlüklerde kullanıcı adını sansürle - + **This will be reset automatically when Eden closes. **Bu, Eden kapandığında otomatik olarak sıfırlanacaktır. @@ -2810,13 +2933,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Ses - + CPU CPU @@ -2832,13 +2955,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Genel - + Graphics Grafikler @@ -2859,7 +2982,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Kontroller @@ -2875,7 +2998,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Sistem @@ -2993,58 +3116,58 @@ When a program attempts to open the controller applet, it is immediately closed. Üstveri Cache'ini Sıfırla - + Select Emulated NAND Directory... NAND Konumunu Seç... - + Select Emulated SD Directory... Emüle Edilmiş SD Kart Konumunu Seç... - - + + Select Save Data Directory... Kayıt Verisi Dizinini Seçin... - + Select Gamecard Path... Oyun Kartuşu Konumunu Seç... - + Select Dump Directory... Dump Konumunu Seç... - + Select Mod Load Directory... Mod Yükleme Konumunu Seç... - + Save Data Directory Kayıt Verisi Dizini - + Choose an action for the save data directory: Kayıt verisi dizini için bir işlem seçin: - + Set Custom Path Özel Yol Ayarla - + Reset to NAND NAND'a Sıfırla - + Save data exists in both the old and new locations. Old: %1 @@ -3061,7 +3184,7 @@ Kayıtları eski konumdan taşımak ister misiniz? UYARI: Bu işlem, yeni konumdaki çakışan tüm kayıtların üzerine yazacaktır! - + Would you like to migrate your save data to the new location? From: %1 @@ -3072,28 +3195,28 @@ Kaynak: %1 Hedef: %2 - + Migrate Save Data Kayıt Verilerini Taşı - + Migrating save data... Kayıt verileri taşınıyor... - + Cancel İptal - + Migration Failed Taşıma Başarısız - + Failed to create destination directory. Hedef dizin oluşturulamadı. @@ -3105,12 +3228,12 @@ Hedef: %2 %1 - + Migration Complete Taşıma Tamamlandı - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3133,20 +3256,55 @@ Eski kayıt verilerini silmek ister misiniz? Genel - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Tüm Ayarları Sıfırla - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Bu seçenek tüm genel ve oyuna özgü ayarları silecektir. Oyun dizinleri, profiller ve giriş profilleri silinmeyecektir. Devam etmek istiyor musunuz? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3176,33 +3334,33 @@ Eski kayıt verilerini silmek ister misiniz? Arkaplan Rengi: - + % FSR sharpening percentage (e.g. 50%) % - + Off Kapalı - + VSync Off VSync Kapalı - + Recommended Önerilen - + On Açık - + VSync On Vsync Açık @@ -3253,13 +3411,13 @@ Eski kayıt verilerini silmek ister misiniz? Vulkan Uzantıları - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Siyah ekranlara neden olan MoltenVK uyumluluk sorunları nedeniyle Genişletilmiş Dinamik Durum macOS üzerinde devre dışıdır. @@ -3831,7 +3989,7 @@ Eski kayıt verilerini silmek ister misiniz? - + Left Stick Sol Analog @@ -3941,14 +4099,14 @@ Eski kayıt verilerini silmek ister misiniz? - + ZL ZL - + L L @@ -3961,22 +4119,22 @@ Eski kayıt verilerini silmek ister misiniz? - + Plus Artı - + ZR ZR - - + + R R @@ -4033,7 +4191,7 @@ Eski kayıt verilerini silmek ister misiniz? - + Right Stick Sağ Analog @@ -4202,88 +4360,88 @@ Eksenleri ters çevirmek için, önce joystickinizi dikey sonra yatay olarak har Sega Genesis - + Start / Pause Başlat / Duraklat - + Z Z - + Control Stick Kontrol Çubuğu - + C-Stick C-Çubuğu - + Shake! Salla! - + [waiting] [bekleniyor] - + New Profile Yeni Profil - + Enter a profile name: Bir profil ismi girin: - - + + Create Input Profile Kontrol Profili Oluştur - + The given profile name is not valid! Girilen profil ismi geçerli değil! - + Failed to create the input profile "%1" "%1" kontrol profili oluşturulamadı - + Delete Input Profile Kontrol Profilini Kaldır - + Failed to delete the input profile "%1" "%1" kontrol profili kaldırılamadı - + Load Input Profile Kontrol Profilini Yükle - + Failed to load the input profile "%1" "%1" kontrol profili yüklenemedi - + Save Input Profile Kontrol Profilini Kaydet - + Failed to save the input profile "%1" "%1" kontrol profili kaydedilemedi @@ -4578,11 +4736,6 @@ Mevcut değerler sırasıyla %1 ve %2'dir. Enable Airplane Mode Uçak Modunu Etkinleştir - - - None - Hiçbiri - ConfigurePerGame @@ -4637,52 +4790,57 @@ Mevcut değerler sırasıyla %1 ve %2'dir. Bazı ayarlar yalnızca bir oyun çalışmadığında kullanılabilir. - + Add-Ons Eklentiler - + System Sistem - + CPU CPU - + Graphics Grafikler - + Adv. Graphics Gelişmiş Grafikler - + Ext. Graphics Ek Grafikler - + Audio Ses - + Input Profiles Kontrol Profilleri - + Network + Applets + + + + Properties Özellikler @@ -4700,15 +4858,110 @@ Mevcut değerler sırasıyla %1 ve %2'dir. Eklentiler - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Yama Adı - + Version Versiyon + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4756,62 +5009,62 @@ Mevcut değerler sırasıyla %1 ve %2'dir. %2 - + Users Kullanıcılar - + Error deleting image Resim silinirken hata oluştu - + Error occurred attempting to overwrite previous image at: %1. Eski resmin üzerine yazılmaya çalışırken hata oluştu: %1. - + Error deleting file Dosyayı silerken hata oluştu - + Unable to delete existing file: %1. Mevcut %1 dosyası silinemedi - + Error creating user image directory Kullanıcı görüntü klasörünü oluştururken hata - + Unable to create directory %1 for storing user images. Kullanıcı görüntülerini depolamak için %1 klasörü oluşturulamadı. - + Error saving user image Kullanıcı resmi kaydedilirken hata oluştu - + Unable to save image to file Resim dosyaya kaydedilemiyor - + &Edit - + &Delete - + Edit User @@ -4819,17 +5072,17 @@ Mevcut değerler sırasıyla %1 ve %2'dir. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Kullanıcıyı silmek istediğinize emin misiniz? Kayıtlı oyun verileri de birlikte silinecek. - + Confirm Delete Silmeyi Onayla - + Name: %1 UUID: %2 İsim: %1 @@ -5031,17 +5284,22 @@ UUID: %2 Yüklemeler sırasında yürütmeyi duraklat - + + Show recording dialog + + + + Script Directory Script Konumu - + Path Konum - + ... ... @@ -5054,7 +5312,7 @@ UUID: %2 TAS Yapılandırması - + Select TAS Load Directory... Tas Yükleme Dizini Seçin @@ -5192,64 +5450,43 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne ConfigureUI - - - + + None Hiçbiri - - Small (32x32) - Küçük (32x32) - - - - Standard (64x64) - Standart (64x64) - - - - Large (128x128) - Büyük (128x128) - - - - Full Size (256x256) - Tam Boyut (256x256) - - - + Small (24x24) Küçük (24x24) - + Standard (48x48) Standart (48x48) - + Large (72x72) Büyük (72x72) - + Filename Dosya adı - + Filetype Dosya türü - + Title ID Oyun ID - + Title Name Oyun Adı @@ -5318,71 +5555,66 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne - Game Icon Size: - Oyun Simge Boyutu: - - - Folder Icon Size: Dosya Simge Boyutu: - + Row 1 Text: 1. Sıra Yazısı: - + Row 2 Text: 2. Sıra Yazısı: - + Screenshots Ekran Görüntüleri - + Ask Where To Save Screenshots (Windows Only) Ekran Görüntülerinin Nereye Kaydedileceğini Belirle (Windows'a Özel) - + Screenshots Path: Ekran Görüntülerinin Konumu: - + ... ... - + TextLabel - + Resolution: Çözünürlük: - + Select Screenshots Path... Ekran Görüntülerinin Konumunu Seçin... - + <System> <System> - + English İngilizce - + Auto (%1 x %2, %3 x %4) Screenshot width value @@ -5516,20 +5748,20 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne Şu anda oynadığın oyunu Discord'da durum olarak göster - - + + All Good Tooltip Her Şey Yolunda - + Must be between 4-20 characters Tooltip 4-20 karakter arasında olmalıdır - + Must be 48 characters, and lowercase a-z Tooltip 48 karakter olmalı ve a-z arası küçük harf içermelidir @@ -5561,27 +5793,27 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne HERHANGİ bir veriyi silmek GERİ DÖNDÜRÜLEMEZ! - + Shaders Gölgelendiriciler - + UserNAND Kullanıcı NAND - + SysNAND SysNAND - + Mods Modlar - + Saves Kayıtlar @@ -5619,7 +5851,7 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne Bu dizin için veri içe aktarın. Bu biraz zaman alabilir ve MEVCUT TÜM VERİLERİ silecek! - + Calculating... Hesaplanıyor... @@ -5642,12 +5874,12 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne <html><head/><body><p>Eden'i mümkün kılan projeler - + Dependency Bağımlılık - + Version Versiyon @@ -5821,44 +6053,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL kullanıma uygun değil! - + OpenGL shared contexts are not supported. OpenGL paylaşılan bağlam desteklenmiyor. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! OpenGl başlatılırken bir hata oluştu! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. GPU'nuz OpenGL desteklemiyor veya güncel bir grafik sürücüsüne sahip değilsiniz. - + Error while initializing OpenGL 4.6! OpenGl 4.6 başlatılırken bir hata oluştu! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 GPU'nuz OpenGL 4.6'yı desteklemiyor veya güncel bir grafik sürücüsüne sahip değilsiniz.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 GPU'nuz gereken bir yada daha fazla OpenGL eklentisini desteklemiyor Lütfen güncel bir grafik sürücüsüne sahip olduğunuzdan emin olun.<br><br>GL Renderer:<br>%1<br><br> Desteklenmeyen Eklentiler:<br>%2 @@ -5866,203 +6098,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Favori - + Start Game Oyunu Başlat - + Start Game without Custom Configuration Oyunu Özel Yapılandırma Olmadan Başlat - + Open Save Data Location Kayıt Dosyası Konumunu Aç - + Open Mod Data Location Mod Dosyası Konumunu Aç - + Open Transferable Pipeline Cache Transfer Edilebilir Pipeline Cache'ini Aç - + Link to Ryujinx - + Remove Kaldır - + Remove Installed Update Yüklenmiş Güncellemeleri Kaldır - + Remove All Installed DLC Yüklenmiş DLC'leri Kaldır - + Remove Custom Configuration Oyuna Özel Yapılandırmayı Kaldır - + Remove Cache Storage - + Remove OpenGL Pipeline Cache OpenGL Pipeline Cache'ini Kaldır - + Remove Vulkan Pipeline Cache Vulkan Pipeline Cache'ini Kaldır - + Remove All Pipeline Caches Bütün Pipeline Cache'lerini Kaldır - + Remove All Installed Contents Tüm Yüklenmiş İçeriği Kaldır - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS RomFS Dump Et - + Dump RomFS to SDMC RomFS'i SDMC'ye çıkar. - + Verify Integrity - + Copy Title ID to Clipboard Title ID'yi Panoya Kopyala - + Navigate to GameDB entry GameDB sayfasına yönlendir - + Create Shortcut Kısayol Oluştur - + Add to Desktop Masaüstüne Ekle - + Add to Applications Menu Uygulamalar Menüsüne Ekl - + Configure Game - + Scan Subfolders Alt Klasörleri Tara - + Remove Game Directory Oyun Konumunu Kaldır - + ▲ Move Up ▲Yukarı Git - + ▼ Move Down ▼Aşağı Git - + Open Directory Location Oyun Dosyası Konumunu Aç - + Clear Temizle - + Name İsim - + Compatibility Uyumluluk - + Add-ons Eklentiler - + File type Dosya türü - + Size Boyut - + Play time @@ -6070,62 +6307,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Oyunda - + Game starts, but crashes or major glitches prevent it from being completed. Oyun başlatılabiliyor, fakat bariz hatalardan veya çökme sorunlarından dolayı bitirilemiyor. - + Perfect Mükemmel - + Game can be played without issues. Oyun sorunsuz bir şekilde oynanabiliyor. - + Playable Oynanabilir - + Game functions with minor graphical or audio glitches and is playable from start to finish. Oyun küçük grafik veya ses hatalarıyla çalışıyor ve baştan sona kadar oynanabilir. - + Intro/Menu İntro/Menü - + Game loads, but is unable to progress past the Start Screen. Oyun açılıyor, fakat ana menüden ileri gidilemiyor. - + Won't Boot Açılmıyor - + The game crashes when attempting to startup. Oyun açılmaya çalışıldığında çöküyor. - + Not Tested Test Edilmedi - + The game has not yet been tested. Bu oyun henüz test edilmedi. @@ -6133,7 +6370,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Oyun listesine yeni bir klasör eklemek için çift tıklayın. @@ -6141,17 +6378,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %n sonucun %1'i%n sonucun %1'i - + Filter: Filtre: - + Enter pattern to filter Filtrelemek için bir düzen giriniz @@ -6227,12 +6464,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Hata - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6241,19 +6478,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Sesi Sustur/Aç - - - - - - - - @@ -6276,154 +6505,180 @@ Debug Message: + + + + + + + + + + + Main Window Ana Pencere - + Audio Volume Down Ses Kapa - + Audio Volume Up Ses Aç - + Capture Screenshot Ekran Görüntüsü Al - + Change Adapting Filter Uyarlanan Filtreyi Değiştir - + Change Docked Mode Takılı Modu Kullan - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Sürdür/Emülasyonu duraklat - + Exit Fullscreen Tam Ekrandan Çık - + Exit Eden - + Fullscreen Tam Ekran - + Load File Dosya Aç - + Load/Remove Amiibo Amiibo Yükle/Kaldır - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room - - Multiplayer Direct Connect to Room + + Direct Connect to Room - - Multiplayer Leave Room + + Leave Room - - Multiplayer Show Current Room + + Show Current Room - + Restart Emulation Emülasyonu Yeniden Başlat - + Stop Emulation Emülasyonu Durdur - + TAS Record TAS Kaydet - + TAS Reset TAS Sıfırla - + TAS Start/Stop TAS Başlat/Durdur - + Toggle Filter Bar Filtre Çubuğunu Aç/Kapa - + Toggle Framerate Limit FPS Limitini Aç/Kapa - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Mouse ile Kaydırmayı Aç/Kapa - + Toggle Renderdoc Capture - + Toggle Status Bar Durum Çubuğunu Aç/Kapa + + + Toggle Performance Overlay + + InstallDialog @@ -6476,22 +6731,22 @@ Debug Message: Tahmini Süre 5d 4s - + Loading... Yükleniyor... - + Loading Shaders %1 / %2 Shaderlar Yükleniyor %1 / %2 - + Launching... Başlatılıyor... - + Estimated Time %1 Tahmini Süre %1 @@ -6540,42 +6795,42 @@ Debug Message: Lobiyi Yenile - + Password Required to Join Katılmak için Gereken Şifre - + Password: Şifre: - + Players Oyuncular - + Room Name Oda Adı - + Preferred Game Tercih Edilen Oyun - + Host Ana bilgisayar - + Refreshing Yenileniyor - + Refresh List Listeyi Yenile @@ -6624,1091 +6879,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Pencere Boyutunu &720p'ye Sıfırla - + Reset Window Size to 720p Pencere Boyutunu 720p'ye Sıfırla - + Reset Window Size to &900p Pencere Boyutunu &900p'ye Sıfırla - + Reset Window Size to 900p Pencere Boyutunu 900p'ye Sıfırla - + Reset Window Size to &1080p Pencere Boyutunu &1080p'ye Sıfırla - + Reset Window Size to 1080p Pencere Boyutunu 1080p'ye Sıfırla - + &Multiplayer &Çok Oyunculu - + &Tools &Aletler - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Yardım - + &Install Files to NAND... &NAND'e Dosya Kur... - + L&oad File... &Dosyayı Yükle... - + Load &Folder... &Klasörü Yükle... - + E&xit &Çıkış - - + + &Pause &Duraklat - + &Stop Du&rdur - + &Verify Installed Contents - + &About Eden - + Single &Window Mode &Tek Pencere Modu - + Con&figure... &Yapılandır... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar &Filtre Çubuğu'nu Göster - + Show &Status Bar &Durum Çubuğu'nu Göster - + Show Status Bar Durum Çubuğunu Göster - + &Browse Public Game Lobby &Herkese Açık Oyun Lobilerine Göz At - + &Create Room &Oda Oluştur - + &Leave Room &Odadan Ayrıl - + &Direct Connect to Room &Odaya Direkt Bağlan - + &Show Current Room &Şu Anki Odayı Göster - + F&ullscreen &Tam Ekran - + &Restart &Yeniden Başlat - + Load/Remove &Amiibo... &Amiibo Yükle/Kaldır - + &Report Compatibility &Uyumluluk Bildir - + Open &Mods Page &Mod Sayfasını Aç - + Open &Quickstart Guide &Hızlı Başlangıç Kılavuzunu Aç - + &FAQ &SSS - + &Capture Screenshot &Ekran Görüntüsü Al - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... &TAS'i Ayarla... - + Configure C&urrent Game... &Geçerli Oyunu Yapılandır... - - + + &Start B&aşlat - + &Reset &Sıfırla - - + + R&ecord K&aydet - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected Bozuk Vulkan Kurulumu Algılandı - + Vulkan initialization failed during boot. Açılış sırasında Vulkan başlatma işlemi başarısız oldu. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Bir oyun çalıştırılıyor - + Loading Web Applet... Web Uygulaması Yükleniyor... - - + + Disable Web Applet Web Uygulamasını Devre Dışı Bırak - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute Sesi aç - + Mute Sessize al - + Reset Volume Sesi Sıfırla - + &Clear Recent Files &Son Dosyaları Temizle - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL URL açılırken hata oluştu - + Unable to open the URL "%1". - + TAS Recording TAS İşlemi Kaydı - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo Amiibo - - + + The current amiibo has been removed Mevcut Amiibo kaldırıldı - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted Donanım Yazılımı/Firmware Bozuk - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available Güncelleme Mevcut - - Download the %1 update? - %1x güncellemesini yüklemek istiyor musun? + + Download %1? + - + TAS state: Running %1/%2 TAS durumu: %1/%2 Çalışıyor - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor Ölçek: %1x - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7716,69 +8033,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7805,27 +8132,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7880,22 +8207,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7903,13 +8230,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7920,7 +8247,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7928,11 +8255,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8101,86 +8441,86 @@ Devam etmek istiyor musunuz? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8219,6 +8559,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8253,39 +8667,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Yüklenmiş SD Oyunları - - - - Installed NAND Titles - Yüklenmiş NAND Oyunları - - - - System Titles - Sistemde Yüklü Oyunlar - - - - Add New Game Directory - Yeni Oyun Konumu Ekle - - - - Favorites - Favoriler - - - - - + + + Migration - + Clear Shader Cache @@ -8318,18 +8707,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8720,6 +9109,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 %2'yi oynuyor + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Yüklenmiş SD Oyunları + + + + Installed NAND Titles + Yüklenmiş NAND Oyunları + + + + System Titles + Sistemde Yüklü Oyunlar + + + + Add New Game Directory + Yeni Oyun Konumu Ekle + + + + Favorites + Favoriler + QtAmiiboSettingsDialog @@ -8837,250 +9271,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9088,22 +9522,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9111,48 +9545,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9164,18 +9598,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9183,229 +9617,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9413,83 +9903,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9510,56 +10000,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9600,7 +10090,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9613,7 +10103,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons İkili Joyconlar @@ -9626,7 +10116,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Sol Joycon @@ -9639,7 +10129,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Sağ Joycon @@ -9668,7 +10158,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9789,32 +10279,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller GameCube Kontrolcüsü - + Poke Ball Plus Poke Ball Plus - + NES Controller NES Kontrolcüsü - + SNES Controller SNES Kontrolcüsü - + N64 Controller N64 Kontrolcüsü - + Sega Genesis Sega Genesis @@ -9969,13 +10459,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK Tamam - + Cancel İptal @@ -10010,12 +10500,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10051,7 +10541,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/uk.ts b/dist/languages/uk.ts index ceb80d26ae..1850ad1bc3 100644 --- a/dist/languages/uk.ts +++ b/dist/languages/uk.ts @@ -375,146 +375,151 @@ This would ban both their forum username and their IP address. % - + Amiibo editor Редактор amiibo - + Controller configuration Налаштування контролера - + Data erase Стирання даних - + Error Помилка - + Net connect Мережеве з’єднання - + Player select Вибір гравця - + Software keyboard Програмна клавіатура - + Mii Edit Редагування Mii - + Online web Онлайн-мережа - + Shop Крамниця - + Photo viewer Переглядач фото - + Offline web Офлайн-мережа - + Login share Спільний вхід - + Wifi web auth Wifi-автентифікація - + My page Моя сторінка - + Enable Overlay Applet Увімкнути аплет оверлея - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + Вмикає вбудований аплет-оверлей Horizon. Натисніть і утримуйте 1 секунду кнопку «Домівка», щоб показати його. + + + Output Engine: Рушій виведення: - + Output Device: Пристрій виведення: - + Input Device: Пристрій введення: - + Mute audio Вимкнути звук - + Volume: Гучність: - + Mute audio when in background Вимикати звук у фоновому режимі - + Multicore CPU Emulation Багатоядерна емуляція ЦП - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. Це налаштування збільшує потоки емуляції ЦП з 1 до максимальних 4. Це налаштування в основному для зневадження й не повинно бути вимкненим. - + Memory Layout Розкладка пам’яті - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - Збільшує обсяг емульованої оперативної пам’яті з 4 ГБ як у стандартного Switch до 6/8 ГБ із версії для розробників. + Збільшує обсяг емульованої оперативної пам’яті/ Не впливає на продуктивність/стабільність, але може дозволити завантажувати модифіковані текстури вищої роздільності. - + Limit Speed Percent Відсоток обмеження швидкості - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +527,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + Прискорення + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + Коли натиснуто сполучення кнопок для «Прискорення», швидкість буде обмежено до цього відсотка. + + + + Slow Speed + Сповільнення + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + Коли натиснуто сполучення кнопок для «Сповільнення», швидкість буде обмежено до цього відсотка. + Synchronize Core Speed @@ -535,60 +560,60 @@ Can help reduce stuttering at lower framerates. Може зменшити затримки при низькій частоті кадрів. - + Accuracy: Точність: - + Change the accuracy of the emulated CPU (for debugging only). Змінює точність емульованого ЦП (лише для зневадження) - - + + Backend: Бекенд: - + CPU Overclock Розгін ЦП - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. Розгін емульованого ЦП, щоб прибрати деякі обмеження частоти кадрів. Слабші ЦП можуть зіткнутися зі зменшеною продуктивністю, а деякі ігри можуть працювати некоректно. Використовуйте «Підвищення (1700 МГц)», щоб емулювати максимальну тактову частоту справжнього Switch, або «Швидко (2000 МГц)», щоб подвоїти частоту. - + Custom CPU Ticks Користувацькі такти ЦП - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. Налаштування власного значення тактів ЦП. Більші значення можуть збільшити продуктивність, але також можуть спричинити блокування. Рекомендовані значення в діапазоні 77–21000. - + Virtual Table Bouncing Відхиляння віртуальних таблиць - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort Відхиляє (емулюючи повернення нульового значення) будь-які функції, що викликають переривання попереднього завантаження - + Enable Host MMU Emulation (fastmem) Увімкнути емуляцію MMU хоста (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,100 +622,100 @@ Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Не використовувати FMA (покращує продуктивність на ЦП без FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. Це налаштування покращує швидкість завдяки зменшенню точності виконання операцій множення й складання з окрегленням на ЦП без вбудованої підтримки FMA. - + Faster FRSQRTE and FRECPE Швидші FRSQRTE та FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. Це налаштування покращує швидкість виконання деяких приблизних функцій із рухомою комою завдяки використанню менш точних вбудованих приближеннях. - + Faster ASIMD instructions (32 bits only) Швидші інструкції ASIMD (лише 32 біти) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. Це налаштування покращує швидкість виконання 32 бітових функцій ASIMD із рухомою комою завдяки використанню неправильних режиміс округлення. - + Inaccurate NaN handling Неточна обробка NaN - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. Це налаштування покращує швидкість завдяки вилученню перевірки NaN. Зверніть увагу, що також це зменшує точність виконання певних інструкцій із рухомою комою. - + Disable address space checks Вимкнути перевірки адресного простору - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. Це налаштування покращує швидкість завдяки вимкненню перевірок безпеки перед операціями з пам’яттю. Вимкнення може дозволити грі виконувати довільний код. - + Ignore global monitor Ігнорувати глобальний моніторинг - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. Це налаштування покращує швидкість завдяки покладанню лише на семантику cmpxchg, щоб забезпечити безпеку інструкцій ексклюзивного доступу. Зверніть увагу, що це може спричинити взаємне блокування або інші умови змагання даних. - + API: API: - + Changes the output graphics API. Vulkan is recommended. Змінює API виведення графіки. Рекомендовано використовувати Vulkan. - + Device: Пристрій: - + This setting selects the GPU to use (Vulkan only). Це налаштування вибирає ГП для використання (лише Vulkan). - + Resolution: Роздільність: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -699,27 +724,27 @@ Options lower than 1X can cause artifacts. Варіанти нище ніж 1X можуть спричинити проблеми з візуалізацією. - + Window Adapting Filter: Фільтр адаптації вікна: - + FSR Sharpness: Різкість FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. Визначає, наскільки різким буде виглядати зображення при використанні динамічного контрасту FSR. - + Anti-Aliasing Method: Метод згладжування: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -728,12 +753,12 @@ SMAA забезпечує найкращу якість. FXAA може створювати стабільніше зображення при низьких роздільностях. - + Fullscreen Mode: Повноекранний режим: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -742,12 +767,12 @@ Exclusive fullscreen may offer better performance and better Freesync/Gsync supp «Ексклюзивний повноекранний» може надати кращі продуктивність і підтримку Freesync/Gsync. - + Aspect Ratio: Співвідношення сторін: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -756,24 +781,24 @@ Also controls the aspect ratio of captured screenshots. Також керує співвідношеням сторін знімків екрана. - + Use persistent pipeline cache Використовувати стійкий кеш конвеєра - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. Дозволяє зберігати шейдери на накопичувачі для швидшого завантаження під час наступних запусків гри. Вимкнення цього налаштування задумане лише для зневадження. - + Optimize SPIRV output Оптимізовувати виведення SPIRV - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -784,12 +809,12 @@ This feature is experimental. Ця функція є експериментальною. - + NVDEC emulation: Емуляція NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -798,12 +823,12 @@ In most cases, GPU decoding provides the best performance. У більшості випадків декодування за допомогою ГП забезпечує найкращу продуктивність. - + ASTC Decoding Method: Метод декодування ASTC: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -815,12 +840,12 @@ stuttering but may present artifacts. Асинхронно ЦП: Використання ЦП для декодування ASTC-текстур по мірі їх викликів. Повністю усуває затримки декодування ASTC ціною проблем з візуалізацією, поки текстури декодуються. - + ASTC Recompression Method: Метод перестиснення ASTC: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -828,34 +853,44 @@ BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, BC1/BC3: Проміжний формат буде перепаковано у формат BC1 або BC3 для збереження відеопам’яті, але це негатривно вплине на якість зображення. - + + Frame Pacing Mode (Vulkan only) + Режим виведення кадрів (лише Vulkan) + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + Керує тим, як емулятор виконує виведення кадрів, щоб зменшити затримки й забезпечити плавнішу й стабільнішу частоту кадрів. + + + VRAM Usage Mode: Режим використання відеопам’яті: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. Це налаштування вибирає, чи повинен емулятор надавати перевагу заощадженню пам’яті, чи по максимуму використовувати доступну відеопам’ять задля продуктивності. Режим «Агресивно» може вплинути на продуктивність інших застосунків, як-от засоби запису. - + Skip CPU Inner Invalidation Пропускати внутрішнє анулювання ЦП - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. Пропускає деякі анулювання кешу під час оновлень пам’яті, зменшуючи використання ЦП й виправляючи затримки. Це може спричинити збої. - + VSync Mode: Режим вертикальної синхронізації: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -866,12 +901,12 @@ Mailbox може мати меншу затримку, ніж FIFO, і не ма Immediate (без синхронізації) показує всі кадри й може створювати розриви. - + Sync Memory Operations Синхронізувати операції з пам’яттю - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -880,44 +915,44 @@ Unreal Engine 4 games often see the most significant changes thereof. Ігри на Unreal Engine 4 часто зазнають найзначніших змін. - + Enable asynchronous presentation (Vulkan only) Увімкнути асинхронне подання (лише Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. Трохи покращує продуктивність завдяки переміщенню подання на окремий потік ЦП. - + Force maximum clocks (Vulkan only) Примусово максимальна тактова частота (лише Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Виконує роботу у фоновому режимі в очікуванні графічних команд, не даючи змоги ГП знижувати тактову частоту. - + Anisotropic Filtering: Анізотропна фільтрація: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. Керує якістю візуалізації текстур під непрямими кутами. Для більшості ГП можна вільно вибирати 16x. - + GPU Mode: Режим ГП: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. @@ -926,94 +961,106 @@ Particles tend to only render correctly with Accurate mode. Частинки зазвичай правильно візуалізуються лише з режимом «Точно». - + DMA Accuracy: Точність DMA: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. Керує точністю DMA. Вища точність виправляє проблеми з деякими іграми, але може погіршити продуктивність. - + Enable asynchronous shader compilation Увімкнути асинхронну компіляцію шейдерів - + May reduce shader stutter. Може зменшити шейдерні затримки. - + Fast GPU Time Швидкий час роботи ГП - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. Розганяє емульований ГП для збільшення динамічної роздільності та відстані візуалізації. Використовуйте 256 для максимальної продуктивності та 512 для максимальної точності графіки. - - GPU Unswizzle Max Texture Size - Максимальний розмір текстур для відновлення перевпорядковування за допомогою ГП + + GPU Unswizzle + Розпакування за допомогою ГП - + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + Прискорює декодування 3D-текстур BCn застосовуючи обчислення за допомогою ГП. +Вимкніть у разі збоїв або проблем із графікою. + + + + GPU Unswizzle Max Texture Size + Максимальний розмір текстур для розпакування за допомогою ГП + + + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - Встановлює максимальний розмір (МіБ) для відновлення перевпорядкованих текстур за допомогою ГП. + Встановлює максимальний розмір (МіБ) для розпакування текстур за допомогою ГП. ГП швидше справляється з текстурами середніх і великих розмірів, а ЦП ефективніший для дуже маленьких. Налаштуйте, щоб збалансувати ГП-прискоренням і навантаженням на ЦП. - + GPU Unswizzle Stream Size - Розмір потоку відновлення перевпорядковування за допомогою ГП + Розмір потоку розпакування за допомогою ГП - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. Встановлює максимальний обсяг даних текстур (у МіБ) для обробки на кадр. Вищі значення здатні зменшити затримки під час завантаження текстур, але можуть вплинути на стабільність кадрів. - + GPU Unswizzle Chunk Size - Розмір блоків відновлення перевпорядковування за допомогою ГП + Розмір блоків розпакування за допомогою ГП - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. Визначає кількість зрізів глибини, оброблених за одне відправлення. Збільшення здатне покращити пропускну здатність на потужних ГП, але може призвести до TDR або затримок драйвера зі слабшим устаткуванням. - + Use Vulkan pipeline cache Використовувати кеш конвеєра Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. Вмикає особливий для різних виробників ГП кеш конвеєра. Це налаштування може значно зменшити час завантаження шейдерів у випадках, коли драйвер Vulkan не зберігає власний кеш конвеєра. - + Enable Compute Pipelines (Intel Vulkan Only) Увімкнути обчислювальні конвеєри (лише Intel Vulkan) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1022,184 +1069,208 @@ Compute pipelines are always enabled on all other drivers. Обчислювальні конвеєри завжди увімкнені у всіх інших драйверах. - + Enable Reactive Flushing Увімкнути реактивне очищення - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. Використовує реактивне очищення замість прогнозованого, забезпечуючи точнішу синхронізацію пам’яті. - + Sync to framerate of video playback Синхронізувати частоту кадрів з відтворенням відео - + Run the game at normal speed during video playback, even when the framerate is unlocked. Відтворювати гру з нормальною швидкістю під час відтворення відео навіть при розблокованій частоті кадрів. - + Barrier feedback loops Бар’єрні цикли відгуку - + Improves rendering of transparency effects in specific games. Покращує візуалізацію ефектів прозорості в деяких іграх. - + + Enable buffer history + Увімкнути історію буфера + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + Вмикає доступ до попередніх станів буфера. +Цей параметр може покращити якість візуалізації та стабільну продуктивність у деяких іграх. + + + Fix bloom effects Виправити ефекти світіння - + Removes bloom in Burnout. Прибирає світіння в Burnout. - + + Enable Legacy Rescale Pass + Увімкнути застаріле масштабування + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + Може виправити проблеми з масштабуванням в іграх, покладаючись на поведінку з попередньої імплементації. +Застаріле масштабування виправляє артефакти з лініями на ГП від AMD та Intel, а також сіре блимання текстур на ГП від Nvidia в Luigis Mansion 3. + + + Extended Dynamic State Розширений динамічний стан - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. Керує кількістю функцій, які можна використовувати в «Розширеному динамічному стані». Вищі значення допускають більше функцій і можуть збільшити продуктивність, але можуть спричинити додаткові проблеми з графікою. - + Vertex Input Dynamic State Динамічний стан введення вершин - + Enables vertex input dynamic state feature for better quality and performance. Вмикає можливість динамічного стану введення вершин для кращих якості й продуктивності. - + Provoking Vertex Провокативна вершина - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. Покращує освітлення та взаємодію з вершинами у деяких іграх. Це розширення підтримують лише пристрої з Vulkan 1.0+. - + Descriptor Indexing Індексування дескрипторів - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Покращує взаємодію з текстурами й буфером, а також шар перетворення Maxwell. Це розширення підтримують деякі пристрої з Vulkan 1.1+ та всі з 1.2+. - + Sample Shading Шейдинг зразків - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. Дозволяє виконувати фрагмент шейдера для кожного зразка в багатозразковому фрагменті замість одного разу для кожного фрагмента. Покращує якість графікі ціною втрати продуктивності. Вищі значення покращують якість, але погіршують продуктивність. - + RNG Seed Початкове значення RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. Керує початковим значення генератора випадкових чисел. Зазвичай використовується в спідранах. - + Device Name Назва пристрою - + The name of the console. Назва консолі. - + Custom RTC Date: Користувацька дата RTC: - + This option allows to change the clock of the console. Can be used to manipulate time in games. Це налаштування дозволяє змінити час годинника консолі. Можна використовувати для маніпуляцій із часом в іграх. - + The number of seconds from the current unix time Кількість секунд від поточного unix-часу. - + Language: Мова: - + This option can be overridden when region setting is auto-select Це налаштування може перевизначитися, якщо налаштування регіону вибирається автоматично - + Region: Регіон: - + The region of the console. Регіон консолі. - + Time Zone: Часовий пояс: - + The time zone of the console. Часовий пояс консолі. - + Sound Output Mode: Режим виведення звуку: - + Console Mode: Режим консолі: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1208,998 +1279,1049 @@ Setting to Handheld can help improve performance for low end systems. Налаштування «Портативний» може покращити продуктивність на слабких системах. - + + Unit Serial + Серійний номер пристрою + + + + Battery Serial + Серійний номер акумулятора + + + + Debug knobs + Зневаджувальні регулятори + + + Prompt for user profile on boot Запитувати профіль користувача під час запуску - + Useful if multiple people use the same PC. Корисно, якщо одним комп’ютером користуються кілька користувачів. - + Pause when not in focus Призупиняти, якщо не у фокусі - + Pauses emulation when focusing on other windows. Призупиняє емуляцію при фокусування на інших вікнах. - + Confirm before stopping emulation Підтверджувати зупинку емуляції - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. Перевизначає запити на підтвердження зупинки емуляції. Увімкнення обходить такі запити й одразу зупиняє емуляцію. - + Hide mouse on inactivity Приховувати курсор миші при бездіяльності - + Hides the mouse after 2.5s of inactivity. Приховує курсор миші після 2,5 с її бездіяльності. - + Disable controller applet Вимкнути аплет контролера - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. Примусово вимикає використання в емульованих програмах аплета контролера. Якщо програма спробує відкрити аплет контролера, він одразу закриється. - + Check for updates Перевіряти оновлення - + Whether or not to check for updates upon startup. Чи перевіряти оновлення при запуску. - + Enable Gamemode Увімкнути ігровий режим - + Force X11 as Graphics Backend Примусово використовувати X11 як графічний бекенд - + Custom frontend Користувацький фронтенд - + Real applet Справжній аплет - + Never Ніколи - + On Load При завантаженні - + Always Завжди - + CPU ЦП - + GPU ГП - + CPU Asynchronous Асинхронно ЦП - + Uncompressed (Best quality) Без стиснення (Найкраща якість) - + BC1 (Low quality) ВС1 (Низька якість) - + BC3 (Medium quality) ВС3 (Середня якість) - - Conservative - Заощадження - - - - Aggressive - Агресивно - - - - Vulkan - Vulkan - - - - OpenGL GLSL - OpenGL GLSL - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - OpenGL GLASM (асемблерні шейдери, лише NVIDIA) - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - OpenGL SPIR-V (експериментально, лише AMD/Mesa) - - - - Null - Нічого - - - - Fast - Швидко - - - - Balanced - Збалансовано - - - - - Accurate - Точно - - - - - Default - Стандартно - - - - Unsafe (fast) - Небезпечно (швидко) - - - - Safe (stable) - Безпечно (стабільно) - - - + + Auto Автоматично - + + 30 FPS + 30 к/с + + + + 60 FPS + 60 к/с + + + + 90 FPS + 90 к/с + + + + 120 FPS + 120 к/с + + + + Conservative + Заощадження + + + + Aggressive + Агресивно + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (асемблерні шейдери, лише NVIDIA) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (експериментально, лише AMD/Mesa) + + + + Null + Нічого + + + + Fast + Швидко + + + + Balanced + Збалансовано + + + + + Accurate + Точно + + + + + Default + Стандартно + + + + Unsafe (fast) + Небезпечно (швидко) + + + + Safe (stable) + Безпечно (стабільно) + + + Unsafe Небезпечно - + Paranoid (disables most optimizations) Параноїк (вимикає більшість оптимізацій) - + Debugging Зневадження - + Dynarmic Динамічно - + NCE NCE - + Borderless Windowed Безрамкове вікно - + Exclusive Fullscreen Ексклюзивний повноекранний - + No Video Output Виведення відео відсутнє - + CPU Video Decoding Декодування відео на ЦП - + GPU Video Decoding (Default) Декодування відео на ГП (стандатно) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [ЕКСПЕРИМЕНТАЛЬНО] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [ЕКСПЕРИМЕНТАЛЬНО] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [ЕКСПЕРИМЕНТАЛЬНО] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [ЕКСПЕРИМЕНТАЛЬНО] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [ЕКСПЕРИМЕНТАЛЬНО] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Найближчий сусід - + Bilinear Білінійний - + Bicubic Бікубічний - + Gaussian Ґаусса - + Lanczos Ланцоша - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution AMD FidelityFX Super Resolution - + Area Області - + MMPX MMPX - + Zero-Tangent Нульовий тангенс - + B-Spline B-Spline - + Mitchell Мітчелла - + Spline-1 Spline-1 - - + + None Немає - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Стандартно (16:9) - + Force 4:3 Примусово 4:3 - + Force 21:9 Примусово 21:9 - + Force 16:10 Примусово 16:10 - + Stretch to Window Розтягнути до вікна - + Automatic Автоматично - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) Японська (日本語) - + American English Американська англійська - + French (français) Французька (français) - + German (Deutsch) Німецька (Deutsch) - + Italian (italiano) Італійська (italiano) - + Spanish (español) Іспанська (español) - + Chinese Китайська - + Korean (한국어) Корейська (한국어) - + Dutch (Nederlands) Нідерландська (Nederlands) - + Portuguese (português) Португальська (português) - + Russian (Русский) Російська (Русский) - + Taiwanese Тайванська - + British English Британська англійська - + Canadian French Канадська французька - + Latin American Spanish Латиноамериканська іспанська - + Simplified Chinese Спрощена китайська - + Traditional Chinese (正體中文) Традиційна китайська (正體中文) - + Brazilian Portuguese (português do Brasil) Бразильська португальська (português do Brasil) - - Serbian (српски) - Сербська (српски) + + Polish (polska) + Польська (polska) - - + + Thai (แบบไทย) + Тайська (แบบไทย) + + + + Japan Японія - + USA США - + Europe Європа - + Australia Австралія - + China Китай - + Korea Корея - + Taiwan Тайвань - + Auto (%1) Auto select time zone Автоматично (%1) - + Default (%1) Default time zone Стандартно (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Куба - + EET EET - + Egypt Єгипет - + Eire Ейре - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Гринвіч - + Hongkong Гонконг - + HST HST - + Iceland Ісландія - + Iran Іран - + Israel Ізраїль - + Jamaica Ямайка - + Kwajalein Кваджалейн - + Libya Лівія - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Навахо - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Польща - + Portugal Португалія - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Сінгапур - + Turkey Туреччина - + UCT UCT - + Universal Універсальний - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Зулу - + Mono Моно - + Stereo Стерео - + Surround Об’ємний - + 4GB DRAM (Default) 4GB DRAM (стандартно) - + 6GB DRAM (Unsafe) 6GB DRAM (небезпечно) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (небезпечно) - + 12GB DRAM (Unsafe) 12GB DRAM (небезпечно) - + Docked У докстанції - + Handheld Портативний - - + + Off Вимкнено - + Boost (1700MHz) Підвищення (1700 МГц) - + Fast (2000MHz) Швидко (2000 МГц) - + Always ask (Default) Завжди запитувати (стандартно) - + Only if game specifies not to stop Лише якщо гра вказує не зупиняти - + Never ask Ніколи не запитувати - - + + Medium (256) Середньо (256) - - + + High (512) Високо (512) - + Very Small (16 MB) Дуже малий (16 МБ) - + Small (32 MB) Малий (32 МБ) - + Normal (128 MB) Нормальний (128 МБ) - + Large (256 MB) Великий (256 МБ) - + Very Large (512 MB) Дуже великий (512 МБ) - + Very Low (4 MB) Дуже низький (4 МБ) - + Low (8 MB) Низький (8 МБ) - + Normal (16 MB) Нормальний (16 МБ) - + Medium (32 MB) Середній (32 МБ) - + High (64 MB) Високий (64 МБ) - + Very Low (32) Дуже низький (32) - + Low (64) Низький (64) - + Normal (128) Нормальний (128) - + Disabled Вимкнено - + ExtendedDynamicState 1 Розширений динамічний стан 1 - + ExtendedDynamicState 2 Розширений динамічний стан 2 - + ExtendedDynamicState 3 Розширений динамічний стан 3 + + + Tree View + Дерево вибору + + + + Grid View + Таблиця + ConfigureApplets @@ -2271,7 +2393,7 @@ When a program attempts to open the controller applet, it is immediately closed. Відновити стандартні - + Auto Автоматично @@ -2563,7 +2685,7 @@ When a program attempts to open the controller applet, it is immediately closed. Enable Extended Logging** - Увімкнути розширений журнал** + Увімкнути розширене журналювання** @@ -2722,81 +2844,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + Використовувати dev.keys + + + Enable Debug Asserts Увімкнути зневаджувальні перевірки - + Debugging Зневадження - + Battery Serial: Серійний номер акумулятора: - + Bitmask for quick development toggles Бітова маска для швидких перемикань під час розробки - + Set debug knobs (bitmask) Встановити зневаджувальні регулятори (бітові маски) - + 16-bit debug knob set for quick development toggles 16-бітовий зневаджувальний регулятор для швидких перемикань під час розробки - + (bitmask) (бітова маска) - + Debug Knobs: Зневаджувальні регулятори: - + Unit Serial: Серійний номер пристрою: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Увімкніть, щоб виводити до консолі перелік останніх згенерированих аудіокоманд. Впливає лише на ігри, які використовують аудіорендерер. - + Dump Audio Commands To Console** Виводити аудіокоманди до консолі** - + Flush log output on each line Скидати журнал виведення з кожним рядком - + Enable FS Access Log Увімкнути журнал доступу до файлової системи - + Enable Verbose Reporting Services** Увімкнути служби докладних звітів** - + Censor username in logs Приховувати ім’я користувача в журналі - + **This will be reset automatically when Eden closes. **Це налаштування автоматично скинеться після закриття Eden. @@ -2857,13 +2984,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Звук - + CPU ЦП @@ -2879,13 +3006,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Загальні - + Graphics Графіка @@ -2906,7 +3033,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Керування @@ -2922,7 +3049,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Система @@ -3040,58 +3167,58 @@ When a program attempts to open the controller applet, it is immediately closed. Скинути кеш метаданих - + Select Emulated NAND Directory... Виберіть теку для емульованої NAND-пам’яті... - + Select Emulated SD Directory... Виберіть теку для емульованої SD-картки... - - + + Select Save Data Directory... Виберіть теку для даних збережень... - + Select Gamecard Path... Виберіть теку для ігрових карток... - + Select Dump Directory... Виберіть теку для дампів... - + Select Mod Load Directory... Виберіть теку для завантаження модів... - + Save Data Directory Тека даних збережень - + Choose an action for the save data directory: Виберіть дію для теки даних збережень: - + Set Custom Path Встановити користувацький шлях - + Reset to NAND Скинути до NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3108,7 +3235,7 @@ WARNING: This will overwrite any conflicting saves in the new location! УВАГА: Ця дія перезапише всі конфліктні збереження за новим розташуванням. - + Would you like to migrate your save data to the new location? From: %1 @@ -3119,28 +3246,28 @@ To: %2 До: %2 - + Migrate Save Data Перенести дані збережень - + Migrating save data... Перенесення даних збережень... - + Cancel Скасувати - + Migration Failed Не вдалося перенести - + Failed to create destination directory. Не вдалося створити цільову теку. @@ -3152,12 +3279,12 @@ To: %2 %1 - + Migration Complete Перенесення завершено - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3180,20 +3307,55 @@ Would you like to delete the old save data? Загальні - + + External Content + Зовнішній вміст + + + + Add directories to scan for DLCs and Updates without installing to NAND + Додати теки для сканування на вміст доповнень і оновлень без встановлення до NAND + + + + Add Directory + Додати теку + + + + Remove Selected + Вилучити вибране + + + Reset All Settings Скинути всі налаштування - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Це скине всі налаштування і видалить усі конфігурації під окремі ігри. При цьому не будуть видалені шляхи до ігор, профілів або профілів вводу. Продовжити? + + + Select External Content Directory... + Виберіть теку для зовнішнього вмісту... + + + + Directory Already Added + Теку вже додано + + + + This directory is already in the list. + Ця тека вже в переліку. + ConfigureGraphics @@ -3223,33 +3385,33 @@ Would you like to delete the old save data? Колір тла: - + % FSR sharpening percentage (e.g. 50%) % - + Off Вимкнено - + VSync Off Вертикальну синхронізацію вимкнено - + Recommended Рекомендовано - + On Увімкнено - + VSync On Вертикальну синхронізацію увімкнено @@ -3300,13 +3462,13 @@ Would you like to delete the old save data? Розширення Vulkan - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. Розширений динамічний стан вимкнений для macOS, осткільки проблеми із сумісністю MoltenVK спричиняють чорні екрани. @@ -3878,7 +4040,7 @@ Would you like to delete the old save data? - + Left Stick Лівий джойстик @@ -3988,14 +4150,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -4008,22 +4170,22 @@ Would you like to delete the old save data? - + Plus Плюс - + ZR ZR - - + + R R @@ -4080,7 +4242,7 @@ Would you like to delete the old save data? - + Right Stick Правий джойстик @@ -4249,88 +4411,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Sega Genesis - + Start / Pause Запустити / Призупинити - + Z Z - + Control Stick Джойстик Control - + C-Stick C-Джойстик - + Shake! Потрусіть! - + [waiting] [очікування] - + New Profile Новий профіль - + Enter a profile name: Введіть назву профілю: - - + + Create Input Profile Створити профіль введення - + The given profile name is not valid! Задана назва профілю неправильна! - + Failed to create the input profile "%1" Не вдалося створити профіль введення «%1» - + Delete Input Profile Видалити профіль введення - + Failed to delete the input profile "%1" Не вдалося видалити профіль введення «%1» - + Load Input Profile Завантажити профіль введення - + Failed to load the input profile "%1" Не вдалося завантажити профіль введення «%1» - + Save Input Profile Зберегти профіль введення - + Failed to save the input profile "%1" Не вдалося зберегти профіль введення «%1» @@ -4625,11 +4787,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode Увімкнути режим «У літаку» - - - None - Жодного - ConfigurePerGame @@ -4684,52 +4841,57 @@ Current values are %1% and %2% respectively. Деякі налаштування доступні лише коли гра не запущена. - + Add-Ons Додатки - + System Система - + CPU ЦП - + Graphics Графіка - + Adv. Graphics Графіка (дод.) - + Ext. Graphics Графіка (дод.) - + Audio Звук - + Input Profiles Профілі введення - + Network Мережа + Applets + Аплети + + + Properties Властивості @@ -4747,15 +4909,115 @@ Current values are %1% and %2% respectively. Додатки - + + Import Mod from ZIP + Імпортувати мод із ZIP + + + + Import Mod from Folder + Імпортувати мод із теки + + + Patch Name Назва патчу - + Version Версія + + + Mod Install Succeeded + Мод успішно встановлено + + + + Successfully installed all mods. + Усі моди успішно встановлено. + + + + Mod Install Failed + Не вдалося встановити мод + + + + Failed to install the following mods: + %1 +Check the log for details. + Не вдалося встановити такі моди: + %1 +Перевірте журнал, щоб переглянути подробиці. + + + + Mod Folder + Тека модів + + + + Zipped Mod Location + Розташування модів у zip-архівах + + + + Zipped Archives (*.zip) + Zip-архіви (*.zip) + + + + Invalid Selection + Неправильний вибір + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + Будуть видалені лише моди, чити й патчі. +Щоб видалити оновлення, встановлені до NAND, натисніть правою кнопкою миші на гру в переліку ігор та виберіть «Вилучити» → «Вилучити встановлене оновлення». + + + + You are about to delete the following installed mods: + + Ви збираєтеся видалити такі встановлені моди: + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + +Після видалення їхнє відновлення НЕ буде можливим. Ви на 100% впевнені, що хочете їх видалити? + + + + Delete add-on(s)? + Видалити доповнення? + + + + Successfully deleted + Успішно видалено + + + + Successfully deleted all selected mods. + Усі вибрані моди успішно видалено. + + + + &Delete + [&D] Видалити + + + + &Open in File Manager + [&O] Відкрити у файловому менеджері + ConfigureProfileManager @@ -4803,80 +5065,80 @@ Current values are %1% and %2% respectively. %2 - + Users Користувачі - + Error deleting image Помилка під час видалення зображення - + Error occurred attempting to overwrite previous image at: %1. Сталася помилка під час спроби перезапису попереднього зображення в: %1. - + Error deleting file Помилка під час видалення файлу - + Unable to delete existing file: %1. Неможливо видалити наявний файл: %1. - + Error creating user image directory Помилка під час створення теки користувацьких зображень - + Unable to create directory %1 for storing user images. Неможливо створити теку «%1» для зберігання користувацьких зображень. - + Error saving user image Помилка під час збереження зображення користувача - + Unable to save image to file Неможливо зберегти зображення до файлу - + &Edit - + [&E] Редагувати - + &Delete - + [&D] Видалити - + Edit User - + Редагувати користувача ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Видалити цього користувача? Усі дані збережень цього користувача будуть видалені. - + Confirm Delete Підтвердження видалення - + Name: %1 UUID: %2 Ім’я: %1 @@ -5078,17 +5340,22 @@ UUID: %2 Призупинити виконання під час завантаження - + + Show recording dialog + Показати діалог запису + + + Script Directory Тека скриптів - + Path Шлях - + ... ... @@ -5101,7 +5368,7 @@ UUID: %2 Налаштування TAS - + Select TAS Load Directory... Виберіть теку завантаження TAS... @@ -5239,64 +5506,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None Нічого - - Small (32x32) - Маленький (32х32) - - - - Standard (64x64) - Стандартний (64х64) - - - - Large (128x128) - Великий (128х128) - - - - Full Size (256x256) - Повнорозмірний (256х256) - - - + Small (24x24) Маленький (24х24) - + Standard (48x48) Стандартний (48х48) - + Large (72x72) Великий (72х72) - + Filename Назва файлу - + Filetype Тип файлу - + Title ID ID проєкту - + Title Name Назва гри @@ -5365,71 +5611,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - Розмір значків ігор: - - - Folder Icon Size: Розмір значка теки: - + Row 1 Text: Текст 1-го рядка: - + Row 2 Text: Текст 2-го рядка: - + Screenshots Знімки екрана - + Ask Where To Save Screenshots (Windows Only) Запитувати про місце для збереження знімка екрана (лише Windows) - + Screenshots Path: Тека знімків екрана: - + ... ... - + TextLabel TextLabel - + Resolution: Роздільність: - + Select Screenshots Path... Виберіть теку знімків екрана... - + <System> <System> - + English English - + Auto (%1 x %2, %3 x %4) Screenshot width value Автоматично (%1 x %2, %3 x %4) @@ -5563,20 +5804,20 @@ Drag points to change position, or double-click table cells to edit values.Показувати поточну гру у вашому статусі Discord - - + + All Good Tooltip Усе добре - + Must be between 4-20 characters Tooltip Повинно бути в межах 4–20 символів - + Must be 48 characters, and lowercase a-z Tooltip Повинно бути 48 символів a–z нижнього регістру @@ -5608,27 +5849,27 @@ Drag points to change position, or double-click table cells to edit values.Видалення БУДЬ-ЯКИХ даних НЕЗВОРОТНЕ! - + Shaders Шейдери - + UserNAND Користувацька NAND - + SysNAND Системна NAND - + Mods Моди - + Saves Збереження @@ -5666,7 +5907,7 @@ Drag points to change position, or double-click table cells to edit values.Імпортувати дані до цієї теки. Це може тривати певний час і видалить УСІ НАЯВНІ ДАНІ! - + Calculating... Обчислення... @@ -5689,12 +5930,12 @@ Drag points to change position, or double-click table cells to edit values.<html><head/><body><p>Завдяки цим проєктам став можливим Eden</p></body></html> - + Dependency Залежність - + Version Версія @@ -5870,44 +6111,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL недоступний! - + OpenGL shared contexts are not supported. Спільні контексти OpenGL не підтримуються. - + Eden has not been compiled with OpenGL support. Eden не скомпільовано з підтримкою OpenGL. - - + + Error while initializing OpenGL! Помилка під час ініціалізації OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. Ваш ГП може не підтримувати OpenGL або у вас встановлено застарілий графічний драйвер. - + Error while initializing OpenGL 4.6! Помилка під час ініціалізації OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 Ваш ГП може не підтримувати OpenGL 4.6 або у вас встановлено застарілий графічний драйвер.<br><br>Візуалізатор GL:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 Ваш ГП може не підтримувати одне або кілька розширень, необхідних для OpenGL. Переконайтеся, що у вас встановлено останній графічний драйвер.<br><br>Візуалізатор GL:<br>%1<br><br>Непідтримувані розширення:<br>%2 @@ -5915,203 +6156,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + [&A] Додати нову теку з іграми + + + Favorite Улюблені - + Start Game Запустити гру - + Start Game without Custom Configuration Запустити гру без користувацького налаштування - + Open Save Data Location Відкрити теку з даними збережень - + Open Mod Data Location Відкрити теку модів - + Open Transferable Pipeline Cache Відкрити переміщуваний кеш конвеєра - + Link to Ryujinx Під’єднати до Ryujinx - + Remove Вилучити - + Remove Installed Update Вилучити встановлене оновлення - + Remove All Installed DLC Вилучити всі доповнення - + Remove Custom Configuration Вилучити користувацьке налаштування - + Remove Cache Storage Вилучити сховище кешу - + Remove OpenGL Pipeline Cache Вилучити кеш конвеєра OpenGL - + Remove Vulkan Pipeline Cache Вилучити кеш конвеєра Vulkan - + Remove All Pipeline Caches Вилучити всі кеші конвеєра - + Remove All Installed Contents Вилучити весь встановлений вміст - + Manage Play Time Керувати награним часом - + Edit Play Time Data Редагувати награний час - + Remove Play Time Data Вилучити дані награного часу - - + + Dump RomFS Створити дамп RomFS - + Dump RomFS to SDMC Створити дамп RomFS у SDMC - + Verify Integrity Перевірити цілісність - + Copy Title ID to Clipboard Скопіювати ID проєкту до буфера обміну - + Navigate to GameDB entry Перейти до запису GameDB - + Create Shortcut Створити ярлик - + Add to Desktop Додати до стільниці - + Add to Applications Menu Додати до меню застосунків - + Configure Game Налаштувати гру - + Scan Subfolders Сканувати підтеки - + Remove Game Directory Вилучити теку гри - + ▲ Move Up ▲ Перемістити вверх - + ▼ Move Down ▼ Перемістити вниз - + Open Directory Location Відкрити розташування теки - + Clear Очистити - + Name Назва - + Compatibility Сумісність - + Add-ons Додатки - + File type Тип файлу - + Size Розмір - + Play time Награний час @@ -6119,62 +6365,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Запускається - + Game starts, but crashes or major glitches prevent it from being completed. Гра запускається, але збої або серйозні баги перешкоджають її успішному проходженню. - + Perfect Ідеально - + Game can be played without issues. У гру можна грати без проблем. - + Playable Придатна до гри - + Game functions with minor graphical or audio glitches and is playable from start to finish. Гра має незначні графічні або звукові проблеми, але її можна пройти від початку до кінця. - + Intro/Menu Вступ/меню - + Game loads, but is unable to progress past the Start Screen. Гра завантажується, але не може просунутися далі стартового екрана. - + Won't Boot Не запускається - + The game crashes when attempting to startup. Під час спроби запуску гри відбувається збій. - + Not Tested Не протестовано - + The game has not yet been tested. Гру ще не протестовано. @@ -6182,7 +6428,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Натисніть двічі, щоб додати нову теку до переліку ігор @@ -6190,17 +6436,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %1 із %n результату%1 із %n результатів%1 із %n результатів%1 із %n результатів - + Filter: Фільтр: - + Enter pattern to filter Введіть шаблон для фільтрування @@ -6276,12 +6522,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Помилка - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: Не вдалося анонсувати кімнату в публічному лобі. Щоб створити лобі публічно, вам потрібно правильно налаштувати обліковий запис Eden у: «Емуляція» → «Налаштувати» → «Мережа». Виберіть «Прихована», якщо ви не хочете публікувати кімнату в публічному лобі. @@ -6291,19 +6537,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Увімкнути/вимкнути звук - - - - - - - - @@ -6326,154 +6564,180 @@ Debug Message: + + + + + + + + + + + Main Window Основне вікно - + Audio Volume Down Зменшити гучність - + Audio Volume Up Збільшити гучність - + Capture Screenshot Зробити знімок екрана - + Change Adapting Filter Змінити фільтр адаптації - + Change Docked Mode Змінити режим консолі - + Change GPU Mode Змінити режим ГП - + Configure Налаштувати - + Configure Current Game Налаштувати поточну гру - + Continue/Pause Emulation Продовжити/призупинити емуляцію - + Exit Fullscreen Вийти з повноекранного режиму - + Exit Eden Вийти з Eden - + Fullscreen Повноекранний режим - + Load File Завантажити файл - + Load/Remove Amiibo Завантажити/вилучити amiibo - - Multiplayer Browse Public Game Lobby - Багатоосібна гра: Переглянути публічні ігрові лобі + + Browse Public Game Lobby + Переглянути публічні ігрові лобі - - Multiplayer Create Room - Багатоосібна гра: Створити кімнату + + Create Room + Створити кімнату - - Multiplayer Direct Connect to Room - Багатоосібна гра: Пряме під’єднання до кімнати + + Direct Connect to Room + Пряме з’єднання з кімнатою - - Multiplayer Leave Room - Багатоосібна гра: Покинути кімнату + + Leave Room + Покинути кімнату - - Multiplayer Show Current Room - Багатоосібна гра: Показати поточну кімнату + + Show Current Room + Показати поточну кімнату - + Restart Emulation Перезапустити емуляцію - + Stop Emulation Зупинити емуляцію - + TAS Record Запис TAS - + TAS Reset Скинути TAS - + TAS Start/Stop Запустити/призупинити TAS - + Toggle Filter Bar Перемкнути панель фільтру - + Toggle Framerate Limit Перемкнути обмеження частоти кадрів - + + Toggle Turbo Speed + Перемкнути «Прискорення» + + + + Toggle Slow Speed + Перемкнути «Сповільнення» + + + Toggle Mouse Panning Перемкнути панорамування мишею - + Toggle Renderdoc Capture Перемкнути захоплення Renderdoc - + Toggle Status Bar Перемкнути панель стану + + + Toggle Performance Overlay + Перемкнути оверлей продуктивності + InstallDialog @@ -6526,22 +6790,22 @@ Debug Message: Залишилося приблизно 5 хв 4 с - + Loading... Завантаження... - + Loading Shaders %1 / %2 Завантаження шейдерів: %1 / %2 - + Launching... Запуск... - + Estimated Time %1 Залишилося приблизно %1 @@ -6590,42 +6854,42 @@ Debug Message: Оновити лобі - + Password Required to Join Для входу потрібен пароль - + Password: Пароль: - + Players Гравці - + Room Name Назва кімнати - + Preferred Game Бажана гра - + Host Власник - + Refreshing Оновлення - + Refresh List Оновити перелік @@ -6674,714 +6938,776 @@ Debug Message: + &Game List Mode + [&G] Режим переліку ігор + + + + Game &Icon Size + [&I] Розмір значків ігор + + + Reset Window Size to &720p [&7] Скинути розмір вікна до 720p - + Reset Window Size to 720p Скинути розмір вікна до 720p - + Reset Window Size to &900p [&9] Скинути розмір вікна до 900p - + Reset Window Size to 900p Скинути розмір вікна до 900p - + Reset Window Size to &1080p [&1] Скинути розмір вікна до 1080p - + Reset Window Size to 1080p Скинути розмір вікна до 1080p - + &Multiplayer [&M] Багатоосібна гра - + &Tools [&T] Інструменти - + Am&iibo [&I] Amiibo - + Launch &Applet [&A] Запустити аплет - + &TAS [&T] TAS - + &Create Home Menu Shortcut [&C] Створити ярлик меню-домівки - + Install &Firmware [&F] Встановити прошивку - + &Help [&H] Допомога - + &Install Files to NAND... [&I] Встановити файли до NAND... - + L&oad File... [&O] Завантажити файл... - + Load &Folder... [&F] Завантажити теку... - + E&xit [&X] Вийти - - + + &Pause [&P] Призупинити - + &Stop [&S] Зупинити - + &Verify Installed Contents [&V] Перевірити встановлений вміст - + &About Eden [&A] Про Eden - + Single &Window Mode [&W] Одновіконний режим - + Con&figure... [&F] Налаштувати... - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet Увімкнути аплет показу оверлея - + Show &Filter Bar [&F] Показати панель фільтрування - + Show &Status Bar [&S] Показати панель стану - + Show Status Bar Показати панель стану - + &Browse Public Game Lobby [&B] Переглянути публічні ігрові лобі - + &Create Room [&C] Створити кімнату - + &Leave Room [&L] Покинути кімнату - + &Direct Connect to Room - [&D] Пряме під’єднання до кімнати + [&D] Пряме з’єднання з кімнатою - + &Show Current Room [&S] Показати поточну кімнату - + F&ullscreen [&U] Повноекранний - + &Restart [&R] Перезапустити - + Load/Remove &Amiibo... [&A] Завантажити/вилучити amiibo... - + &Report Compatibility [&R] Повідомити про сумісність - + Open &Mods Page [&M] Відкрити сторінку модів - + Open &Quickstart Guide [&Q] Відкрити посібник користувача - + &FAQ [&F] ЧаПи - + &Capture Screenshot [&C] Зробити знімок екрана - + &Album [&A] Альбом - + &Set Nickname and Owner [&S] Указати псевдонім і власника - + &Delete Game Data [&D] Видалити дані гри - + &Restore Amiibo [&R] Відновити amiibo - + &Format Amiibo [&F] Форматувати amiibo - + &Mii Editor [&M] Редактор Mii - + &Configure TAS... [&C] Налаштувати TAS... - + Configure C&urrent Game... [&U] Налаштувати поточну гру... - - + + &Start [&S] Запустити - + &Reset [&S] Скинути - - + + R&ecord [&E] Запис - + Open &Controller Menu [&C] Відкрити меню контролерів - + Install Decryption &Keys [&K] Встановити ключі дешифрування - + &Home Menu [&H] Меню-домівка - + &Desktop [&D] Стільниця - + &Application Menu [&A] Меню застосунків - + &Root Data Folder [&R] Коренева тека даних - + &NAND Folder [&N] Тека NAND - + &SDMC Folder [&S] Тека SDMC - + &Mod Folder [&M] Тека модів - + &Log Folder [&L] Тека журналу - + From Folder З теки - + From ZIP Із ZIP - + &Eden Dependencies [&E] Залежності Eden - + &Data Manager [&D] Керування даними - + + &Tree View + [&T] Дерево вибору + + + + &Grid View + [&G] Таблиця + + + + Game Icon Size + Розмір значків ігор + + + + + + None + Жодного + + + + Show Game &Name + [&N] Показати назву гри + + + + Show &Performance Overlay + [&P] Показати оверлей продуктивності + + + + Small (32x32) + Маленький (32х32) + + + + Standard (64x64) + Стандартний (64х64) + + + + Large (128x128) + Великий (128х128) + + + + Full Size (256x256) + Повнорозмірний (256х256) + + + Broken Vulkan Installation Detected Виявлено пошкоджене встановлення Vulkan - + Vulkan initialization failed during boot. Не вдалося ініціалізувати Vulkan під час запуску. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping Запущено гру - + Loading Web Applet... Завантаження вебаплета... - - + + Disable Web Applet Вимкнути вебаплет - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) Вимкнення вебапплета може призвести до несподіваної поведінки, і це слід робити лише для Super Mario 3D All-Stars. Ви впевнені, що хочете вимкнути вебапплет? (Його можна знову увімкнути в налаштуваннях зневадження.) - + The amount of shaders currently being built Кількість наразі створених шейдерів - + The current selected resolution scaling multiplier. Наразі вибраний множник масштабування роздільності. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. Поточна швидкість емуляції. Значення вище або нижче 100% вказують на те, що емуляція йде швидше або повільніше, ніж на Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. Частота кадрів, яку наразі показує гра. Значення змінюватиметься залежно від гри та з кожною сценою. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. Час, потрібний для емуляції 1 кадру Switch, не враховуючи обмеження частоти кадрів або вертикальну синхронізацію. Для повношвидкісної емуляції значення повинно бути не вище 16,67 мс. - + Unmute Увімкнути звук - + Mute Вимкнути звук - + Reset Volume Скинути гучність - + &Clear Recent Files [&C] Очистити нещодавні файли - + &Continue [&C] Продовжити - + Warning: Outdated Game Format Увага: Застарілий формат гри - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. Для цієї гри ви використовуєте формат теки з деконструйованим ROM, який є застарілим форматом, заміненим на інші, як-от NCA, NAX, XCI, або NSP. У тек із деконструйованими ROM немає значків, метаданих, а також вони не підтримують оновлення.<br>Для подробиць стосовно різноманітних форматів Switch, які підтримує Eden, ознайомтеся з нашим посібником користувача. Це повідомлення не буде показано знову. - - + + Error while loading ROM! Помилка під час завантаження ROM! - + The ROM format is not supported. Непідтримуваний формат ROM. - + An error occurred initializing the video core. Сталася помилка під час ініціалізації відеоядра. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. В Eden сталася помилка під час роботи відеоядра. Зазвичай це відбувається через застарілі драйвери ГП, зокрема інтегрованих. Для подробиць перегляньте журнал. Для додаткової інформації стосовно доступу до журналу перегляньте таку сторінку: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>Як відвантажити файл журналу</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. Помилка під час завантаження ROM! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>Створіть новий дамп файлів або зверніться по допомогу в Discord/Stoat. - + An unknown error occurred. Please see the log for more details. Сталася невідома помилка. Ознайомтеся з журналом, щоб дізнатися подробиці. - + (64-bit) (64-бітовий) - + (32-bit) (32-бітовий) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... Закриття програмного засобу... - + Save Data Дані збережень - + Mod Data Дані модів - + Error Opening %1 Folder Помилка під час відкриття теки «%1» - - + + Folder does not exist! Теки не існує! - + Remove Installed Game Contents? Вилучити встановлений вміст гри? - + Remove Installed Game Update? Вилучити встановлені оновлення гри? - + Remove Installed Game DLC? Вилучити встановлені доповнення гри? - + Remove Entry Вилучити запис - + Delete OpenGL Transferable Shader Cache? Видалити переміщуваний кеш шейдерів OpenGL? - + Delete Vulkan Transferable Shader Cache? Видалити переміщуваний кеш шейдерів Vulkan? - + Delete All Transferable Shader Caches? Видалити весь переміщуваний кеш шейдерів? - + Remove Custom Game Configuration? Вилучити користувацькі налаштування гри? - + Remove Cache Storage? Вилучити сховище кешу? - + Remove File Вилучити файл - + Remove Play Time Data Вилучити дані награного часу - + Reset play time? Скинути награний час? - - + + RomFS Extraction Failed! Не вдалося видобути RomFS! - + There was an error copying the RomFS files or the user cancelled the operation. Під час копіювання файлів RomFS сталася помилка або користувач скасував операцію. - + Full Повний - + Skeleton Скелет - + Select RomFS Dump Mode Виберіть режим створення дампу RomFS - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. Виберіть, як ви хочете виконати дамп RomFS <br>Повний скопіює всі файли до нової теки, тоді як <br>скелет створить лише структуру тек. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root За адресою «%1» недостатньо вільного місця для видобування RomFS. Звільніть місце або виберіть іншу теку для створення дампу в «Емуляція» → «Налаштувати» → «Система» → «Файлова система» → «Коренева тека дампів». - + Extracting RomFS... Видобування RomFS... - - + + Cancel Скасувати - + RomFS Extraction Succeeded! RomFS видобуто успішно! - + The operation completed successfully. Операцію успішно виконано. - + Error Opening %1 Помилка під час відкриття «%1» - + Select Directory Вибрати теку - + Properties Властивості - + The game properties could not be loaded. Неможливо завантажити властивості гри. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. Виконуваний файл Switch (%1);;Усі файли (*.*) - + Load File Завантажити файл - + Open Extracted ROM Directory Відкрити теку видобутого ROM - + Invalid Directory Selected Вибрано неправильну теку - + The directory you have selected does not contain a 'main' file. Вибрана тека не містить файлу «main». - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) Встановлюваний файл Switch (*.nca, *.nsp, *.xci);;Архів вмісту Nintendo (*.nca);;Пакет подання Nintendo (*.nsp);;Образ картриджа NX (*.xci) - + Install Files Встановити файли - + %n file(s) remaining Лишився 1 файлЛишилося %n файлиЛишилося %n файлівЛишилося %n файлів - + Installing file "%1"... Встановлення файлу «%1»... - - + + Install Results Результати встановлення - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. Щоб уникнути можливих конфліктів, ми не радимо користувачам встановлювати ігри в NAND. Користуйтеся цією функцією лише для встановлення оновлень і доповнень. - + %n file(s) were newly installed Щойно встановлено %n файл @@ -7391,7 +7717,7 @@ Please, only use this feature to install updates and DLC. - + %n file(s) were overwritten Перезаписано %n файл @@ -7401,7 +7727,7 @@ Please, only use this feature to install updates and DLC. - + %n file(s) failed to install Не вдалося встановити %n файл @@ -7411,214 +7737,214 @@ Please, only use this feature to install updates and DLC. - + System Application Системний застосунок - + System Archive Системний архів - + System Application Update Оновлення системного застосунку - + Firmware Package (Type A) Пакет прошивки (Тип А) - + Firmware Package (Type B) Пакет прошивки (Тип Б) - + Game Гра - + Game Update Оновлення гри - + Game DLC Доповнення гри - + Delta Title Проєкт «Дельта» - + Select NCA Install Type... Виберіть тип встановлення NCA... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) Виберіть тип проєкту, який ви хочете встановити для цього NCA: (У більшості випадків підходить стандартний вибір «Гра».) - + Failed to Install Не вдалося встановити - + The title type you selected for the NCA is invalid. Тип проєкту, який ви вибрали для NCA, неправильний. - + File not found Файл не виявлено - + File "%1" not found Файл «%1» не виявлено - + OK Гаразд - + Function Disabled Функцію вимкнену - + Compatibility list reporting is currently disabled. Check back later! Звітування для переліку сумісності наразі вимкнено. Зазирніть пізніше! - + Error opening URL Помилка під час відкриття URL - + Unable to open the URL "%1". Не вдалося відкрити URL: «%1». - + TAS Recording Записування TAS - + Overwrite file of player 1? Перезаписати файл гравця 1? - + Invalid config detected Виявлено неправильне налаштування - + Handheld controller can't be used on docked mode. Pro controller will be selected. Портативний контролер неможливо використовувати в режимі докстанції. Буде вибрано контролер Pro. - - + + Amiibo Amiibo - - + + The current amiibo has been removed Поточний amiibo вилучено - + Error Помилка - - + + The current game is not looking for amiibos Поточна гра не очікує amiibo - + Amiibo File (%1);; All Files (*.*) Файл amiibo (%1);; Усі файли (*.*) - + Load Amiibo Завантажити amiibo - + Error loading Amiibo data Помилка під час завантаження даних amiibo - + The selected file is not a valid amiibo Вибраний файл не є дійсним amiibo - + The selected file is already on use Вибраний файл уже використовується - + An unknown error occurred Сталася невідома помилка - - + + Keys not installed Ключі не встановлено - - + + Install decryption keys and restart Eden before attempting to install firmware. Встановіть ключі дешифрування та перезапустіть Eden, перш ніж спробувати встановити прошивку. - + Select Dumped Firmware Source Location Виберіть розташування дампу прошивки - + Select Dumped Firmware ZIP Виберіть ZIP із дампом прошивки - + Zipped Archives (*.zip) Zip-архіви (*.zip) - + Firmware cleanup failed Не вдалося очистити прошивку - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 @@ -7627,155 +7953,155 @@ OS reported error: %1 Помилка зі звіту від ОС: %1 - + No firmware available Немає доступних прошивок - + Firmware Corrupted Прошивка пошкоджена - + Unknown applet Невідомий аплет - + Applet doesn't map to a known value. Аплет не призначено до відомого значення. - + Record not found Запис не виявлено - + Applet not found. Please reinstall firmware. Аплет не виявлено. Перевстановіть прошивку. - + Capture Screenshot Зробити знімок екрана - + PNG Image (*.png) Зображення PNG (*.png) - + Update Available Доступне оновлення - - Download the %1 update? - Завантажити оновлення %1? + + Download %1? + Завантажити %1? - + TAS state: Running %1/%2 Стан TAS: Працює %1/%2 - + TAS state: Recording %1 Стан TAS: Триває запис %1 - + TAS state: Idle %1/%2 Стан TAS: Бездіяльність %1/%2 - + TAS State: Invalid Стан TAS: Неправильний - + &Stop Running [&S] Зупинити - + Stop R&ecording [&E] Зупинити запис - + Building: %n shader(s) Компіляція: %n шейдерКомпіляція: %n шейдериКомпіляція: %n шейдерівКомпіляція: %n шейдерів - + Scale: %1x %1 is the resolution scaling factor Масштаб: %1x - + Speed: %1% / %2% Швидкість: %1% / %2% - + Speed: %1% Швидкість: %1% - + Game: %1 FPS Гра: %1 к/с - + Frame: %1 ms Кадр: %1 мс - + FSR FSR - + NO AA БЕЗ ЗГЛАДЖУВАННЯ - + VOLUME: MUTE ГУЧНІСТЬ: ВИМКНЕНО - + VOLUME: %1% Volume percentage (e.g. 50%) ГУЧНІСТЬ: %1% - + Derivation Components Missing Відсутні компоненти виведення - + Decryption keys are missing. Install them now? Відсутні ключі шифрування. Встановити їх зараз? - + Wayland Detected! Виявлено Wayland! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7786,59 +8112,74 @@ Would you like to force it for future launches? Хочете примусово увімкнути його для наступних запусків? - + Use X11 Використовувати X11 - + Continue with Wayland Продовжити з Wayland - + Don't show again Не показувати знову - + Restart Required Потрібен перезапуск - + Restart Eden to apply the X11 backend. Перезапуск Eden для застосування бекенду X11. - + + Slow + Сповільнення + + + + Turbo + Прискорення + + + + Unlocked + Розблоковано + + + Select RomFS Dump Target Виберіть розташування для створення дампу RomFS - + Please select which RomFS you would like to dump. Виберіть, який дамп RomFS ви хочете створити. - + Are you sure you want to close Eden? Ви впевнені, що хочете закрити Eden? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. Ви впевнені, що хочете зупинити емуляцію? Увесь незбережений поступ буде втрачено. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? @@ -7846,11 +8187,6 @@ Would you like to bypass this and exit anyway? Обійти цей запит і однаково закрити його? - - - None - Жодного - FXAA @@ -7877,27 +8213,27 @@ Would you like to bypass this and exit anyway? Бікубічний - + Zero-Tangent Нульовий тангенс - + B-Spline B-Spline - + Mitchell Мітчелла - + Spline-1 Spline-1 - + Gaussian Ґаусса @@ -7952,22 +8288,22 @@ Would you like to bypass this and exit anyway? Vulkan - + OpenGL GLSL OpenGL GLSL - + OpenGL SPIRV OpenGL SPIRV - + OpenGL GLASM OpenGL GLASM - + Null Нічого @@ -7975,14 +8311,14 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 Не вдалося під’єднати стару теку. Можливо, вам доведеться перезапустити застосунок із правами адміністратора у Windows. ОС надала помилку: %1 - + Note that your configuration and data will be shared with %1. @@ -7999,7 +8335,7 @@ If this is not desirable, delete the following files: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -8010,11 +8346,24 @@ If you wish to clean up the files which were left in the old data location, you %1 - + Data was migrated successfully. Дані перенесено успішно. + + ModSelectDialog + + + Dialog + Діалог + + + + The specified folder or archive contains the following mods. Select which ones to install. + Указана тека або архів містить такі моди. Виберіть, які з них потрібно встановити. + + ModerationDialog @@ -8145,127 +8494,127 @@ Proceed anyway? New User - + Новий користувач Change Avatar - + Змінити аватар Set Image - + Вибрати зображення UUID - + UUID Eden - + Eden Username - + Ім’я користувача UUID must be 32 hex characters (0-9, A-F) - + UUID повинен містити 32 hex-символів (0-9, A-F) Generate - + Згенерувати - + Select User Image - + Виберіть зображення користувача - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + Формати зображень (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Немає доступних прошивок - + Please install the firmware to use firmware avatars. - + Встановість прошивку, щоб користуватися аватарами прошивки. - - + + Error loading archive - + Помилка під час завантаження архіву - + Archive is not available. Please install/reinstall firmware. - + Архів недоступний. Встановіть/перевстановіть прошивку. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Не вдалося знайти RomFS. Файл або ключі дешифрування можуть бути пошкоджені. - + Error extracting archive - + Помилка під час видобування архіву - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Не вдалося видобути RomFS. Файл або ключі дешифрування можуть бути пошкоджені. - + Error finding image directory - + Помилка під час виявлення теки зображень - + Failed to find image directory in the archive. - + Не вдалося виявити теку зображень в архіві. - + No images found - + Зображення не виявлено - + No avatar images were found in the archive. - + Зображення аватарів не виявлено в архіві. - - + + All Good Tooltip - + Усе добре - + Must be 32 hex characters (0-9, a-f) Tooltip - + Повинен містити 32 hex-символів (0-9, a-f) - + Must be between 1 and 32 characters Tooltip - + Повинно бути від 1 до 32 символів @@ -8301,6 +8650,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + Форма + + + + Frametime + Час кадру + + + + 0 ms + 0 мс + + + + + Min: 0 + Мінімальне: 0 + + + + + Max: 0 + Максимальне: 0 + + + + + Avg: 0 + Середнє: 0 + + + + FPS + К/с + + + + 0 fps + 0 к/с + + + + %1 fps + %1 к/с + + + + + Avg: %1 + Середнє: %1 + + + + + Min: %1 + Мінімальне: %1 + + + + + Max: %1 + Максимальне: %1 + + + + %1 ms + %1 мс + + PlayerControlPreview @@ -8314,60 +8737,35 @@ p, li { white-space: pre-wrap; } Select - + Вибрати Cancel - + Скасувати Background Color - + Колір тла Select Firmware Avatar - + Виберіть аватар прошивки QObject - - Installed SD Titles - Проєкти, встановлені до SD - - - - Installed NAND Titles - Проєкти, встановлені до NAND - - - - System Titles - Системні проєкти - - - - Add New Game Directory - Додати нову теку з іграми - - - - Favorites - Улюблені - - - - - + + + Migration Перенесення - + Clear Shader Cache Очистити кеш шейдерів @@ -8402,19 +8800,19 @@ p, li { white-space: pre-wrap; } Ні - + You can manually re-trigger this prompt by deleting the new config directory: %1 Ви можете вручну викликати це повідомлення, видаливши нову теку налаштувань: %1 - + Migrating Перенесення - + Migrating, this may take a while... Перенесення. Це може тривати певний час... @@ -8645,7 +9043,7 @@ p, li { white-space: pre-wrap; } [invalid] - [неприпустимо] + [неправильно] @@ -8805,6 +9203,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 грає в %2 + + + Play Time: %1 + Награний час: %1 + + + + Never Played + Ще не зіграно + + + + Version: %1 + Версія: %1 + + + + Version: 1.0.0 + Версія: 1.0.0 + + + + Installed SD Titles + Проєкти, встановлені до SD + + + + Installed NAND Titles + Проєкти, встановлені до NAND + + + + System Titles + Системні проєкти + + + + Add New Game Directory + Додати нову теку з іграми + + + + Favorites + Улюблені + QtAmiiboSettingsDialog @@ -8922,47 +9365,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware Гра потребує прошивку - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. Гра, яку ви намагаєтеся запустити, потребує прошивку, щоб запуститися або пройти меню запуску. <a href='https://yuzu-mirror.github.io/help/quickstart'>Створіть дамп і встановіть прошивку</a> або натисніть «Гаразд», щоб однаково запустити. - + Installing Firmware... Встановлення прошивки... - - - - - + + + + + Cancel Скасувати - + Firmware Install Failed Не вдалося встановити прошивку - + Firmware Install Succeeded Прошивку успішно встановлено - + Firmware integrity verification failed! Не вдалося перевірити цілісність прошивки! - - + + Verification failed for the following files: %1 @@ -8971,204 +9414,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... Перевірка цілісності... - - + + Integrity verification succeeded! Перевірка цілісності успішна! - - + + The operation completed successfully. Операцію успішно завершено. - - + + Integrity verification failed! Не вдалося перевірити цілісність! - + File contents may be corrupt or missing. Файли вмісту можуть бути пошкоджені або відсутні. - + Integrity verification couldn't be performed Неможливо виконати перевірку цілісності - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. Встановлення прошивки скасовано. Можливо, прошивка в поганому стані або пошкоджена. Неможливо перевірити на дійсність файли вмісту. - + Select Dumped Keys Location Виберіть розатшування дампу ключів - + Decryption Keys install succeeded Ключі дешифрування успішно встановлено - + Decryption Keys install failed Не вдалося встановити ключі дешифрування - + Orphaned Profiles Detected! Виявлено покинуті профілі! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> ЯКЩО ВИ ЦЕ НЕ ПРОЧИТАЄТЕ, МОЖУТЬ СТАТИСЯ НЕОЧІКУВАНІ ПОГАНІ РЕЧІ!<br>Eden виявив такі теки збережень без прикріпленого профілю:<br>%1<br><br>Є такі дійсні профілі:<br>%2<br><br>Натисніть «ОК», щоб відкрити теку збережень і полагодити свої профілі.<br>Порада: скопіюйте у будь-яке інше місце вміст найбільшої теки, у якій нещодавно були зміни, видаліть профілі, що лишилися та перемістіть скопійований вміст до провильного профілю.<br><br>Досі не розумієте, що робити? Перегляньте <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>сторінку допомоги</a>.<br> - + Really clear data? Дійсно очистити дані? - + Important data may be lost! Може бути втрачено важливі дані! - + Are you REALLY sure? Ви ДІЙСНО впевнені? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. Після видалення ваші дані буде НЕМОЖЛИВО повернути! Виконуйте цю дію, лише якщо ви на 100% упевнені, що хочете видалити ці дані. - + Clearing... Очищення... - + Select Export Location Виберіть розташування для експортування - + %1.zip %1.zip - - + + Zipped Archives (*.zip) Zip-архіви (*.zip) - + Exporting data. This may take a while... Експортування даних. Це може тривати певний час... - + Exporting Експортування - + Exported Successfully Успішно експортовано - + Data was exported successfully. Дані успішно експортовано. - + Export Cancelled Експортування скасовано - + Export was cancelled by the user. Експортування скасовано користувачем. - + Export Failed Не вдалося експортувати - + Ensure you have write permissions on the targeted directory and try again. Запевніться, що у вас є дозволи на записування до вказаної теки й спробуйте знову. - + Select Import Location Виберіть розташування для імпортування - + Import Warning Попередження щодо імпортування - + All previous data in this directory will be deleted. Are you sure you wish to proceed? Усі попередні в цій теці будуть видалені. Ви впевнені, що хочете продовжити? - + Importing data. This may take a while... Імпортування даних. Це може тривати певний час... - + Importing Імпортування - + Imported Successfully Успішно імпортовано - + Data was imported successfully. Дані успішно імпортовано. - + Import Cancelled Імпортування скасовано - + Import was cancelled by the user. Імпортування скасовано користувачем. - + Import Failed Не вдалося імпортувати - + Ensure you have read permissions on the targeted directory and try again. Запевніться, що у вас є дозволи на читання зі вказаної теки й спробуйте знову. @@ -9176,22 +9619,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data Під’єднані дані збережень - + Save data has been linked. Дані збережень під’єднано. - + Failed to link save data Не вдалося під’єднати дані збережень. - + Could not link directory: %1 To: @@ -9202,48 +9645,48 @@ To: %2 - + Already Linked Уже під’єднано - + This title is already linked to Ryujinx. Would you like to unlink it? Цей проєкт уже під’єднано до Ryujinx. Хочете його від’єднати? - + Failed to unlink old directory Не вдалося від’єднати стару теку - - + + OS returned error: %1 ОС повернула помилку: %1 - + Failed to copy save data Не вдалося скопіювати дані збережень - + Unlink Successful Успішно від’єднано - + Successfully unlinked Ryujinx save data. Save data has been kept intact. Успішно від’єднано дані збережень Ryujinx. Дані лишилися незмінними. - + Could not find Ryujinx installation Не вдалося виявити встановлення Ryujinx - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9257,18 +9700,18 @@ Would you like to manually select a portable folder to use? Розташування портативного Ryujinx - + Not a valid Ryujinx directory Неправильна тека Ryujinx - + The specified directory does not contain valid Ryujinx data. Указана тека не містить правильних даних Ryujinx - - + + Could not find Ryujinx save data Не вдалося виявити дані збережень Ryujinx @@ -9276,229 +9719,287 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents Помилка під час вилучення вмісту - + Error Removing Update Помилка під час вилучення оновлення - + Error Removing DLC Помилка під час вилучення доповнення - - - - - - + + + + + + Successfully Removed Успішно вилучено - + Successfully removed the installed base game. Успішно вилучено встановлену базову гру. - + The base game is not installed in the NAND and cannot be removed. Основну гру не встановлено в NAND і її неможливо вилучити. - + Successfully removed the installed update. Успішно вилучено встановлене оновлення. - + There is no update installed for this title. Для цього проєкту не встановлено оновлення. - + There are no DLCs installed for this title. Для цього проєкту не встановлено доповнень. - + Successfully removed %1 installed DLC. Успішно вилучено встановлене доповнення «%1». - - + + Error Removing Transferable Shader Cache Помилка під час вилучення переміщуваного кешу шейдерів - - + + A shader cache for this title does not exist. Для цього проєкту не існує кешу шейдерів. - + Successfully removed the transferable shader cache. Успішно вилучено переміщуваний кеш шейдерів. - + Failed to remove the transferable shader cache. Не вдалося вилучити переміщуваний кеш шейдерів. - + Error Removing Vulkan Driver Pipeline Cache Помилка під час вилучення кешу конвеєра драйвера Vulkan - + Failed to remove the driver pipeline cache. Не вдалося вилучити кеш конвеєра драйвера - - + + Error Removing Transferable Shader Caches Помилка під час вилучення переміщуваних кешів шейдерів - + Successfully removed the transferable shader caches. Усіпшно вилучено переміщувані кеші шейдерів. - + Failed to remove the transferable shader cache directory. Не вдалося вилучити теку переміщуваного кешу шейдерів. - - + + Error Removing Custom Configuration Помилка під час вилучення користувацього налаштування - + A custom configuration for this title does not exist. Для цього проєкту не існує користувацького налаштування. - + Successfully removed the custom game configuration. Успішно вилучено користувацьке налаштування гри. - + Failed to remove the custom game configuration. Не вдалося вилучити користувацьке налаштування гри. - + Reset Metadata Cache Скинути кеш метаданих - + The metadata cache is already empty. Кеш метаданих уже порожній. - + The operation completed successfully. Операцію успішно виконано. - + The metadata cache couldn't be deleted. It might be in use or non-existent. Неможливо видалити кеш метаданих. Можливо, він використовується або не існує. - + Create Shortcut Створити ярлик - + Do you want to launch the game in fullscreen? Ви хочете запустити гру в повноеранному режимі? - + Shortcut Created Ярлик створено - + Successfully created a shortcut to %1 Успішно створено ярлик для: %1 - + Shortcut may be Volatile! Ярлик може бути нестабільним! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Це створить ярлик для поточного AppImage. Можливо, він не буде належно працювати після оновлення. Продовжити? - + Failed to Create Shortcut Не вдалося створити ярлик - + Failed to create a shortcut to %1 Не вдалося створити ярлик для: %1 - + Create Icon Створити значок - + Cannot create icon file. Path "%1" does not exist and cannot be created. Неможливо створити файл значка. Шлях «%1» не існує або не може бути створений. - + No firmware available Немає доступних прошивок - + Please install firmware to use the home menu. Встановіть прошивку, щоб користуватися меню-домівкою. - + Home Menu Applet Аплет меню-домівки - + Home Menu is not available. Please reinstall firmware. Меню-домівка недоступна. Перевстановіть прошивку. + + QtCommon::Mod + + + Mod Name + Назва мода + + + + What should this mod be called? + Як повинен називатися цей мод? + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/патч + + + + Cheat + Чит + + + + Mod Type + Тип мода + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + Не вдалося автоматично виявити тип мода. Укажіть вручну тип мода, який ви завантажили. + +Більшість модів є RomFS-модами, але патчі (.pchtxt) зазвичай є ExeFS-модами. + + + + + Mod Extract Failed + Не вдалося видобути мод + + + + Failed to create temporary directory %1 + Не вдалося створити тимчасову теку %1 + + + + Zip file %1 is empty + Zip-файл %1 порожній + + QtCommon::Path - + Error Opening Shader Cache Помилка під час відкривання кешу шейдерів - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. Не вдалося створити або відкрити кеш шейдерів для цього проєкту. Запевніться, що у вашої теки AppData є дозвіл на записування. @@ -9506,84 +10007,84 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! Містить дані збережень гри. НЕ ВИЛУЧАЙТЕ, ЯКЩО НЕ ВПЕВНЕНІ У СВОЇХ ДІЯЇ! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. Містить кеші конвеєрів Vulkan і OpenGL. Зазвичай їх можна вільно вилучати. - + Contains updates and DLC for games. Містить оновлення і доповнення для ігор. - + Contains firmware and applet data. Містить прошивку і дані аплетів. - + Contains game mods, patches, and cheats. Містить ігрові моди, патчі та чити. - + Decryption Keys were successfully installed Ключі дешифрування було успішно встановлено - + Unable to read key directory, aborting Неможливо зчитати теку ключів, скасування - + One or more keys failed to copy. Не вдалося скопіювати один або більше ключів. - + Verify your keys file has a .keys extension and try again. Перевірте, чи мають ваші ключі розширення .keys, і спробуйте ще раз. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. Не вдалося ініціалізувати ключі дешифрування. Переконайтеся, що ваші інструменти для створення дампів оновлені, і створіть новий дамп ключів. - + Successfully installed firmware version %1 Прошивку версії %1 успішно встановлено - + Unable to locate potential firmware NCA files Неможливо виявити файли потенційної прошивки NCA - + Failed to delete one or more firmware files. Не вдалося видалити один або більше файлів прошивки. - + One or more firmware files failed to copy into NAND. Не вдалояс скопіювати до NAND один або більше файлів прошивки. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. Встановлення прошивки скасовано. Прошивка може бути в поганому стані або в пошкоджена. Перезапустіть Eden або перевстановіть прошивку. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - Відсутня прошивка. Прошивка необхідна для запуску певних ігор і використання меню-домівки. Рекомендується використовувати версію 19.0.1 або старішу, оскільки версії 20.0.0+ наразі є експериментальними. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + Відсутня прошивка. Прошивка необхідна для запуску певних ігор і використання меню-домівки. @@ -9605,59 +10106,59 @@ This may take a while. Це може тривати певний час. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. Очищення кешу шейдерів рекомендовано для всіх користувачів. Не скасовуйте, якщо не впевнені у своїх діях. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. Зберігає стару теку з даними. Рекомендовано, якщо у вас немає обмежень пам’яті й ви хочете окремо зберегти дані старого емулятора. - + Deletes the old data directory. This is recommended on devices with space constraints. Видаляє стару теку з даними. Рекомендовано для пристроїв з обмеженнями пам’яті. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. Створює посилання у файловій системі між старою текою і текою Eden. Рекомендовано, якщо ви хочете поширювати дані між емуляторами. - + Ryujinx title database does not exist. База даних проєктів Ryujinx не існує. - + Invalid header on Ryujinx title database. Неправильний заголовок бази даних проєктів Ryujinx. - + Invalid magic header on Ryujinx title database. Неправильний магічний заголовок бази даних проєктів Ryujinx. - + Invalid byte alignment on Ryujinx title database. Неправильне впорядкування байтів у базі даних проєктів Ryujinx. - + No items found in Ryujinx title database. Не виявлено жодних елементів у базі даних проєктів Ryujinx. - + Title %1 not found in Ryujinx title database. Не виявлено «%1» у базі даних проєктів Ryujinx. @@ -9698,7 +10199,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Контролер Pro @@ -9711,7 +10212,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Подвійні Joy-Con'и @@ -9724,7 +10225,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Лівий Joy-Con @@ -9737,7 +10238,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Правий Joy-Con @@ -9766,7 +10267,7 @@ This is recommended if you want to share data between emulators. - + Handheld Портативний @@ -9887,32 +10388,32 @@ This is recommended if you want to share data between emulators. Недостатньо контролерів - + GameCube Controller Контролер GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Контролер NES - + SNES Controller Контролер SNES - + N64 Controller Контролер N64 - + Sega Genesis Sega Genesis @@ -10067,13 +10568,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK Гаразд - + Cancel Скасувати @@ -10110,12 +10611,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Скасувати - + Failed to link save data Не вдалося під’єднати дані збережень. - + OS returned error: %1 ОС повернула помилку: %1 @@ -10151,7 +10652,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be Секунди: - + Total play time reached maximum. Загальний награний час досягнув максимуму. diff --git a/dist/languages/vi.ts b/dist/languages/vi.ts index cda6cbeecf..d76452a68a 100644 --- a/dist/languages/vi.ts +++ b/dist/languages/vi.ts @@ -368,149 +368,174 @@ Việc này sẽ ban tên người dùng trên diễn đàn và IP của họ lu % - + Amiibo editor - + Controller configuration - + Data erase - + Error Lỗi - + Net connect - + Player select - + Software keyboard Bàn phím mềm - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Hệ thống xuất: - + Output Device: Thiết bị đầu ra: - + Input Device: Thiết bị đầu vào: - + Mute audio - + Volume: Âm lượng: - + Mute audio when in background Tắt tiếng khi chạy nền - + Multicore CPU Emulation Giả lập CPU đa nhân - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Giới hạn phần trăm tốc độ - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Độ chính xác: - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Không dùng FMA (tăng hiệu suất cho các dòng CPU không hỗ trợ FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE FRSQRTE và FRECPE nhanh hơn - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Các chỉ thị ASIMD nhanh hơn (chỉ cho 32 bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Xử lí NaN không chính xác - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Tắt kiểm tra không gian địa chỉ - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Bỏ qua màn hình chung - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API: - + Changes the output graphics API. Vulkan is recommended. - + Device: Thiết bị: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Độ phân giải: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Bộ lọc điều chỉnh cửa sổ: - + FSR Sharpness: Độ nét FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Phương pháp khử răng cưa: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Chế độ toàn màn hình: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Tỉ lệ khung hình: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: Giả lập NVDEC: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: Chế độ Vsync: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1317 +860,1401 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Bật hiển thị bất đồng bộ (chỉ cho Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) Buộc chạy ở xung nhịp tối đa (chỉ cho Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Chạy các công việc trong nền trong khi đang chờ lệnh đồ họa để giữ cho GPU không giảm xung nhịp. - + Anisotropic Filtering: Lọc bất đẳng hướng: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Dùng bộ nhớ đệm pipeline Vulkan - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Bật xả tương ứng - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback Đồng bộ hóa với tốc độ khung hình khi phát video - + Run the game at normal speed during video playback, even when the framerate is unlocked. Chạy game với tốc độ bình thường trong quá trình phát video, ngay cả khi tốc độ khung hình được mở khóa. - + Barrier feedback loops Vòng lặp phản hồi rào cản - + Improves rendering of transparency effects in specific games. Cải thiện hiệu quả kết xuất của hiệu ứng trong suốt trong một số game. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed Hạt giống RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Tên thiết bị - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: Vùng: - + The region of the console. - + Time Zone: Múi giờ: - + The time zone of the console. - + Sound Output Mode: Chế độ đầu ra âm thanh: - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Ẩn con trỏ chuột khi không dùng - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Vô hiệu hoá applet tay cầm - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) Không nén (Chất lượng tốt nhất) - + BC1 (Low quality) BC1 (Chất lượng thấp) - + BC3 (Medium quality) BC3 (Chất lượng trung bình) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Chính xác - - - - - Default - Mặc định - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Tự động - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + Chính xác + + + + + Default + Mặc định + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Không an toàn - + Paranoid (disables most optimizations) Paranoid (vô hiệu hoá hầu hết sự tối ưu) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Cửa sổ không viền - + Exclusive Fullscreen Toàn màn hình - + No Video Output Không có đầu ra video - + CPU Video Decoding Giải mã video bằng CPU - + GPU Video Decoding (Default) Giải mã video bằng GPU (Mặc định) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [THỬ NGHIỆM] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [THỬ NGHIỆM] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian Gaussian - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Không có - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Mặc định (16:9) - + Force 4:3 Dùng 4:3 - + Force 21:9 Dùng 21:9 - + Force 16:10 Dùng 16:10 - + Stretch to Window Mở rộng đến cửa sổ - + Automatic Tự động - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Tiếng Nhật (日本語) - + American English Tiếng Anh Mỹ - + French (français) Tiếng Pháp (French) - + German (Deutsch) Tiếng Đức (Deutsch) - + Italian (italiano) Tiếng Ý (italiano) - + Spanish (español) Tiếng Tây Ban Nha (Español) - + Chinese Tiếng Trung - + Korean (한국어) Tiếng Hàn (한국어) - + Dutch (Nederlands) Tiếng Hà Lan (Nederlands) - + Portuguese (português) Tiếng Bồ Đào Nha (Portuguese) - + Russian (Русский) Tiếng Nga (Русский) - + Taiwanese Tiếng Đài Loan - + British English Tiếng Anh Anh - + Canadian French Tiếng Pháp Canada - + Latin American Spanish Tiếng Tây Ban Nha Mỹ Latinh - + Simplified Chinese Tiếng Trung giản thể - + Traditional Chinese (正體中文) Tiếng Trung phồn thể (正體中文) - + Brazilian Portuguese (português do Brasil) Tiếng Bồ Đào Nha Brasil (Português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Nhật Bản - + USA Hoa Kỳ - + Europe Châu Âu - + Australia Úc - + China Trung Quốc - + Korea Hàn Quốc - + Taiwan Đài Loan - + Auto (%1) Auto select time zone Tự động (%1) - + Default (%1) Default time zone Mặc định (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Ai Cập - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hồng Kông - + HST HST - + Iceland Iceland - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Ba Lan - + Portugal Bồ Đào Nha - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Thổ Nhĩ Kỳ - + UCT UCT - + Universal Quốc tế - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Docked - + Handheld Handheld - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2207,7 +2326,7 @@ When a program attempts to open the controller applet, it is immediately closed. Khôi phục mặc định - + Auto Tự động @@ -2658,81 +2777,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Bật kiểm tra lỗi gỡ lỗi - + Debugging Gỡ lỗi - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Bật tính năng này để đưa ra danh sách lệnh âm thanh mới nhất đã tạo ra đến console. Chỉ ảnh hưởng đến các game sử dụng bộ mã hóa âm thanh. - + Dump Audio Commands To Console** Trích xuất các lệnh âm thanh đến console** - + Flush log output on each line - + Enable FS Access Log Bật nhật ký truy cập FS - + Enable Verbose Reporting Services** Bật dịch vụ báo cáo chi tiết** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2793,13 +2917,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Âm thanh - + CPU CPU @@ -2815,13 +2939,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Chung - + Graphics Đồ hoạ @@ -2842,7 +2966,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Điều khiển @@ -2858,7 +2982,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Hệ thống @@ -2976,58 +3100,58 @@ When a program attempts to open the controller applet, it is immediately closed. Đặt lại bộ nhớ đệm metadata - + Select Emulated NAND Directory... Chọn thư mục NAND giả lập... - + Select Emulated SD Directory... Chọn thư mục SD giả lập... - - + + Select Save Data Directory... - + Select Gamecard Path... Chọn đường dẫn tới đĩa game... - + Select Dump Directory... Chọn thư mục trích xuất... - + Select Mod Load Directory... Chọn thư mục chứa mod... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3038,7 +3162,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3046,28 +3170,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3078,12 +3202,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3104,20 +3228,55 @@ Would you like to delete the old save data? Chung - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Đặt lại mọi cài đặt - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Quá trình này sẽ đặt lại toàn bộ tùy chỉnh và gỡ hết mọi cài đặt cho từng game riêng lẻ. Quá trình này không xoá thư mục game, hồ sơ, hay hồ sơ đầu vào. Tiếp tục? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3147,33 +3306,33 @@ Would you like to delete the old save data? Màu nền: - + % FSR sharpening percentage (e.g. 50%) % - + Off Tắt - + VSync Off Tắt Vsync - + Recommended Đề xuất - + On Bật - + VSync On Bật Vsync @@ -3224,13 +3383,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3802,7 +3961,7 @@ Would you like to delete the old save data? - + Left Stick Cần trái @@ -3912,14 +4071,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3932,22 +4091,22 @@ Would you like to delete the old save data? - + Plus Cộng - + ZR ZR - - + + R R @@ -4004,7 +4163,7 @@ Would you like to delete the old save data? - + Right Stick Cần phải @@ -4173,88 +4332,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Sega Genesis - + Start / Pause Bắt đầu / Tạm dừng - + Z Z - + Control Stick Cần điều khiển - + C-Stick C-Stick - + Shake! Lắc! - + [waiting] [đang chờ] - + New Profile Hồ sơ mới - + Enter a profile name: Nhập tên hồ sơ: - - + + Create Input Profile Tạo hồ sơ đầu vào - + The given profile name is not valid! Tên hồ sơ không hợp lệ! - + Failed to create the input profile "%1" Thất bại khi tạo hồ sơ đầu vào "%1" - + Delete Input Profile Xoá hồ sơ đầu vào - + Failed to delete the input profile "%1" Thất bại khi xoá hồ sơ đầu vào "%1" - + Load Input Profile Nạp hồ sơ đầu vào - + Failed to load the input profile "%1" Thất bại khi nạp hồ sơ đầu vào "%1" - + Save Input Profile Lưu hồ sơ đầu vào - + Failed to save the input profile "%1" Thất bại khi lưu hồ sơ dầu vào "%1" @@ -4549,11 +4708,6 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Enable Airplane Mode - - - None - Không có - ConfigurePerGame @@ -4608,52 +4762,57 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Một số cài đặt chỉ khả dụng khi game không chạy. - + Add-Ons Add-Ons - + System Hệ thống - + CPU CPU - + Graphics Đồ hoạ - + Adv. Graphics Đồ hoạ nâng cao - + Ext. Graphics - + Audio Âm thanh - + Input Profiles Hồ sơ đầu vào - + Network + Applets + + + + Properties Thuộc tính @@ -4671,15 +4830,110 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Add-Ons - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Tên bản vá - + Version Phiên bản + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4727,62 +4981,62 @@ Các giá trị hiện tại lần lượt là %1% và %2%. %2 - + Users Người dùng - + Error deleting image Lỗi khi xóa ảnh - + Error occurred attempting to overwrite previous image at: %1. Có lỗi khi ghi đè ảnh trước tại: %1. - + Error deleting file Lỗi khi xoá tập tin - + Unable to delete existing file: %1. Không thể xóa tập tin hiện tại: %1. - + Error creating user image directory Lỗi khi tạo thư mục chứa ảnh người dùng - + Unable to create directory %1 for storing user images. Không thể tạo thư mục %1 để chứa ảnh người dùng. - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4790,17 +5044,17 @@ Các giá trị hiện tại lần lượt là %1% và %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Xoá người dùng này? Tất cả dữ liệu save của người dùng này sẽ bị xoá. - + Confirm Delete Xác nhận xóa - + Name: %1 UUID: %2 Tên: %1 @@ -5002,17 +5256,22 @@ UUID: %2 Tạm dừng thực thi trong quá trình tải - + + Show recording dialog + + + + Script Directory Thư mục tập lệnh - + Path Đường dẫn - + ... ... @@ -5025,7 +5284,7 @@ UUID: %2 Cấu hình TAS - + Select TAS Load Directory... Chọn thư mục nạp TAS... @@ -5163,64 +5422,43 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr ConfigureUI - - - + + None Không có - - Small (32x32) - Nhỏ (32x32) - - - - Standard (64x64) - Tiêu chuẩn (64x64) - - - - Large (128x128) - Lớn (128x128) - - - - Full Size (256x256) - Kích thước đầy đủ (256x256) - - - + Small (24x24) Nhỏ (24x24) - + Standard (48x48) Tiêu chuẩn (48x48) - + Large (72x72) Lớn (72x72) - + Filename Tên tập tin - + Filetype Loại tập tin - + Title ID ID title - + Title Name Tên title @@ -5289,71 +5527,66 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - Game Icon Size: - Kích thước biểu tượng game: - - - Folder Icon Size: Kích thước biểu tượng thư mục: - + Row 1 Text: Dòng chữ hàng 1: - + Row 2 Text: Dòng chữ hàng 2: - + Screenshots Ảnh chụp màn hình - + Ask Where To Save Screenshots (Windows Only) Hỏi nơi lưu ảnh chụp màn hình (chỉ cho Windows) - + Screenshots Path: Đường dẫn cho ảnh chụp màn hình: - + ... ... - + TextLabel NhãnVănBản - + Resolution: Độ phân giải: - + Select Screenshots Path... Chọn đường dẫn cho ảnh chụp màn hình... - + <System> <System> - + English Tiếng Việt - + Auto (%1 x %2, %3 x %4) Screenshot width value Tự động (%1 x %2, %3 x %4) @@ -5487,20 +5720,20 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr Hiển thị game hiện tại lên trạng thái Discord của bạn - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5532,27 +5765,27 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5590,7 +5823,7 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Calculating... @@ -5613,12 +5846,12 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Dependency - + Version @@ -5792,44 +6025,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL không khả dụng! - + OpenGL shared contexts are not supported. Các ngữ cảnh OpenGL chung không được hỗ trợ. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Lỗi khi khởi tạo OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. GPU của bạn có thể không hỗ trợ OpenGL, hoặc bạn không có driver đồ hoạ mới nhất. - + Error while initializing OpenGL 4.6! Lỗi khi khởi tạo OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 GPU của bạn có thể không hỗ trợ OpenGL 4.6, hoặc bạn không có driver đồ hoạ mới nhất.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 GPU của bạn có thể không hỗ trợ một hoặc nhiều tiện ích OpenGL cần thiết. Vui lòng đảm bảo bạn có driver đồ hoạ mới nhất.<br><br>GL Renderer:<br>%1<br><br>Tiện ích không hỗ trợ:<br>%2 @@ -5837,203 +6070,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Ưa thích - + Start Game Bắt đầu game - + Start Game without Custom Configuration Bắt đầu game mà không có cấu hình tuỳ chỉnh - + Open Save Data Location Mở vị trí dữ liệu save - + Open Mod Data Location Mở vị trí chứa dữ liệu mod - + Open Transferable Pipeline Cache Mở thư mục chứa bộ nhớ đệm pipeline - + Link to Ryujinx - + Remove Loại bỏ - + Remove Installed Update Loại bỏ bản cập nhật đã cài - + Remove All Installed DLC Loại bỏ tất cả DLC đã cài đặt - + Remove Custom Configuration Loại bỏ cấu hình tuỳ chỉnh - + Remove Cache Storage Loại bỏ bộ nhớ đệm - + Remove OpenGL Pipeline Cache Loại bỏ bộ nhớ đệm pipeline OpenGL - + Remove Vulkan Pipeline Cache Loại bỏ bộ nhớ đệm pipeline Vulkan - + Remove All Pipeline Caches Loại bỏ tất cả bộ nhớ đệm shader - + Remove All Installed Contents Loại bỏ tất cả nội dung đã cài đặt - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Trích xuất RomFS - + Dump RomFS to SDMC Trích xuất RomFS tới SDMC - + Verify Integrity Kiểm tra tính toàn vẹn - + Copy Title ID to Clipboard Sao chép ID title vào bộ nhớ tạm - + Navigate to GameDB entry Điều hướng đến mục GameDB - + Create Shortcut Tạo lối tắt - + Add to Desktop Thêm vào desktop - + Add to Applications Menu Thêm vào menu ứng dụng - + Configure Game - + Scan Subfolders Quét các thư mục con - + Remove Game Directory Loại bỏ thư mục game - + ▲ Move Up ▲ Di chuyển lên - + ▼ Move Down ▼ Di chuyển xuống - + Open Directory Location Mở vị trí thư mục - + Clear Xóa - + Name Tên - + Compatibility Độ tương thích - + Add-ons Add-ons - + File type Loại tập tin - + Size Kích thước - + Play time @@ -6041,62 +6279,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Trong game - + Game starts, but crashes or major glitches prevent it from being completed. Game khởi động, nhưng bị crash hoặc lỗi nghiêm trọng dẫn đến việc không thể hoàn thành nó. - + Perfect Hoàn hảo - + Game can be played without issues. Game có thể chơi mà không gặp vấn đề. - + Playable Có thể chơi - + Game functions with minor graphical or audio glitches and is playable from start to finish. Game hoạt động với lỗi hình ảnh hoặc âm thanh nhẹ và có thể chơi từ đầu tới cuối. - + Intro/Menu Phần mở đầu/Menu - + Game loads, but is unable to progress past the Start Screen. Game đã tải, nhưng không thể qua được màn hình bắt đầu. - + Won't Boot Không khởi động - + The game crashes when attempting to startup. Game crash khi đang khởi động. - + Not Tested Chưa ai thử - + The game has not yet been tested. Game này chưa được thử nghiệm. @@ -6104,7 +6342,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Nhấp đúp chuột để thêm một thư mục mới vào danh sách game @@ -6112,17 +6350,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Lọc: - + Enter pattern to filter Nhập mẫu để lọc @@ -6198,12 +6436,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Lỗi - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6212,19 +6450,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Tắt/Bật tiếng - - - - - - - - @@ -6247,154 +6477,180 @@ Debug Message: + + + + + + + + + + + Main Window Cửa sổ chính - + Audio Volume Down Giảm âm lượng - + Audio Volume Up Tăng âm lượng - + Capture Screenshot Chụp ảnh màn hình - + Change Adapting Filter Thay đổi bộ lọc điều chỉnh - + Change Docked Mode Thay đổi chế độ docked - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Tiếp tục/Tạm dừng giả lập - + Exit Fullscreen Thoát chế độ toàn màn hình - + Exit Eden - + Fullscreen Toàn màn hình - + Load File Nạp tập tin - + Load/Remove Amiibo Nạp/Loại bỏ Amiibo - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room - - Multiplayer Direct Connect to Room + + Direct Connect to Room - - Multiplayer Leave Room + + Leave Room - - Multiplayer Show Current Room + + Show Current Room - + Restart Emulation Khởi động lại giả lập - + Stop Emulation Dừng giả lập - + TAS Record Ghi lại TAS - + TAS Reset Đặt lại TAS - + TAS Start/Stop Bắt đầu/Dừng TAS - + Toggle Filter Bar Hiện/Ẩn thanh lọc - + Toggle Framerate Limit Bật/Tắt giới hạn tốc độ khung hình - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Bật/Tắt lia chuột - + Toggle Renderdoc Capture - + Toggle Status Bar Hiện/Ẩn thanh trạng thái + + + Toggle Performance Overlay + + InstallDialog @@ -6447,22 +6703,22 @@ Debug Message: Thời gian ước tính 5m 4s - + Loading... Đang tải... - + Loading Shaders %1 / %2 Đang tải shader %1 / %2 - + Launching... Đang khởi động... - + Estimated Time %1 Thời gian ước tính %1 @@ -6511,42 +6767,42 @@ Debug Message: Làm mới sảnh - + Password Required to Join Yêu cầu mật khẩu để tham gia - + Password: Mật khẩu: - + Players Người chơi - + Room Name Tên phòng - + Preferred Game Game ưa thích - + Host Chủ phòng - + Refreshing Đang làm mới - + Refresh List Làm mới danh sách @@ -6595,1091 +6851,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Đặt lại kích thước cửa sổ về &720p - + Reset Window Size to 720p Đặt lại kích thước cửa sổ về 720p - + Reset Window Size to &900p Đặt lại kích thước cửa sổ về &900p - + Reset Window Size to 900p Đặt lại kích thước cửa sổ về 900p - + Reset Window Size to &1080p Đặt lại kích thước cửa sổ về &1080p - + Reset Window Size to 1080p Đặt lại kích thước cửa sổ về 1080p - + &Multiplayer &Nhiều người chơi - + &Tools &Công cụ - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Trợ giúp - + &Install Files to NAND... &Cài đặt tập tin vào NAND... - + L&oad File... N&ạp tập tin... - + Load &Folder... Nạp &thư mục... - + E&xit T&hoát - - + + &Pause &Tạm dừng - + &Stop &Dừng - + &Verify Installed Contents - + &About Eden - + Single &Window Mode Chế độ &cửa sổ đơn - + Con&figure... Cấu &hình... - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Hiện thanh &lọc - + Show &Status Bar Hiện thanh &trạng thái - + Show Status Bar Hiện thanh trạng thái - + &Browse Public Game Lobby &Duyệt phòng game công khai - + &Create Room &Tạo phòng - + &Leave Room &Rời phòng - + &Direct Connect to Room &Kết nối trực tiếp tới phòng - + &Show Current Room &Hiện phòng hiện tại - + F&ullscreen T&oàn màn hình - + &Restart &Khởi động lại - + Load/Remove &Amiibo... Nạp/Loại bỏ &Amiibo... - + &Report Compatibility &Báo cáo độ tương thích - + Open &Mods Page Mở trang &mods - + Open &Quickstart Guide Mở &Hướng dẫn nhanh - + &FAQ &FAQ - + &Capture Screenshot &Chụp ảnh màn hình - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... &Cấu hình TAS... - + Configure C&urrent Game... Cấu hình game h&iện tại... - - + + &Start &Bắt đầu - + &Reset &Đặt lại - - + + R&ecord G&hi lại - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7687,69 +8005,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7776,27 +8104,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7851,22 +8179,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7874,13 +8202,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7891,7 +8219,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7899,11 +8227,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8072,86 +8413,86 @@ Tiếp tục? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8190,6 +8531,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8224,39 +8639,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Các title đã cài đặt trên thẻ SD - - - - Installed NAND Titles - Các title đã cài đặt trên NAND - - - - System Titles - Titles hệ thống - - - - Add New Game Directory - Thêm thư mục game - - - - Favorites - Ưa thích - - - - - + + + Migration - + Clear Shader Cache @@ -8289,18 +8679,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8691,6 +9081,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 đang chơi %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Các title đã cài đặt trên thẻ SD + + + + Installed NAND Titles + Các title đã cài đặt trên NAND + + + + System Titles + Titles hệ thống + + + + Add New Game Directory + Thêm thư mục game + + + + Favorites + Ưa thích + QtAmiiboSettingsDialog @@ -8808,250 +9243,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9059,22 +9494,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9082,48 +9517,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9135,18 +9570,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9154,229 +9589,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9384,83 +9875,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9481,56 +9972,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9571,7 +10062,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro Controller @@ -9584,7 +10075,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Joycon đôi @@ -9597,7 +10088,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon trái @@ -9610,7 +10101,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon phải @@ -9639,7 +10130,7 @@ This is recommended if you want to share data between emulators. - + Handheld Handheld @@ -9760,32 +10251,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Tay cầm GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Tay cầm NES - + SNES Controller Tay cầm SNES - + N64 Controller Tay cầm N64 - + Sega Genesis Sega Genesis @@ -9940,13 +10431,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK OK - + Cancel Hủy bỏ @@ -9981,12 +10472,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10022,7 +10513,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/vi_VN.ts b/dist/languages/vi_VN.ts index 4f57ab8384..2e46de6dc6 100644 --- a/dist/languages/vi_VN.ts +++ b/dist/languages/vi_VN.ts @@ -368,149 +368,174 @@ This would ban both their forum username and their IP address. % - + Amiibo editor - + Controller configuration - + Data erase - + Error Lỗi - + Net connect - + Player select - + Software keyboard Bàn phím mềm - + Mii Edit - + Online web - + Shop - + Photo viewer - + Offline web - + Login share - + Wifi web auth - + My page - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: Đầu ra hệ thống: - + Output Device: Đầu ra thiết bị: - + Input Device: Đầu vào thiết bị: - + Mute audio - + Volume: Âm lượng: - + Mute audio when in background Tắt âm thanh khi chạy nền - + Multicore CPU Emulation Giả lập CPU đa nhân - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. - + Memory Layout - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - + Limit Speed Percent Giới hạn phần trăm tốc độ - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -523,229 +548,229 @@ Can help reduce stuttering at lower framerates. - + Accuracy: Độ chính xác - + Change the accuracy of the emulated CPU (for debugging only). - - + + Backend: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. - + Custom CPU Ticks - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) Không dùng FMA (tăng hiệu suất cho các dòng CPU không hỗ trợ FMA) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. - + Faster FRSQRTE and FRECPE Chạy FRSQRTE và FRECPE nhanh hơn - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. - + Faster ASIMD instructions (32 bits only) Các lệnh ASIMD nhanh hơn (chỉ áp dụng cho 32 bit) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. - + Inaccurate NaN handling Xử lí NaN gặp lỗi - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. - + Disable address space checks Tắt kiểm tra không gian địa chỉ - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. - + Ignore global monitor Bỏ qua màn hình chung - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. - + API: API đồ hoạ: - + Changes the output graphics API. Vulkan is recommended. - + Device: Thiết bị đồ hoạ: - + This setting selects the GPU to use (Vulkan only). - + Resolution: Độ phân giải: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. - + Window Adapting Filter: Bộ lọc điều chỉnh cửa sổ: - + FSR Sharpness: Độ sắc nét FSR: - + Determines how sharpened the image will look using FSR's dynamic contrast. - + Anti-Aliasing Method: Phương pháp khử răng cưa: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. - + Fullscreen Mode: Chế độ Toàn màn hình: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. - + Aspect Ratio: Tỉ lệ khung hình: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -753,24 +778,24 @@ This feature is experimental. - + NVDEC emulation: Giả lập NVDEC - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. - + ASTC Decoding Method: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -779,45 +804,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: Chế độ Vsync: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -825,1318 +860,1402 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) Bật hiển thị bất đồng bộ (chỉ dành cho Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. - + Force maximum clocks (Vulkan only) Buộc chạy ở xung nhịp tối đa (chỉ Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. Chạy các công việc trong nền trong khi đang chờ lệnh đồ họa để giữ cho GPU không giảm xung nhịp. - + Anisotropic Filtering: Bộ lọc góc nghiêng: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache Dùng Vulkan pipeline cache - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. - + Enable Compute Pipelines (Intel Vulkan Only) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing Bật xả tương ứng - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. - + Sync to framerate of video playback Đồng bộ hóa với tốc độ khung hình khi phát video - + Run the game at normal speed during video playback, even when the framerate is unlocked. Chạy game với tốc độ bình thường trong quá trình phát video, ngay cả khi tốc độ khung hình được mở khóa. - + Barrier feedback loops Vòng lặp phản hồi rào cản - + Improves rendering of transparency effects in specific games. Cải thiện hiệu quả hiển thị của hiệu ứng trong suốt trong một số trò chơi. - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. Cải thiện việc xử lý texture và bộ đệm buffer, cũng như lớp dịch Maxwell. Một số thiết bị hỗ trợ Vulkan 1.1+ và tất cả thiết bị Vulkan 1.2+ đều hỗ trợ tiện ích mở rộng này. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed Hạt giống RNG - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name Tên thiết bị - + The name of the console. - + Custom RTC Date: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: - + This option can be overridden when region setting is auto-select - + Region: Vùng: - + The region of the console. - + Time Zone: Múi giờ: - + The time zone of the console. - + Sound Output Mode: Chế độ đầu ra âm thanh - + Console Mode: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity Ẩn con trỏ chuột khi không dùng - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet Vô hiệu hoá applet tay cầm - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode - + Force X11 as Graphics Backend - + Custom frontend - + Real applet - + Never - + On Load - + Always - + CPU CPU - + GPU - + CPU Asynchronous - + Uncompressed (Best quality) Không nén (Chất lượng tốt nhất) - + BC1 (Low quality) BC1 (Chất lượng thấp) - + BC3 (Medium quality) BC3 (Chất lượng trung bình) - - Conservative - - - - - Aggressive - - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - Null - - - - Fast - - - - - Balanced - - - - - - Accurate - Tuyệt đối - - - - - Default - Mặc định - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto Tự động - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + + + + + Aggressive + + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + Null + + + + Fast + + + + + Balanced + + + + + + Accurate + Tuyệt đối + + + + + Default + Mặc định + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe Tương đối - + Paranoid (disables most optimizations) Paranoid (vô hiệu hoá hầu hết sự tối ưu) - + Debugging - + Dynarmic - + NCE - + Borderless Windowed Cửa sổ không viền - + Exclusive Fullscreen Toàn màn hình - + No Video Output Không Video Đầu Ra - + CPU Video Decoding Giải mã video bằng CPU - + GPU Video Decoding (Default) Giải mã video bằng GPU (Mặc định) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [THỬ NGHIỆM] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [THỬ NGHIỆM] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor Nearest Neighbor - + Bilinear Bilinear - + Bicubic Bicubic - + Gaussian ScaleForce - + Lanczos - + ScaleForce ScaleForce - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None Trống - + FXAA FXAA - + SMAA SMAA - + Default (16:9) Mặc định (16:9) - + Force 4:3 Dùng 4:3 - + Force 21:9 Dùng 21:9 - + Force 16:10 Dung 16:10 - + Stretch to Window Kéo dãn đến cửa sổ phần mềm - + Automatic Tự động - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) Tiếng Nhật (日本語) - + American English Tiếng Anh Mỹ - + French (français) Tiếng Pháp (French) - + German (Deutsch) Tiếng Đức (Deutsch) - + Italian (italiano) Tiếng Ý (italiano) - + Spanish (español) Tiếng Tây Ban Nha (Spanish) - + Chinese Tiếng Trung - + Korean (한국어) Tiếng Hàn (한국어) - + Dutch (Nederlands) Tiếng Hà Lan (Dutch) - + Portuguese (português) Tiếng Bồ Đào Nha (Portuguese) - + Russian (Русский) Tiếng Nga (Русский) - + Taiwanese Tiếng Đài Loan - + British English Tiếng Anh UK (British English) - + Canadian French Tiếng Pháp Canada - + Latin American Spanish Tiếng Mỹ La-tinh - + Simplified Chinese Tiếng Trung giản thể - + Traditional Chinese (正體中文) Tiếng Trung phồn thể (正體中文) - + Brazilian Portuguese (português do Brasil) Tiếng Bồ Đào Nha của người Brazil (Português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan Nhật Bản - + USA Hoa Kỳ - + Europe Châu Âu - + Australia Châu Úc - + China Trung Quốc - + Korea Hàn Quốc - + Taiwan Đài Loan - + Auto (%1) Auto select time zone Tự động (%1) - + Default (%1) Default time zone Mặc định (%1) - + CET CET - + CST6CDT CST6CDT - + Cuba Cuba - + EET EET - + Egypt Ai Cập - + Eire Eire - + EST EST - + EST5EDT EST5EDT - + GB GB - + GB-Eire GB-Eire - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich Greenwich - + Hongkong Hồng Kông - + HST HST - + Iceland Iceland - + Iran Iran - + Israel Israel - + Jamaica Jamaica - + Kwajalein Kwajalein - + Libya Libya - + MET MET - + MST MST - + MST7MDT MST7MDT - + Navajo Navajo - + NZ NZ - + NZ-CHAT NZ-CHAT - + Poland Ba Lan - + Portugal Bồ Đào Nha - + PRC PRC - + PST8PDT PST8PDT - + ROC ROC - + ROK ROK - + Singapore Singapore - + Turkey Thổ Nhĩ Kỳ - + UCT UCT - + Universal Quốc tế - + UTC UTC - + W-SU W-SU - + WET WET - + Zulu Zulu - + Mono Mono - + Stereo Stereo - + Surround Surround - + 4GB DRAM (Default) - + 6GB DRAM (Unsafe) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked Chế độ cắm TV - + Handheld Cầm tay - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) - + Only if game specifies not to stop - + Never ask - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2208,7 +2327,7 @@ When a program attempts to open the controller applet, it is immediately closed. Khôi phục về mặc định - + Auto Tự động @@ -2659,81 +2778,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts Bật kiểm tra lỗi gỡ lỗi - + Debugging Vá lỗi - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. Bật tính năng này để đưa ra danh sách lệnh âm thanh mới nhất đã tạo ra đến console. Chỉ ảnh hưởng đến các game sử dụng bộ mã hóa âm thanh. - + Dump Audio Commands To Console** Trích xuất các lệnh âm thanh đến console** - + Flush log output on each line - + Enable FS Access Log Bật log truy cập FS - + Enable Verbose Reporting Services** Bật dịch vụ báo cáo chi tiết** - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2794,13 +2918,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio Âm thanh - + CPU CPU @@ -2816,13 +2940,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General Chung - + Graphics Đồ hoạ @@ -2843,7 +2967,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls Phím @@ -2859,7 +2983,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System Hệ thống @@ -2977,58 +3101,58 @@ When a program attempts to open the controller applet, it is immediately closed. Khôi phục bộ nhớ đệm của metadata - + Select Emulated NAND Directory... Chọn Thư Mục Giả Lập NAND... - + Select Emulated SD Directory... Chọn Thư Mục Giả Lập SD... - - + + Select Save Data Directory... - + Select Gamecard Path... Chọn đường dẫn tới đĩa game... - + Select Dump Directory... Chọn thư mục trích xuất... - + Select Mod Load Directory... Chọn Thư Mục Chứa Mod... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3039,7 +3163,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3047,28 +3171,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3079,12 +3203,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3105,20 +3229,55 @@ Would you like to delete the old save data? Chung - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings Đặt lại mọi tùy chỉnh - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? Quá trình này sẽ thiết lập lại toàn bộ tùy chỉnh và gỡ hết mọi cài đặt cho từng game riêng lẻ. Quá trình này không xóa đường dẫn tới thư mục game, hồ sơ, hay hồ sơ của thiết lập phím. Tiếp tục? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3148,33 +3307,33 @@ Would you like to delete the old save data? Màu nền: - + % FSR sharpening percentage (e.g. 50%) % - + Off Tắt - + VSync Off Tắt Vsync - + Recommended Đề xuất - + On Bật - + VSync On Bật Vsync @@ -3225,13 +3384,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3803,7 +3962,7 @@ Would you like to delete the old save data? - + Left Stick Cần trái @@ -3913,14 +4072,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3933,22 +4092,22 @@ Would you like to delete the old save data? - + Plus Cộng - + ZR ZR - - + + R R @@ -4005,7 +4164,7 @@ Would you like to delete the old save data? - + Right Stick Cần phải @@ -4174,88 +4333,88 @@ Nếu muốn đảo ngược hướng cần điều khiển, di chuyển cần s Sega Genesis - + Start / Pause Bắt đầu / Tạm ngưng - + Z Z - + Control Stick Cần điều khiển - + C-Stick C-Stick - + Shake! Lắc! - + [waiting] [Chờ] - + New Profile Hồ sơ mới - + Enter a profile name: Nhập tên hồ sơ: - - + + Create Input Profile Tạo Hồ Sơ Phím - + The given profile name is not valid! Tên hồ sơ không hợp lệ! - + Failed to create the input profile "%1" Quá trình tạo hồ sơ phím "%1" thất bại - + Delete Input Profile Xóa Hồ Sơ Phím - + Failed to delete the input profile "%1" Quá trình xóa hồ sơ phím "%1" thất bại - + Load Input Profile Nạp Hồ Sơ Phím - + Failed to load the input profile "%1" Quá trình nạp hồ sơ phím "%1" thất bại - + Save Input Profile Lưu Hồ Sơ Phím - + Failed to save the input profile "%1" Quá trình lưu hồ sơ phím "%1" thất bại @@ -4550,11 +4709,6 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Enable Airplane Mode - - - None - Trống - ConfigurePerGame @@ -4609,52 +4763,57 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Một số cài đặt chỉ khả dụng khi game không chạy. - + Add-Ons Bổ Sung - + System Hệ Thống - + CPU CPU - + Graphics Đồ Họa - + Adv. Graphics Đồ Họa Nâng Cao - + Ext. Graphics - + Audio Âm Thanh - + Input Profiles Hồ sơ đầu vào - + Network + Applets + + + + Properties Thuộc tính @@ -4672,15 +4831,110 @@ Các giá trị hiện tại lần lượt là %1% và %2%. Bổ Sung - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name Tên bản vá - + Version Phiên Bản + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4728,62 +4982,62 @@ Các giá trị hiện tại lần lượt là %1% và %2%. %2 - + Users Người Dùng - + Error deleting image Lỗi khi xóa ảnh - + Error occurred attempting to overwrite previous image at: %1. Có lỗi khi ghi đè ảnh trước tại: %1. - + Error deleting file Lỗi xóa ảnh - + Unable to delete existing file: %1. Không thể xóa ảnh hiện tại: %1. - + Error creating user image directory Lỗi khi tạo thư mục chứa ảnh người dùng - + Unable to create directory %1 for storing user images. Không thể tạo thư mục %1 để chứa ảnh người dùng - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4791,17 +5045,17 @@ Các giá trị hiện tại lần lượt là %1% và %2%. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. Xoá người dùng này? Tất cả dữ liệu save của người dùng này sẽ bị xoá. - + Confirm Delete Xác nhận xóa - + Name: %1 UUID: %2 Tên: %1 @@ -5003,17 +5257,22 @@ UUID: %2 Tạm dừng thực thi trong quá trình tải - + + Show recording dialog + + + + Script Directory Thư mục tập lệnh - + Path Đường dẫn - + ... ... @@ -5026,7 +5285,7 @@ UUID: %2 Cấu hình TAS - + Select TAS Load Directory... Chọn thư mục tải TAS @@ -5164,64 +5423,43 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr ConfigureUI - - - + + None Trống - - Small (32x32) - Nhỏ (32x32) - - - - Standard (64x64) - Tiêu chuẩn (64x64) - - - - Large (128x128) - Lớn (128x128) - - - - Full Size (256x256) - Kích thước đầy đủ (256x256) - - - + Small (24x24) Nhỏ (24x24) - + Standard (48x48) Tiêu chuẩn (48x48) - + Large (72x72) Lớn (72x72) - + Filename Tên tệp - + Filetype Loại tập tin - + Title ID ID của game - + Title Name Tên title @@ -5290,71 +5528,66 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - Game Icon Size: - Kích thước icon game: - - - Folder Icon Size: Kích thước icon thư mục: - + Row 1 Text: Dòng chữ hàng 1: - + Row 2 Text: Dòng chữ hàng 2: - + Screenshots Ảnh chụp màn hình - + Ask Where To Save Screenshots (Windows Only) Hỏi nơi lưu ảnh chụp màn hình (chỉ Windows) - + Screenshots Path: Đường dẫn cho ảnh chụp màn hình: - + ... ... - + TextLabel NhãnVănBản - + Resolution: Độ phân giải: - + Select Screenshots Path... Chọn đường dẫn cho ảnh chụp màn hình... - + <System> <System> - + English Tiếng Anh - + Auto (%1 x %2, %3 x %4) Screenshot width value Tự động (%1 x %2, %3 x %4) @@ -5488,20 +5721,20 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr Hiển thị trò chơi hiện tại lên thông tin Discord của bạn - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5533,27 +5766,27 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5591,7 +5824,7 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Calculating... @@ -5614,12 +5847,12 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr - + Dependency - + Version @@ -5793,44 +6026,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! Không có sẵn OpenGL! - + OpenGL shared contexts are not supported. Các ngữ cảnh OpenGL chung không được hỗ trợ. - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! Đã xảy ra lỗi khi khởi tạo OpenGL! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. GPU của bạn có thể không hỗ trợ OpenGL, hoặc bạn không có driver đồ hoạ mới nhất. - + Error while initializing OpenGL 4.6! Lỗi khi khởi tạo OpenGL 4.6! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 GPU của bạn có thể không hỗ trợ OpenGL 4.6, hoặc bạn không có driver đồ hoạ mới nhất.<br><br>GL Renderer:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 GPU của bạn có thể không hỗ trợ một hoặc nhiều tiện ích OpenGL cần thiết. Vui lòng đảm bảo bạn có driver đồ hoạ mới nhất.<br><br>GL Renderer:<br>%1<br><br>Tiện ích không hỗ trợ:<br>%2 @@ -5838,203 +6071,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite Ưa thích - + Start Game Bắt đầu game - + Start Game without Custom Configuration Bắt đầu game mà không có cấu hình tuỳ chỉnh - + Open Save Data Location Mở vị trí lưu dữ liệu - + Open Mod Data Location Mở vị trí chỉnh sửa dữ liệu - + Open Transferable Pipeline Cache Mở thư mục chứa bộ nhớ cache pipeline - + Link to Ryujinx - + Remove Gỡ Bỏ - + Remove Installed Update Loại bỏ bản cập nhật đã cài - + Remove All Installed DLC Loại bỏ tất cả DLC đã cài đặt - + Remove Custom Configuration Loại bỏ cấu hình tuỳ chỉnh - + Remove Cache Storage Xoá bộ nhớ cache - + Remove OpenGL Pipeline Cache Loại bỏ OpenGL Pipeline Cache - + Remove Vulkan Pipeline Cache Loại bỏ bộ nhớ cache pipeline Vulkan - + Remove All Pipeline Caches Loại bỏ tất cả bộ nhớ cache shader - + Remove All Installed Contents Loại bỏ tất cả nội dung đã cài đặt - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data - - + + Dump RomFS Kết xuất RomFS - + Dump RomFS to SDMC Trích xuất RomFS tới SDMC - + Verify Integrity Kiểm tra tính toàn vẹn - + Copy Title ID to Clipboard Sao chép ID tiêu đề vào bộ nhớ tạm - + Navigate to GameDB entry Điều hướng đến mục cơ sở dữ liệu trò chơi - + Create Shortcut Tạo lối tắt - + Add to Desktop Thêm vào Desktop - + Add to Applications Menu Thêm vào menu ứng dụng - + Configure Game - + Scan Subfolders Quét các thư mục con - + Remove Game Directory Loại bỏ thư mục game - + ▲ Move Up ▲ Di chuyển lên - + ▼ Move Down ▼ Di chuyển xuống - + Open Directory Location Mở vị trí thư mục - + Clear Bỏ trống - + Name Tên - + Compatibility Tương thích - + Add-ons Tiện ích ngoài - + File type Loại tệp tin - + Size Kích cỡ - + Play time @@ -6042,62 +6280,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame Trong game - + Game starts, but crashes or major glitches prevent it from being completed. Game khởi động, nhưng gặp vấn đề hoặc lỗi nghiêm trọng đến việc không thể hoàn thành trò chơi. - + Perfect Tốt nhất - + Game can be played without issues. Game có thể chơi mà không gặp vấn đề. - + Playable Có thể chơi - + Game functions with minor graphical or audio glitches and is playable from start to finish. Game hoạt động với lỗi hình ảnh hoặc âm thanh nhẹ và có thể chơi từ đầu tới cuối. - + Intro/Menu Phần mở đầu/Menu - + Game loads, but is unable to progress past the Start Screen. Trò chơi đã tải, nhưng không thể qua Màn hình Bắt đầu. - + Won't Boot Không hoạt động - + The game crashes when attempting to startup. Trò chơi sẽ thoát đột ngột khi khởi động. - + Not Tested Chưa ai thử - + The game has not yet been tested. Trò chơi này chưa có ai thử cả. @@ -6105,7 +6343,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list Nháy đúp chuột để thêm một thư mục mới vào danh sách trò chơi game @@ -6113,17 +6351,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: Bộ lọc: - + Enter pattern to filter Nhập khuôn để lọc @@ -6199,12 +6437,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error Lỗi - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6213,19 +6451,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute Tắt/Bật tiếng - - - - - - - - @@ -6248,154 +6478,180 @@ Debug Message: + + + + + + + + + + + Main Window Cửa sổ chính - + Audio Volume Down Giảm âm lượng - + Audio Volume Up Tăng âm lượng - + Capture Screenshot Chụp ảnh màn hình - + Change Adapting Filter Thay đổi bộ lọc điều chỉnh - + Change Docked Mode Đổi chế độ Docked - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation Tiếp tục/Tạm dừng giả lập - + Exit Fullscreen Thoát chế độ toàn màn hình - + Exit Eden - + Fullscreen Toàn màn hình - + Load File Nạp tệp tin - + Load/Remove Amiibo Tải/Loại bỏ Amiibo - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby - - Multiplayer Create Room + + Create Room - - Multiplayer Direct Connect to Room + + Direct Connect to Room - - Multiplayer Leave Room + + Leave Room - - Multiplayer Show Current Room + + Show Current Room - + Restart Emulation Khởi động lại giả lập - + Stop Emulation Dừng giả lập - + TAS Record Ghi lại TAS - + TAS Reset Đặt lại TAS - + TAS Start/Stop Bắt đầu/Dừng TAS - + Toggle Filter Bar Hiện/Ẩn thanh lọc - + Toggle Framerate Limit Bật/Tắt giới hạn tốc độ khung hình - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning Bật/Tắt di chuyển chuột - + Toggle Renderdoc Capture - + Toggle Status Bar Hiện/Ẩn thanh trạng thái + + + Toggle Performance Overlay + + InstallDialog @@ -6448,22 +6704,22 @@ Debug Message: Thời gian ước tính 5m 4s - + Loading... Đang tải... - + Loading Shaders %1 / %2 Đang nạp shader %1 / %2 - + Launching... Đang mở... - + Estimated Time %1 Ước tính thời gian %1 @@ -6512,42 +6768,42 @@ Debug Message: Làm mới sảnh - + Password Required to Join Yêu cầu mật khẩu để tham gia - + Password: Mật khẩu: - + Players Người chơi - + Room Name Tên phòng - + Preferred Game Trò chơi ưa thích - + Host Chủ phòng - + Refreshing Đang làm mới - + Refresh List Làm mới danh sách @@ -6596,1091 +6852,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p Đặt lại kích thước cửa sổ về &720p - + Reset Window Size to 720p Đặt lại kích thước cửa sổ về 720p - + Reset Window Size to &900p Đặt lại kích thước cửa sổ về &900p - + Reset Window Size to 900p Đặt lại kích thước cửa sổ về 900p - + Reset Window Size to &1080p Đặt lại kích thước cửa sổ về &1080p - + Reset Window Size to 1080p Đặt lại kích thước cửa sổ về 1080p - + &Multiplayer &Nhiều người chơi - + &Tools &Công cụ - + Am&iibo - + Launch &Applet - + &TAS &TAS - + &Create Home Menu Shortcut - + Install &Firmware - + &Help &Trợ giúp - + &Install Files to NAND... &Cài đặt tập tin vào NAND... - + L&oad File... N&ạp tập tin... - + Load &Folder... Nạp &Thư mục - + E&xit Th&oát - - + + &Pause &Tạm dừng - + &Stop &Dừng - + &Verify Installed Contents - + &About Eden - + Single &Window Mode &Chế độ cửa sổ đơn - + Con&figure... Cấu& hình - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar Hiện thanh &lọc - + Show &Status Bar Hiện thanh &trạng thái - + Show Status Bar Hiển thị thanh trạng thái - + &Browse Public Game Lobby &Duyệt phòng game công khai - + &Create Room &Tạo phòng - + &Leave Room &Rời phòng - + &Direct Connect to Room &Kết nối trực tiếp tới phòng - + &Show Current Room &Hiện phòng hiện tại - + F&ullscreen T&oàn màn hình - + &Restart &Khởi động lại - + Load/Remove &Amiibo... Tải/Loại bỏ &Amiibo - + &Report Compatibility &Báo cáo tương thích - + Open &Mods Page Mở trang &mods - + Open &Quickstart Guide Mở &Hướng dẫn nhanh - + &FAQ &FAQ - + &Capture Screenshot &Chụp ảnh màn hình - + &Album - + &Set Nickname and Owner - + &Delete Game Data - + &Restore Amiibo - + &Format Amiibo - + &Mii Editor - + &Configure TAS... &Cấu hình TAS... - + Configure C&urrent Game... Cấu hình game hiện tại... - - + + &Start &Bắt đầu - + &Reset &Đặt lại - - + + R&ecord G&hi - + Open &Controller Menu - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7688,69 +8006,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7777,27 +8105,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7852,22 +8180,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7875,13 +8203,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7892,7 +8220,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7900,11 +8228,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8073,86 +8414,86 @@ Tiếp tục? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8191,6 +8532,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8225,39 +8640,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - Các title đã cài đặt trên thẻ SD - - - - Installed NAND Titles - Các title đã cài đặt trên NAND - - - - System Titles - Titles hệ thống - - - - Add New Game Directory - Thêm thư mục game - - - - Favorites - Ưa thích - - - - - + + + Migration - + Clear Shader Cache @@ -8290,18 +8680,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8692,6 +9082,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 đang chơi %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + Các title đã cài đặt trên thẻ SD + + + + Installed NAND Titles + Các title đã cài đặt trên NAND + + + + System Titles + Titles hệ thống + + + + Add New Game Directory + Thêm thư mục game + + + + Favorites + Ưa thích + QtAmiiboSettingsDialog @@ -8809,250 +9244,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9060,22 +9495,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9083,48 +9518,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9136,18 +9571,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9155,229 +9590,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed Đã gỡ bỏ thành công - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. Đã gỡ bỏ thành công DLC %1 - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. Đã xóa thành công cấu hình trò chơi tùy chỉnh. - + Failed to remove the custom game configuration. Không thể xóa cấu hình trò chơi tùy chỉnh. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. Thao tác đã hoàn tất thành công. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut Tạo lối tắt - + Do you want to launch the game in fullscreen? Bạn có muốn khởi chạy trò chơi ở chế độ toàn màn hình không? - + Shortcut Created Lối tắt đã được tạo - + Successfully created a shortcut to %1 Đã tạo thành công lối tắt tới %1 - + Shortcut may be Volatile! Lối tắt có thể không ổn định! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? Thao tác này sẽ tạo một lối tắt đến AppImage hiện tại. Việc này có thể không hoạt động tốt nếu bạn cập nhật. Bạn có muốn tiếp tục không? - + Failed to Create Shortcut Không thể tạo lối tắt - + Failed to create a shortcut to %1 Không thể tạo lối tắt tới %1 - + Create Icon Tạo icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. Không thể tạo icon. Đường dẫn "%1" không tồn tại và không thể tạo được. - + No firmware available Không có firmware khả dụng - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9385,83 +9876,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9482,56 +9973,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9572,7 +10063,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Tay cầm Pro Controller @@ -9585,7 +10076,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons Joycon đôi @@ -9598,7 +10089,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon Joycon Trái @@ -9611,7 +10102,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon Joycon Phải @@ -9640,7 +10131,7 @@ This is recommended if you want to share data between emulators. - + Handheld Cầm tay @@ -9761,32 +10252,32 @@ This is recommended if you want to share data between emulators. - + GameCube Controller Tay cầm GameCube - + Poke Ball Plus Poke Ball Plus - + NES Controller Tay cầm NES - + SNES Controller Tay cầm SNES - + N64 Controller Tay cầm N64 - + Sega Genesis Sega Genesis @@ -9941,13 +10432,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK Chấp nhận - + Cancel Hủy bỏ @@ -9982,12 +10473,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10023,7 +10514,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/languages/zh_CN.ts b/dist/languages/zh_CN.ts index 242e49ebfa..a16f8b44d9 100644 --- a/dist/languages/zh_CN.ts +++ b/dist/languages/zh_CN.ts @@ -375,146 +375,151 @@ This would ban both their forum username and their IP address. % - + Amiibo editor Amiibo 编辑器 - + Controller configuration 控制器设置 - + Data erase 清除数据 - + Error 错误 - + Net connect 网络连接 - + Player select 选择玩家 - + Software keyboard 软件键盘 - + Mii Edit Mii 编辑 - + Online web 在线网络 - + Shop 商店 - + Photo viewer 照片查看器 - + Offline web 离线网络 - + Login share 第三方账号登录 - + Wifi web auth Wifi 网络认证 - + My page 我的主页 - + Enable Overlay Applet 开启覆盖层小程序 - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + 开启 Horizon 内置的覆盖层小程序。请按住 home 键 1 秒来显示它。 + + + Output Engine: 输出引擎: - + Output Device: 输出设备: - + Input Device: 输入设备: - + Mute audio 静音 - + Volume: 音量: - + Mute audio when in background 模拟器位于后台时静音 - + Multicore CPU Emulation 多核 CPU 仿真 - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. 此选项会将 CPU 模拟线程数量从 1 增加到 Switch 实机的最大值 4。 这是个调试选项,不建议禁用。 - + Memory Layout 内存布局 - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - 将模拟RAM从Switch实机的4GB增加到开发机的6/8GB。 -不会提高性能,但可以改善高清材质mod的兼容性。 + 增加模拟内存的容量。 +不影响性能或稳定性,但可能对加载高清贴图模组有帮助。 - + Limit Speed Percent 运行速度限制 - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +527,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + 加速模式 + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + 当按下 加速模式 快捷键时,速度会被限制在这个百分比。 + + + + Slow Speed + 减速模式 + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + 当按下 减速模式 快捷键时,速度会被限制在这个百分比。 + Synchronize Core Speed @@ -535,28 +560,28 @@ Can help reduce stuttering at lower framerates. 可以帮助在较低帧率下减少卡顿。 - + Accuracy: 精度: - + Change the accuracy of the emulated CPU (for debugging only). 更改模拟 CPU 的精度(仅供调试使用)。 - - + + Backend: 后端: - + CPU Overclock CPU 超频 - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. 对模拟的 CPU 进行超频,以移除部分 FPS 限制。性能较弱的 CPU 可能会出现性能下降,某些游戏也可能会出现异常行为。 @@ -566,32 +591,32 @@ Boost(1700MHz):运行在 Switch 的最高原生频率。 Fast(2000MHz):运行在 2 倍频率。 - + Custom CPU Ticks 自定义 CPU 时钟周期 - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. 设置自定义的 CPU 时钟周期。较高的数值可能提升性能,但也可能导致游戏卡死。推荐范围:77–21000。 - + Virtual Table Bouncing 虚拟表返回 - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort 通过模拟返回值为 0 的方式使任何触发预取中止的函数返回 - + Enable Host MMU Emulation (fastmem) 启用主机 MMU 模拟(快速内存存取) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -600,100 +625,100 @@ Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) 低精度 FMA (在 CPU 不支持 FMA 指令集的情况下提高性能) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. 该选项通过降低积和熔加运算的精度来提高模拟器在不支持 FMA 指令集 CPU 上的运行速度。 - + Faster FRSQRTE and FRECPE 快速 FRSQRTE 和 FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. 该选项通过使用精度较低的近似值来提高某些浮点函数的运算速度。 - + Faster ASIMD instructions (32 bits only) 加速 ASIMD 指令执行(仅限 32 位) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. 该选项通过不正确的舍入模式来提高 32 位 ASIMD 浮点函数的运行速度。 - + Inaccurate NaN handling 低精度非数处理 - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. 该选项通过取消非数检查来提高速度。 请注意,这也会降低某些浮点指令的精确度。 - + Disable address space checks 禁用地址空间检查 - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. 此选项通过在每次内存操作前取消安全检查来提高速度。 禁用它可能允许执行任意代码。 - + Ignore global monitor 忽略全局监视器 - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. 此选项仅通过 cmpxchg 指令来提高速度,以确保独占访问指令的安全性。 请注意,这可能会导致死锁和其他问题。 - + API: API: - + Changes the output graphics API. Vulkan is recommended. 更改图形输出的 API。 推荐使用 Vulkan。 - + Device: 设备: - + This setting selects the GPU to use (Vulkan only). 设置Vulkan下使用的GPU。 - + Resolution: 分辨率: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -702,27 +727,27 @@ Options lower than 1X can cause artifacts. 低于 1X 的选项可能造成渲染问题。 - + Window Adapting Filter: 窗口滤镜: - + FSR Sharpness: FSR 锐化度: - + Determines how sharpened the image will look using FSR's dynamic contrast. 确定使用 FSR 的动态对比度后的图像锐化度。 - + Anti-Aliasing Method: 抗锯齿方式: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -731,12 +756,12 @@ SMAA 提供最佳质量。 FXAA 可以在较低分辨率下产生更稳定的画面。 - + Fullscreen Mode: 全屏模式: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -745,12 +770,12 @@ Exclusive fullscreen may offer better performance and better Freesync/Gsync supp 独占全屏提供更好的性能和 Freesync/Gsync 支持。 - + Aspect Ratio: 屏幕纵横比: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. @@ -759,24 +784,24 @@ Also controls the aspect ratio of captured screenshots. 此设置同时控制捕获截图的高宽比。 - + Use persistent pipeline cache 使用持久管道缓存 - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. 将生成的着色器保存到硬盘,提高后续游戏过程中的着色器加载速度。 请仅在调试时禁用此项。 - + Optimize SPIRV output 优化 SPIRV 输出 - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -785,12 +810,12 @@ This feature is experimental. 实验性功能。也许会略微提升性能,但会增加着色器编译所需的时间。 - + NVDEC emulation: NVDEC 模拟方式: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -799,12 +824,12 @@ In most cases, GPU decoding provides the best performance. 大多数情况下,使用 GPU 解码将提供最好的性能。 - + ASTC Decoding Method: ASTC 纹理解码方式: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -817,12 +842,12 @@ CPU 异步模拟:使用 CPU 在 ASTC 纹理到达时对其进行解码。 消除 ASTC 解码带来的卡顿,但在解码时可能出现渲染问题。 - + ASTC Recompression Method: ASTC 纹理重压缩方式: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. @@ -831,34 +856,44 @@ BC1/BC3: 中间格式将被重新压缩为 BC1 或 BC3 格式,从而节省显存 但会降低图像质量。 - + + Frame Pacing Mode (Vulkan only) + 帧同步模式 (仅限 Vulkan) + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + 控制模拟器如何管理帧同步,以减少卡顿,使帧率表现更加平稳顺滑。 + + + VRAM Usage Mode: VRAM 使用模式: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. 选择模拟器是应优先节省内存还是最大限度地使用可用视频内存以提高性能。 激进模式可能会影响诸如录屏软件等其他应用程序的性能,。 - + Skip CPU Inner Invalidation 跳过 CPU 内部失效处理 - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. 在内存更新期间跳过某些缓存失效,从而降低 CPU 使用率并改善延迟。这可能导致软件崩溃。 - + VSync Mode: 垂直同步模式: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -869,12 +904,12 @@ Mailbox 的延迟可能比 FIFO 低且不会导致撕裂,但可能会丢帧。 Immediate (不同步) 会呈现全部可用内容,并可能出现撕裂。 - + Sync Memory Operations 同步内存操作 - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. @@ -883,87 +918,98 @@ Unreal Engine 4 games often see the most significant changes thereof. 虚幻 4 引擎的游戏通常会看到最显著的变化。 - + Enable asynchronous presentation (Vulkan only) 启用异步帧提交 (仅限 Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. 将帧提交移动到单独的 CPU 线程,略微提高性能。 - + Force maximum clocks (Vulkan only) 强制最大时钟 (仅限 Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. 在后台运行的同时等待图形命令,以防止 GPU 降低时钟速度。 - + Anisotropic Filtering: 各向异性过滤: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. 控制在斜角下纹理渲染的质量。 大多数 GPU 上设置为 16 倍是安全的。 - + GPU Mode: GPU 模式: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. 控制 GPU 模拟的精确度。大部分游戏在性能或平衡模式下可以正常渲染,但部分游戏需要设置为精确。粒子效果通常只有在精确模式下才能正确显示。 - + DMA Accuracy: DMA 精度: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. 控制 DMA 精度。安全精度可修复某些游戏中的问题,但可能会降低性能。 - + Enable asynchronous shader compilation 开启异步着色器编译 - + May reduce shader stutter. 可能减少着色器卡顿。 - + Fast GPU Time GPU 超频频率 - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. 将模拟的 GPU 超频,以提高动态分辨率和渲染距离。使用 256 可获得最大性能,使用 512 可获得最高的图形保真度。 - + + GPU Unswizzle + GPU 还原 + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + 利用 GPU 计算来加速 BCn 格式 3D 纹理的解码。如果遇到崩溃或画面花屏,请禁用此项。 + + + GPU Unswizzle Max Texture Size GPU 还原最大纹理尺寸 - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. @@ -972,48 +1018,48 @@ Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size GPU 还原流大小 - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. 设置每帧处理的纹理数据最大量(单位:MiB)。 较高的数值可以减少纹理加载时的卡顿,但可能会影响帧率的稳定性(即造成帧时间波动)。 - + GPU Unswizzle Chunk Size GPU 还原块大小 - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. 确定在单次调度(Dispatch)中处理的深度切片(Depth Slices)数量。 增加此数值可以提高高端 GPU 的吞吐量(处理效率),但在性能较弱的硬件上可能会引发 TDR(驱动程序重置)或驱动超时。 - + Use Vulkan pipeline cache 启用 Vulkan 管线缓存 - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. 启用 GPU 供应商专用的管线缓存。 在 Vulkan 驱动程序内部不存储管线缓存的情况下,此选项可显著提高着色器加载速度。 - + Enable Compute Pipelines (Intel Vulkan Only) 启用计算管线 (仅限 Intel 显卡 Vulkan 模式) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. @@ -1022,182 +1068,206 @@ Compute pipelines are always enabled on all other drivers. 在所有其他驱动程序上始终启用计算管线。 - + Enable Reactive Flushing 启用反应性刷新 - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. 使用反应性刷新取代预测性刷新,从而更精确地同步内存。 - + Sync to framerate of video playback 播放视频时帧率同步 - + Run the game at normal speed during video playback, even when the framerate is unlocked. 在视频播放期间以正常速度运行游戏,即使帧率未锁定。 - + Barrier feedback loops 屏障反馈环路 - + Improves rendering of transparency effects in specific games. 改进某些游戏中透明效果的渲染。 - + + Enable buffer history + 启用缓冲区历史 + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + 允许访问之前的缓冲状态。 +这个选项可能会提升某些游戏的渲染质量和性能一致性。 + + + Fix bloom effects 修复泛光效果 - + Removes bloom in Burnout. 去除《火爆狂飙》中的泛光特效。 - + + Enable Legacy Rescale Pass + 启用旧版缩放 + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + 通过依赖之前实现的行为,可能会修复部分游戏的缩放重叠问题。 +修复 AMD 和 Intel 显卡上的线条伪影,以及《路易斯洋楼3》中 Nvidia 显卡的灰色纹理闪烁的遗留行为变通方法。 + + + Extended Dynamic State 扩展动态状态 - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. 控制在扩展动态状态中可使用的函数数量。更高的数值允许启用更多功能,并可能提升性能,但同时也可能导致额外的图形问题。 - + Vertex Input Dynamic State 顶点输入动态状态 - + Enables vertex input dynamic state feature for better quality and performance. 开启顶点输入动态状态功能来获得更好的质量和性能。 - + Provoking Vertex 激活顶点 - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. 改善某些游戏中的照明和顶点处理。仅 Vulkan 1.0 设备支持此扩展。 - + Descriptor Indexing 描述符索引 - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. 改进了纹理和缓冲处理以及 Maxwell 翻译层。 部分 Vulkan 1.1 设备和所有 1.2 设备支持此扩展。 - + Sample Shading 采样着色 - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. 允许片段着色器在多重采样的片段中每个样本执行一次而不是每个片段执行一次。可以提高图形质量,但会降低性能。 更高的值可以提高质量但会降低性能。 - + RNG Seed 随机数生成器种子 - + Controls the seed of the random number generator. Mainly used for speedrunning. 控制随机数生成器的种子。 主要用于竞速游戏。 - + Device Name 设备名称 - + The name of the console. 主机的数量。 - + Custom RTC Date: 自定义系统时间: - + This option allows to change the clock of the console. Can be used to manipulate time in games. 此选项允许更改控制台的时钟。 可用于操纵游戏中的时间。 - + The number of seconds from the current unix time 来自当前 unix 时间的秒数。 - + Language: 语言: - + This option can be overridden when region setting is auto-select 当区域设置为自动选择时可以使用此选项替代。 - + Region: 地区: - + The region of the console. 主机的区域。 - + Time Zone: 时区: - + The time zone of the console. 主机的时区。 - + Sound Output Mode: 声音输出模式: - + Console Mode: 控制台模式: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. @@ -1206,998 +1276,1049 @@ Setting to Handheld can help improve performance for low end systems. 将设置为掌机模式可以帮助低端系统提高性能。 - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot 启动时提示选择用户账户 - + Useful if multiple people use the same PC. 在多人使用相同的 PC 时有效。 - + Pause when not in focus 在丢失焦点时暂停 - + Pauses emulation when focusing on other windows. 当焦点位于其它窗口时暂停模拟器。 - + Confirm before stopping emulation 停止模拟时需要确认 - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. 替代提示以确认停止模拟。 启用它将绕过此类提示并直接退出模拟。 - + Hide mouse on inactivity 自动隐藏鼠标光标 - + Hides the mouse after 2.5s of inactivity. 在 2.5 秒无活动后隐藏鼠标。 - + Disable controller applet 禁用控制器小程序 - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. 强制禁止在模拟程序中使用控制器小程序。 当程序尝试打开控制器小程序时,它会立即被关闭。 - + Check for updates 检查更新 - + Whether or not to check for updates upon startup. 在启动时是否检查更新。 - + Enable Gamemode 启用游戏模式 - + Force X11 as Graphics Backend 强制使用 X11 作为图形后端 - + Custom frontend 自定义前端 - + Real applet 真实的小程序 - + Never 永不 - + On Load 加载时 - + Always 总是 - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU 异步模拟 - + Uncompressed (Best quality) 不压缩 (最高质量) - + BC1 (Low quality) BC1 (低质量) - + BC3 (Medium quality) BC3 (中等质量) - - Conservative - 保守模式 - - - - Aggressive - 激进模式 - - - - Vulkan - Vulkan - - - - OpenGL GLSL - OpenGL GLSL - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - OpenGL GLASM (汇编着色器,仅限 NVIDIA 显卡) - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - OpenGL SPIR-V (实验性,仅限 AMD/Mesa) - - - - Null - - - - - Fast - 高速 - - - - Balanced - 平衡 - - - - - Accurate - 高精度 - - - - - Default - 系统默认 - - - - Unsafe (fast) - 不安全(快速) - - - - Safe (stable) - 安全(稳定) - - - + + Auto 自动 - + + 30 FPS + 30 FPS + + + + 60 FPS + 60 FPS + + + + 90 FPS + 90 FPS + + + + 120 FPS + 120 FPS + + + + Conservative + 保守模式 + + + + Aggressive + 激进模式 + + + + Vulkan + Vulkan + + + + OpenGL GLSL + OpenGL GLSL + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + OpenGL GLASM (汇编着色器,仅限 NVIDIA 显卡) + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + OpenGL SPIR-V (实验性,仅限 AMD/Mesa) + + + + Null + + + + + Fast + 高速 + + + + Balanced + 平衡 + + + + + Accurate + 高精度 + + + + + Default + 系统默认 + + + + Unsafe (fast) + 不安全(快速) + + + + Safe (stable) + 安全(稳定) + + + Unsafe 低精度 - + Paranoid (disables most optimizations) 偏执模式 (禁用绝大多数优化项) - + Debugging 调试 - + Dynarmic 动态编译 - + NCE 本机代码执行 - + Borderless Windowed 无边框窗口 - + Exclusive Fullscreen 独占全屏 - + No Video Output 无视频输出 - + CPU Video Decoding CPU 视频解码 - + GPU Video Decoding (Default) GPU 视频解码 (默认) - + 0.25X (180p/270p) [EXPERIMENTAL] 0.25X (180p/270p) [实验性] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [实验性] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [实验性] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] 1.25X (900p/1350p) [实验性] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [实验性] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor 近邻取样 - + Bilinear 双线性过滤 - + Bicubic 双三线过滤 - + Gaussian 高斯模糊 - + Lanczos Lanczos - + ScaleForce 强制缩放 - + AMD FidelityFX Super Resolution AMD FidelityFX 超级分辨率 - + Area 区域 - + MMPX MMPX - + Zero-Tangent 零切线 - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - - + + None - + FXAA 快速近似抗锯齿 - + SMAA 子像素形态学抗锯齿 - + Default (16:9) 默认 (16:9) - + Force 4:3 强制 4:3 - + Force 21:9 强制 21:9 - + Force 16:10 强制 16:10 - + Stretch to Window 拉伸窗口 - + Automatic 自动 - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x 32x - + 64x 64x - + Japanese (日本語) 日语 (日本語) - + American English 美式英语 - + French (français) 法语 (français) - + German (Deutsch) 德语 (Deutsch) - + Italian (italiano) 意大利语 (italiano) - + Spanish (español) 西班牙语 (español) - + Chinese 中文 - + Korean (한국어) 韩语 (한국어) - + Dutch (Nederlands) 荷兰语 (Nederlands) - + Portuguese (português) 葡萄牙语 (português) - + Russian (Русский) 俄语 (Русский) - + Taiwanese 台湾中文 - + British English 英式英语 - + Canadian French 加拿大法语 - + Latin American Spanish 拉美西班牙语 - + Simplified Chinese 简体中文 - + Traditional Chinese (正體中文) 繁体中文 (正體中文) - + Brazilian Portuguese (português do Brasil) 巴西-葡萄牙语 (português do Brasil) - - Serbian (српски) - 塞尔维亚语 (српски) + + Polish (polska) + 波兰语(波兰语) - - + + Thai (แบบไทย) + 泰语 + + + + Japan 日本 - + USA 美国 - + Europe 欧洲 - + Australia 澳大利亚 - + China 中国 - + Korea 韩国 - + Taiwan 台湾地区 - + Auto (%1) Auto select time zone 自动 (%1) - + Default (%1) Default time zone 默认 (%1) - + CET 欧洲中部时间 - + CST6CDT 古巴标准时间&古巴夏令时 - + Cuba 古巴 - + EET 东欧时间 - + Egypt 埃及 - + Eire 爱尔兰 - + EST 东部标准时间 - + EST5EDT 东部标准时间&东部夏令时 - + GB 英国 - + GB-Eire 英国-爱尔兰时间 - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich 格林威治 - + Hongkong 香港 - + HST 美国夏威夷时间 - + Iceland 冰岛 - + Iran 伊朗 - + Israel 以色列 - + Jamaica 牙买加 - + Kwajalein 夸贾林环礁 - + Libya 利比亚 - + MET 中欧时间 - + MST 山区标准时间 (北美) - + MST7MDT 山区标准时间&山区夏令时 (北美) - + Navajo 纳瓦霍 - + NZ 新西兰时间 - + NZ-CHAT 新西兰-查塔姆群岛 - + Poland 波兰 - + Portugal 葡萄牙 - + PRC 中国标准时间 - + PST8PDT 太平洋标准时间&太平洋夏令时 - + ROC 台湾时间 - + ROK 韩国时间 - + Singapore 新加坡 - + Turkey 土耳其 - + UCT UCT - + Universal 世界时间 - + UTC 协调世界时 - + W-SU 欧洲-莫斯科时间 - + WET 西欧时间 - + Zulu 祖鲁 - + Mono 单声道 - + Stereo 立体声 - + Surround 环绕声 - + 4GB DRAM (Default) 4GB DRAM (默认) - + 6GB DRAM (Unsafe) 6GB DRAM (不安全) - + 8GB DRAM 8GB DRAM - + 10GB DRAM (Unsafe) 10GB DRAM (不安全) - + 12GB DRAM (Unsafe) 12GB DRAM (不安全) - + Docked 主机模式 - + Handheld 掌机模式 - - + + Off 关闭 - + Boost (1700MHz) 加速 (1700MHz) - + Fast (2000MHz) 快速 (2000MHz) - + Always ask (Default) 总是询问 (默认) - + Only if game specifies not to stop 仅当游戏不希望停止时 - + Never ask 从不询问 - - + + Medium (256) 中(256) - - + + High (512) 高(512) - + Very Small (16 MB) 很小 (16 MB) - + Small (32 MB) 较小 (32 MB) - + Normal (128 MB) 正常 (128 MB) - + Large (256 MB) 较大 (256 MB) - + Very Large (512 MB) 很大 (512 MB) - + Very Low (4 MB) 很低 (4 MB) - + Low (8 MB) 低 (8 MB) - + Normal (16 MB) 正常 (16 MB) - + Medium (32 MB) 中 (32 MB) - + High (64 MB) 高 (64 MB) - + Very Low (32) 很低 (32) - + Low (64) 低 (64) - + Normal (128) 正常 (128) - + Disabled 禁用 - + ExtendedDynamicState 1 扩展动态状态 1 - + ExtendedDynamicState 2 扩展动态状态 2 - + ExtendedDynamicState 3 扩展动态状态 3 + + + Tree View + 树景视图 + + + + Grid View + 网格视图 + ConfigureApplets @@ -2269,7 +2390,7 @@ When a program attempts to open the controller applet, it is immediately closed. 恢复默认 - + Auto 自动 @@ -2720,81 +2841,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts 启用调试断言 - + Debugging 调试选项 - + Battery Serial: 电池序列号: - + Bitmask for quick development toggles 用于快速开发切换的位掩码 - + Set debug knobs (bitmask) 设置调试开关 (位掩码) - + 16-bit debug knob set for quick development toggles 用于快速开发切换的 16 位调试开关组 - + (bitmask) (位掩码) - + Debug Knobs: 调试开关: - + Unit Serial: 单元序列号: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. 启用此选项会将最新的音频命令列表输出到控制台。只影响使用音频渲染器的游戏。 - + Dump Audio Commands To Console** 将音频命令转储至控制台** - + Flush log output on each line 每行刷新日志输出 - + Enable FS Access Log 启用文件系统访问记录 - + Enable Verbose Reporting Services** 启用详细报告服务** - + Censor username in logs 审查日志中的用户名 - + **This will be reset automatically when Eden closes. **这会在 Eden 关闭时自动重置。 @@ -2855,13 +2981,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio 声音 - + CPU CPU @@ -2877,13 +3003,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General 通用 - + Graphics 图形 @@ -2904,7 +3030,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls 控制 @@ -2920,7 +3046,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System 系统 @@ -3038,58 +3164,58 @@ When a program attempts to open the controller applet, it is immediately closed. 重置缓存数据 - + Select Emulated NAND Directory... 选择模拟 NAND 目录... - + Select Emulated SD Directory... 选择模拟 SD 卡目录... - - + + Select Save Data Directory... 选择存档目录... - + Select Gamecard Path... 选择游戏卡带路径... - + Select Dump Directory... 选择转储目录... - + Select Mod Load Directory... 选择 Mod 载入目录... - + Save Data Directory 选择存档目录 - + Choose an action for the save data directory: 为存档目录选择一个操作: - + Set Custom Path 设置自定义路径 - + Reset to NAND 重置 NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3100,7 +3226,7 @@ WARNING: This will overwrite any conflicting saves in the new location! 保存存档同时在旧位置和新位置。旧: %1新: %2是否要将存档从旧位置迁移到新位置?警告:此操作将会覆盖新位置中任何冲突的存档! - + Would you like to migrate your save data to the new location? From: %1 @@ -3108,28 +3234,28 @@ To: %2 你是否要迁移存档位置?来自: %1将到: %2 - + Migrate Save Data 迁移存档 - + Migrating save data... 迁移存档... - + Cancel 取消 - + Migration Failed 迁移失败 - + Failed to create destination directory. 创建目标目录失败。 @@ -3140,12 +3266,12 @@ To: %2 迁移存档数据失败:%1 - + Migration Complete 迁移完成 - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3166,20 +3292,55 @@ Would you like to delete the old save data? 通用 - + + External Content + 外部内容 + + + + Add directories to scan for DLCs and Updates without installing to NAND + 添加目录以扫描 DLC 和更新,无需安装到 NAND 系统 + + + + Add Directory + 添加目录 + + + + Remove Selected + 移除选择 + + + Reset All Settings 重置所有设置项 - + Eden Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? 将重置模拟器所有设置并删除所有游戏的单独设置。这不会删除游戏目录、个人文件及输入配置文件。是否继续? + + + Select External Content Directory... + 选择外部内容目录... + + + + Directory Already Added + 目录已添加 + + + + This directory is already in the list. + 这个目录已经在列表中了。 + ConfigureGraphics @@ -3209,33 +3370,33 @@ Would you like to delete the old save data? 背景颜色: - + % FSR sharpening percentage (e.g. 50%) % - + Off 关闭 - + VSync Off 垂直同步关 - + Recommended 推荐 - + On 开启 - + VSync On 垂直同步开 @@ -3286,13 +3447,13 @@ Would you like to delete the old save data? Vulkan 扩展 - + % Sample Shading percentage (e.g. 50%) % - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. 由于 MoltenVK 兼容性问题会导致黑屏,macOS 上已禁用扩展动态状态。 @@ -3864,7 +4025,7 @@ Would you like to delete the old save data? - + Left Stick 左摇杆 @@ -3974,14 +4135,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3994,22 +4155,22 @@ Would you like to delete the old save data? - + Plus - + ZR ZR - - + + R R @@ -4066,7 +4227,7 @@ Would you like to delete the old save data? - + Right Stick 右摇杆 @@ -4235,88 +4396,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< 世嘉创世纪 - + Start / Pause 开始 / 暂停 - + Z Z - + Control Stick 控制摇杆 - + C-Stick C 摇杆 - + Shake! 摇动! - + [waiting] [等待中] - + New Profile 新建自定义设置 - + Enter a profile name: 输入配置文件名称: - - + + Create Input Profile 新建输入配置文件 - + The given profile name is not valid! 输入的配置文件名称无效! - + Failed to create the input profile "%1" 新建输入配置文件 "%1" 失败 - + Delete Input Profile 删除输入配置文件 - + Failed to delete the input profile "%1" 删除输入配置文件 "%1" 失败 - + Load Input Profile 加载输入配置文件 - + Failed to load the input profile "%1" 加载输入配置文件 "%1" 失败 - + Save Input Profile 保存输入配置文件 - + Failed to save the input profile "%1" 保存输入配置文件 "%1" 失败 @@ -4611,11 +4772,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode 启用飞行模式 - - - None - - ConfigurePerGame @@ -4670,52 +4826,57 @@ Current values are %1% and %2% respectively. 只有当游戏不在运行时,某些设置项才可用。 - + Add-Ons 附加项 - + System 系统 - + CPU CPU - + Graphics 图形 - + Adv. Graphics 高级图形 - + Ext. Graphics 扩展图形 - + Audio 声音 - + Input Profiles 输入配置文件 - + Network 网络 + Applets + 小程序 + + + Properties 属性 @@ -4733,15 +4894,114 @@ Current values are %1% and %2% respectively. 附加项 - + + Import Mod from ZIP + 导入 ZIP 档的模组 + + + + Import Mod from Folder + 导入目录下的模组 + + + Patch Name 补丁名称 - + Version 版本 + + + Mod Install Succeeded + 模组安装成功 + + + + Successfully installed all mods. + 成功安装了所有模组。 + + + + Mod Install Failed + 模组安装失败 + + + + Failed to install the following mods: + %1 +Check the log for details. + 未能安装以下模组: + %1 +查看日志以获取详细信息。 + + + + Mod Folder + 模组文件夹 + + + + Zipped Mod Location + 压缩模组位置 + + + + Zipped Archives (*.zip) + 压缩文件 (*.zip) + + + + Invalid Selection + 无效选择 + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + 只有模组、作弊码和补丁可以被删除。 +要删除 NAND 安装的更新,请在游戏列表中右键点击游戏,然后点击“移除->移除已安装的更新”。 + + + + You are about to delete the following installed mods: + + 你即将删除以下已安装的模组: + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + +一旦删除,这些数据就无法恢复。你百分之百确定要删除它们吗? + + + + Delete add-on(s)? + 删除模组? + + + + Successfully deleted + 删除成功 + + + + Successfully deleted all selected mods. + 成功删除了所有选择的模组。 + + + + &Delete + 删除 (&D) + + + + &Open in File Manager + + ConfigureProfileManager @@ -4789,80 +5049,80 @@ Current values are %1% and %2% respectively. %2 - + Users 用户 - + Error deleting image 删除图像时出错 - + Error occurred attempting to overwrite previous image at: %1. 尝试覆盖该用户的现有图像时出错: %1 - + Error deleting file 删除文件时出错 - + Unable to delete existing file: %1. 无法删除文件: %1 - + Error creating user image directory 创建用户图像目录时出错 - + Unable to create directory %1 for storing user images. 无法创建存储用户图像的目录 %1 。 - + Error saving user image 保存用户图像错误 - + Unable to save image to file 无法保存图像到文件 - + &Edit - + 编辑 (&E) - + &Delete - + 删除 (&D) - + Edit User - + 编辑用户 ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. 删除此用户?此用户保存的所有数据都将被删除。 - + Confirm Delete 确认删除 - + Name: %1 UUID: %2 名称: %1 @@ -5064,17 +5324,22 @@ UUID: %2 遇到载入画面时暂停执行 - + + Show recording dialog + + + + Script Directory 脚本目录 - + Path 路径 - + ... ... @@ -5087,7 +5352,7 @@ UUID: %2 TAS 设置 - + Select TAS Load Directory... 选择 TAS 载入目录... @@ -5225,64 +5490,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None - - Small (32x32) - 小 (32x32) - - - - Standard (64x64) - 标准 (64x64) - - - - Large (128x128) - 大 (128x128) - - - - Full Size (256x256) - 最大 (256x256) - - - + Small (24x24) 小 (24x24) - + Standard (48x48) 标准 (48x48) - + Large (72x72) 大 (72x72) - + Filename 文件名 - + Filetype 文件类型 - + Title ID 游戏 ID - + Title Name 游戏名称 @@ -5351,71 +5595,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - 游戏图标大小: - - - Folder Icon Size: 文件夹图标大小: - + Row 1 Text: 第一行: - + Row 2 Text: 第二行: - + Screenshots 捕获截图 - + Ask Where To Save Screenshots (Windows Only) 询问保存截图的位置 (仅限 Windows ) - + Screenshots Path: 截图保存位置: - + ... ... - + TextLabel 文本水印 - + Resolution: 分辨率: - + Select Screenshots Path... 选择截图保存位置... - + <System> <System> - + English 英语 - + Auto (%1 x %2, %3 x %4) Screenshot width value 自动 (%1 x %2, %3 x %4) @@ -5549,20 +5788,20 @@ Drag points to change position, or double-click table cells to edit values.在您的 Discord 状态中显示当前游戏 - - + + All Good Tooltip 全部正常 - + Must be between 4-20 characters Tooltip 必须在4-20个字符之间 - + Must be 48 characters, and lowercase a-z Tooltip 必须为48个字符,且a-z为小写 @@ -5594,27 +5833,27 @@ Drag points to change position, or double-click table cells to edit values.删除任何数据都是不可逆的! - + Shaders 着色器 - + UserNAND 用户 NAND - + SysNAND 系统 NAND - + Mods Mod - + Saves 存档 @@ -5652,7 +5891,7 @@ Drag points to change position, or double-click table cells to edit values.导入此目录的数据。这可能需要一些时间,并且会删除所有现有数据! - + Calculating... 正在计算... @@ -5675,12 +5914,12 @@ Drag points to change position, or double-click table cells to edit values.<html><head/><body><p>让 Eden 成为可能的项目</p></body></html> - + Dependency 依赖项 - + Version 版本 @@ -5855,44 +6094,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! OpenGL 模式不可用! - + OpenGL shared contexts are not supported. 不支持 OpenGL 共享上下文。 - + Eden has not been compiled with OpenGL support. Eden 尚未编译为支持 OpenGL。 - - + + Error while initializing OpenGL! 初始化 OpenGL 时出错! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. 您的 GPU 可能不支持 OpenGL ,或者您没有安装最新的显卡驱动。 - + Error while initializing OpenGL 4.6! 初始化 OpenGL 4.6 时出错! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 您的 GPU 可能不支持 OpenGL 4.6 ,或者您没有安装最新的显卡驱动。<br><br>GL 渲染器:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 您的 GPU 可能不支持某些必需的 OpenGL 扩展。请确保您已经安装最新的显卡驱动。<br><br>GL 渲染器:<br>%1<br><br>不支持的扩展:<br>%2 @@ -5900,203 +6139,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + 添加新游戏目录 (&A) + + + Favorite 收藏 - + Start Game 开始游戏 - + Start Game without Custom Configuration 使用公共设置项进行游戏 - + Open Save Data Location 打开存档位置 - + Open Mod Data Location 打开 MOD 数据位置 - + Open Transferable Pipeline Cache 打开可转移着色器缓存 - + Link to Ryujinx 链接到 Ryujinx - + Remove 删除 - + Remove Installed Update 删除已安装的游戏更新 - + Remove All Installed DLC 删除所有已安装 DLC - + Remove Custom Configuration 删除自定义设置 - + Remove Cache Storage 移除缓存 - + Remove OpenGL Pipeline Cache 删除 OpenGL 着色器缓存 - + Remove Vulkan Pipeline Cache 删除 Vulkan 着色器缓存 - + Remove All Pipeline Caches 删除所有着色器缓存 - + Remove All Installed Contents 删除所有安装的项目 - + Manage Play Time 管理游戏时间 - + Edit Play Time Data 编辑游戏时间数据 - + Remove Play Time Data 清除游玩时间 - - + + Dump RomFS 转储 RomFS - + Dump RomFS to SDMC 转储 RomFS 到 SDMC - + Verify Integrity 完整性验证 - + Copy Title ID to Clipboard 复制游戏 ID 到剪贴板 - + Navigate to GameDB entry 查看兼容性报告 - + Create Shortcut 创建快捷方式 - + Add to Desktop 添加到桌面 - + Add to Applications Menu 添加到应用程序菜单 - + Configure Game 配置游戏 - + Scan Subfolders 扫描子文件夹 - + Remove Game Directory 移除游戏目录 - + ▲ Move Up ▲ 向上移动 - + ▼ Move Down ▼ 向下移动 - + Open Directory Location 打开目录位置 - + Clear 清除 - + Name 名称 - + Compatibility 兼容性 - + Add-ons 附加项 - + File type 文件类型 - + Size 大小 - + Play time 游玩时间 @@ -6104,62 +6348,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame 可进游戏 - + Game starts, but crashes or major glitches prevent it from being completed. 游戏可以开始,但会出现崩溃或严重故障导致游戏无法继续。 - + Perfect 完美 - + Game can be played without issues. 游戏可以毫无问题地运行。 - + Playable 可运行 - + Game functions with minor graphical or audio glitches and is playable from start to finish. 游戏可以从头到尾完整地运行,但可能出现轻微的图形或音频故障。 - + Intro/Menu 开场/菜单 - + Game loads, but is unable to progress past the Start Screen. 游戏可以加载,但无法通过标题页面。 - + Won't Boot 无法启动 - + The game crashes when attempting to startup. 在启动游戏时直接崩溃。 - + Not Tested 未测试 - + The game has not yet been tested. 游戏尚未经过测试。 @@ -6167,7 +6411,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list 双击添加新的游戏文件夹 @@ -6175,17 +6419,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) %n个结果中的第%1个 - + Filter: 搜索: - + Enter pattern to filter 搜索游戏 @@ -6261,12 +6505,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error 错误 - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6275,19 +6519,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute 开启/关闭静音 - - - - - - - - @@ -6310,154 +6546,180 @@ Debug Message: + + + + + + + + + + + Main Window 主窗口 - + Audio Volume Down 调低音量 - + Audio Volume Up 调高音量 - + Capture Screenshot 捕获截图 - + Change Adapting Filter 更改窗口滤镜 - + Change Docked Mode 更改主机运行模式 - + Change GPU Mode 更改 GPU 模式 - + Configure 配置 - + Configure Current Game 配置当前游戏 - + Continue/Pause Emulation 继续/暂停模拟 - + Exit Fullscreen 退出全屏 - + Exit Eden 退出 Eden - + Fullscreen 全屏 - + Load File 加载文件 - + Load/Remove Amiibo 加载/移除 Amiibo - - Multiplayer Browse Public Game Lobby + + Browse Public Game Lobby 浏览公共游戏大厅 - - Multiplayer Create Room + + Create Room 创建房间 - - Multiplayer Direct Connect to Room + + Direct Connect to Room 直接连接到房间 - - Multiplayer Leave Room + + Leave Room 离开房间 - - Multiplayer Show Current Room + + Show Current Room 显示当前房间 - + Restart Emulation 重新启动模拟 - + Stop Emulation 停止模拟 - + TAS Record TAS 录制 - + TAS Reset 重置 TAS - + TAS Start/Stop TAS 开始/停止 - + Toggle Filter Bar 显示/隐藏搜索栏 - + Toggle Framerate Limit 打开/关闭帧率限制 - + + Toggle Turbo Speed + 切换加速模式 + + + + Toggle Slow Speed + 切换减速模式 + + + Toggle Mouse Panning 打开/关闭鼠标平移 - + Toggle Renderdoc Capture 切换到 Renderdoc 捕获截图 - + Toggle Status Bar 显示/隐藏状态栏 + + + Toggle Performance Overlay + 切换性能覆盖层 + InstallDialog @@ -6510,22 +6772,22 @@ Debug Message: 所需时间: 5 分 4 秒 - + Loading... 加载中... - + Loading Shaders %1 / %2 正在加载着色器: %1 / %2 - + Launching... 启动中... - + Estimated Time %1 所需时间: %1 @@ -6574,42 +6836,42 @@ Debug Message: 刷新游戏大厅 - + Password Required to Join 需要密码 - + Password: 密码: - + Players 玩家数 - + Room Name 房间名称 - + Preferred Game 首选游戏 - + Host 房主 - + Refreshing 刷新中 - + Refresh List 刷新列表 @@ -6658,941 +6920,1003 @@ Debug Message: + &Game List Mode + 游戏列表模式 (&G) + + + + Game &Icon Size + 游戏图标大小 (&I) + + + Reset Window Size to &720p 重置窗口大小为720p (&7) - + Reset Window Size to 720p 重置窗口大小为720p - + Reset Window Size to &900p 重置窗口大小为900p (&9) - + Reset Window Size to 900p 重置窗口大小为900p - + Reset Window Size to &1080p 重置窗口大小为1080p (&1) - + Reset Window Size to 1080p 重置窗口大小为1080p - + &Multiplayer 多人游戏 (&M) - + &Tools 工具 (&T) - + Am&iibo Am&iibo - + Launch &Applet 启动小程序 (&A) - + &TAS TAS (&T) - + &Create Home Menu Shortcut 创建主页菜单快捷方式(&C) - + Install &Firmware 安装固件(&F) - + &Help 帮助 (&H) - + &Install Files to NAND... 安装文件到 NAND... (&I) - + L&oad File... 加载文件... (&O) - + Load &Folder... 加载文件夹... (&F) - + E&xit 退出 (&X) - - + + &Pause 暂停 (&P) - + &Stop 停止 (&S) - + &Verify Installed Contents 验证已安装内容的完整性 (&V) - + &About Eden 关于 Eden(&A) - + Single &Window Mode 单窗口模式 (&W) - + Con&figure... 设置... (&F) - + Ctrl+, Ctrl+, - + Enable Overlay Display Applet 开启覆盖层显示小程序 - + Show &Filter Bar 显示搜索栏 (&F) - + Show &Status Bar 显示状态栏 (&S) - + Show Status Bar 显示状态栏 - + &Browse Public Game Lobby 浏览公共游戏大厅 (&B) - + &Create Room 创建房间 (&C) - + &Leave Room 离开房间 (&L) - + &Direct Connect to Room 直接连接到房间 (&D) - + &Show Current Room 显示当前房间 (&S) - + F&ullscreen 全屏 (&U) - + &Restart 重新启动 (&R) - + Load/Remove &Amiibo... 加载/移除 Amiibo... (&A) - + &Report Compatibility 报告兼容性 (&R) - + Open &Mods Page 打开 Mod 页面 (&M) - + Open &Quickstart Guide 查看快速导航 (&Q) - + &FAQ FAQ (&F) - + &Capture Screenshot 捕获截图 (&C) - + &Album 相册 (&A) - + &Set Nickname and Owner 设置昵称及所有者 (&S) - + &Delete Game Data 删除游戏数据 (&D) - + &Restore Amiibo 重置 Amiibo (&R) - + &Format Amiibo 格式化 Amiibo (&F) - + &Mii Editor Mii 编辑器 (&M) - + &Configure TAS... 配置 TAS... (&C) - + Configure C&urrent Game... 配置当前游戏... (&U) - - + + &Start 开始 (&S) - + &Reset 重置 (&R) - - + + R&ecord 录制 (&E) - + Open &Controller Menu 打开控制器菜单 (&C) - + Install Decryption &Keys 安装解密密钥(&K) - + &Home Menu 主页 (&H) - + &Desktop 桌面(&D) - + &Application Menu 应用程序菜单(&A) - + &Root Data Folder 根数据文件夹(&R) - + &NAND Folder &NAND 文件夹 - + &SDMC Folder &SDMC 文件夹 - + &Mod Folder &Mod 文件夹 - + &Log Folder &Log 文件夹 - + From Folder 从文件夹 - + From ZIP 从 ZIP - + &Eden Dependencies &Eden 依赖项 - + &Data Manager 数据管理器(&D) - + + &Tree View + 树景视图 (&T) + + + + &Grid View + 网格视图 (&G) + + + + Game Icon Size + 游戏图标大小 + + + + + + None + + + + + Show Game &Name + 显示游戏名称 (&N) + + + + Show &Performance Overlay + 显示性能覆盖层 + + + + Small (32x32) + 小 (32x32) + + + + Standard (64x64) + 标准 (64x64) + + + + Large (128x128) + 大 (128x128) + + + + Full Size (256x256) + 最大 (256x256) + + + Broken Vulkan Installation Detected 检测到损坏的 Vulkan 安装 - + Vulkan initialization failed during boot. 在启动时初始化 Vulkan 失败。 - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping 运行游戏 - + Loading Web Applet... 正在加载 Web 小程序... - - + + Disable Web Applet 禁用 Web 小程序 - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) 禁用网页小程序可能会导致未定义的行为并且应仅在 超级马里奥 3D 全明星中使用。您确定要禁用网页小程序吗? (这可以在调试设置中重新启用。) - + The amount of shaders currently being built 当前正在构建的着色器数量 - + The current selected resolution scaling multiplier. 当前选择的分辨率缩放倍数。 - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. 当前模拟速度。高于或低于 100% 的数值表示模拟运行比 Switch 快或慢。 - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. 游戏当前显示的每秒帧数。这个数值会因游戏和场景的不同而有所变化。 - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. 模拟 Switch 一帧所需的时间,不包括帧限制或垂直同步。为了全速模拟这个时间最多应为 16.67 毫秒。 - + Unmute 取消静音 - + Mute 静音 - + Reset Volume 重置音量 - + &Clear Recent Files 清除最近的文件(&C) - + &Continue 继续(&C) - + Warning: Outdated Game Format 警告: 游戏格式过时 - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. 您正在为此游戏使用解包 ROM 目录格式,这是一种已过时的格式,它已被 NCA、NAX、XCI 或 NSP 等其他格式取代。解包 ROM 目录缺少图标、元数据和更新支持。<br>有关 Eden 支持的各种 Switch 格式的说明请查阅我们的用户手册。此消息将不再显示。 - - + + Error while loading ROM! 加载 ROM 时出错! - + The ROM format is not supported. 不支持该 ROM 格式。 - + An error occurred initializing the video core. 初始化视频核心时发生错误。 - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. Eden 在运行视频核心时遇到了错误。通常这是由于 GPU 驱动程序过时引起的,包括集成显卡驱动程序。有关详细信息,请查看日志。有关如何访问日志的更多信息,请参阅以下页面:<a href="https://yuzu-mirror.github.io/help/reference/log-files/">如何上传日志文件</a>。 - + Error while loading ROM! %1 %1 signifies a numeric error code. 加载 ROM 时出错! %1 - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. %1<br>请重新导出您的文件,或在 Discord/Stoat 上寻求帮助。 - + An unknown error occurred. Please see the log for more details. 发生未知错误。请查看日志以获取更多详情。 - + (64-bit) (64 位) - + (32-bit) (32 位) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit %1 %2 - + Closing software... 正在关闭软件... - + Save Data 存档数据 - + Mod Data Mod 数据 - + Error Opening %1 Folder 打开 %1 文件夹出错 - - + + Folder does not exist! 文件夹不存在! - + Remove Installed Game Contents? 是否移除已安装的游戏内容? - + Remove Installed Game Update? 是否移除已安装的游戏更新? - + Remove Installed Game DLC? 是否移除已安装的游戏 DLC? - + Remove Entry 删除条目 - + Delete OpenGL Transferable Shader Cache? 要删除 OpenGL 可传输着色器缓存吗? - + Delete Vulkan Transferable Shader Cache? 要删除 Vulkan 可传输着色器缓存吗? - + Delete All Transferable Shader Caches? 删除所有可传输的着色器缓存? - + Remove Custom Game Configuration? 是否移除自定义游戏配置? - + Remove Cache Storage? 要清除缓存存储吗? - + Remove File 删除文件 - + Remove Play Time Data 删除游戏时间数据 - + Reset play time? 要重置播放时间吗? - - + + RomFS Extraction Failed! RomFS 提取失败! - + There was an error copying the RomFS files or the user cancelled the operation. 复制 RomFS 文件时出错或用户取消了操作。 - + Full 完整 - + Skeleton 结构 - + Select RomFS Dump Mode 选择 RomFS 转储模式 - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. 请选择您希望如何导出 RomFS。<br>&quot;完整&quot; 将把所有文件复制到新的目录中,而<br>&quot;结构&quot; 仅会创建目录结构。</br></br> - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root %1 的可用空间不足,无法提取 RomFS。请释放空间或在模拟 > 配置 > 系统 > 文件系统 > 转储根目录,中选择其它目录 - + Extracting RomFS... 正在提取 RomFS... - - + + Cancel 取消 - + RomFS Extraction Succeeded! RomFS 提取成功! - + The operation completed successfully. 操作已成功完成。 - + Error Opening %1 打开 %1 时出错 - + Select Directory 选择目录 - + Properties 属性 - + The game properties could not be loaded. 无法加载游戏属性。 - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. Switch 可执行文件 (%1);;所有文件 (*.*) - + Load File 加载文件 - + Open Extracted ROM Directory 打开已提取的 ROM 目录 - + Invalid Directory Selected 选择的目录无效 - + The directory you have selected does not contain a 'main' file. 您选择的目录不包含 'main' 文件。 - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) 可安装的 Switch 文件 (*.nca *.nsp *.xci);;任天堂内容档案 (*.nca);;任天堂提交包 (*.nsp);;NX 卡带镜像 (*.xci) - + Install Files 安装文件 - + %n file(s) remaining 剩余 %n 个文件 - + Installing file "%1"... 正在安装文件 "%1"... - - + + Install Results 安装结果 - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. 为了避免可能的冲突,我们不鼓励用户将基础游戏安装到 NAND。 请仅使用此功能来安装更新和 DLC。 - + %n file(s) were newly installed 已新安装 %n 个文件 - + %n file(s) were overwritten 已覆盖了 %n 个文件 - + %n file(s) failed to install %n 个文件安装失败 - + System Application 系统应用 - + System Archive 系统档案 - + System Application Update 系统应用更新 - + Firmware Package (Type A) 固件包 (类型 A) - + Firmware Package (Type B) 固件包 (类型 B) - + Game 游戏 - + Game Update 游戏更新 - + Game DLC 游戏可下载内容 - + Delta Title Delta 标题 - + Select NCA Install Type... 选择 NCA 安装类型... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) 请选择您希望将此 NCA 安装为的标题类型: (在大多数情况下,默认的 '游戏' 就可以。) - + Failed to Install 安装失败 - + The title type you selected for the NCA is invalid. 您为 NCA 选择的标题类型无效。 - + File not found 找不到文件 - + File "%1" not found 未找到文件 "%1" - + OK 确定 - + Function Disabled 功能已被关闭 - + Compatibility list reporting is currently disabled. Check back later! 兼容性列表报告目前已被禁用。请稍后再查看! - + Error opening URL 打开网址出错 - + Unable to open the URL "%1". 无法打开 URL "%1"。 - + TAS Recording TAS 录像 - + Overwrite file of player 1? 要覆盖玩家 1 的文件吗? - + Invalid config detected 检测到无效配置 - + Handheld controller can't be used on docked mode. Pro controller will be selected. 手柄在主机模式下无法使用。将选择 Pro 手柄。 - - + + Amiibo Amiibo - - + + The current amiibo has been removed 当前的 amiibo 已被移除 - + Error 错误 - - + + The current game is not looking for amiibos 当前游戏不支持寻找 amiibo - + Amiibo File (%1);; All Files (*.*) Amiibo 文件 (%1);; 所有文件 (*.*) - + Load Amiibo 读取 Amiibo - + Error loading Amiibo data 加载 Amiibo 数据出错 - + The selected file is not a valid amiibo 所选文件不是有效的 amiibo - + The selected file is already on use 所选文件正在使用中 - + An unknown error occurred 发生未知错误 - - + + Keys not installed 未安装密钥 - - + + Install decryption keys and restart Eden before attempting to install firmware. 在尝试安装固件之前请先安装解密密钥并重启 Eden。 - + Select Dumped Firmware Source Location 选择已转储固件源位置 - + Select Dumped Firmware ZIP 选择已转储的固件 ZIP - + Zipped Archives (*.zip) 压缩文件 (*.zip) - + Firmware cleanup failed 固件清理失败 - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 @@ -7601,155 +7925,155 @@ OS reported error: %1 操作系统报告错误: %1 - + No firmware available 没有可用的固件 - + Firmware Corrupted 固件已损坏 - + Unknown applet 未知小程序 - + Applet doesn't map to a known value. 无法识别该小程序对应的值。 - + Record not found 找不到记录程序 - + Applet not found. Please reinstall firmware. 找不到小程序。请重新安装固件。 - + Capture Screenshot 截取屏幕截图 - + PNG Image (*.png) PNG 图像 (*.png) - + Update Available 有可用更新 - - Download the %1 update? - 要下载 %1 更新吗? + + Download %1? + 下载 %1? - + TAS state: Running %1/%2 TAS 状态: 正在运行 %1/%2 - + TAS state: Recording %1 TAS 状态: 正在录制 %1 - + TAS state: Idle %1/%2 TAS 状态: 空闲 %1/%2 - + TAS State: Invalid TAS 状态: 无效 - + &Stop Running 停止运行(&S) - + Stop R&ecording 停止录制(&A) - + Building: %n shader(s) 正在编译:%n 个着色器 - + Scale: %1x %1 is the resolution scaling factor 缩放: %1x - + Speed: %1% / %2% 速度: %1% / %2% - + Speed: %1% 速度: %1% - + Game: %1 FPS 游戏: %1 FPS - + Frame: %1 ms 帧: %1 ms - + FSR FSR - + NO AA 无 AA - + VOLUME: MUTE 音量: 静音 - + VOLUME: %1% Volume percentage (e.g. 50%) 音量: %1% - + Derivation Components Missing 缺少派生组件 - + Decryption keys are missing. Install them now? 缺少解密密钥。现在安装吗? - + Wayland Detected! 检测到 Wayland! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7760,59 +8084,74 @@ Would you like to force it for future launches? 您想要在未来的启动中强制执行吗? - + Use X11 使用 X11 - + Continue with Wayland 继续使用 Wayland - + Don't show again 不再显示 - + Restart Required 需要重新启动 - + Restart Eden to apply the X11 backend. 重新启动 Eden 以应用 X11 后端。 - + + Slow + 慢速 + + + + Turbo + 加速 + + + + Unlocked + 解锁 + + + Select RomFS Dump Target 选择 RomFS 转储目标 - + Please select which RomFS you would like to dump. 请选择您想要转储的 RomFS。 - + Are you sure you want to close Eden? 您确实要关闭 Eden 吗? - - - + + + Eden Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. 您确定要停止模拟吗?任何未保存的进度将会丢失。 - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? @@ -7820,11 +8159,6 @@ Would you like to bypass this and exit anyway? 您想要绕过并退出吗? - - - None - - FXAA @@ -7851,27 +8185,27 @@ Would you like to bypass this and exit anyway? 双三次 - + Zero-Tangent 零切线 - + B-Spline B-Spline - + Mitchell Mitchell - + Spline-1 Spline-1 - + Gaussian Gaussian @@ -7926,22 +8260,22 @@ Would you like to bypass this and exit anyway? Vulkan - + OpenGL GLSL OpenGL GLSL - + OpenGL SPIRV OpenGL SPIRV - + OpenGL GLASM OpenGL GLASM - + Null @@ -7949,14 +8283,14 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 链接旧目录失败。您可能需要在 Windows 上以管理员权限重新运行。 OS 给出的错误: %1 - + Note that your configuration and data will be shared with %1. @@ -7973,7 +8307,7 @@ If this is not desirable, delete the following files: %4 - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7984,11 +8318,24 @@ If you wish to clean up the files which were left in the old data location, you %1 - + Data was migrated successfully. 数据已成功迁移。 + + ModSelectDialog + + + Dialog + 对话框 + + + + The specified folder or archive contains the following mods. Select which ones to install. + 指定的文件夹或归档包含以下模组。选择安装哪些。 + + ModerationDialog @@ -8119,127 +8466,127 @@ Proceed anyway? New User - + 新的用户 Change Avatar - + 更换头像 Set Image - + 设置图像 UUID - + UUID Eden - + Eden Username - + 用户名 UUID must be 32 hex characters (0-9, A-F) - + UUID 必须由 32 个十六进制字符(0-9,A-F)组成 Generate - + 生成 - + Select User Image - + 选择用户图像 - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + 图像格式 (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + 没有可用的固件 - + Please install the firmware to use firmware avatars. - + 请先安装固件,才能使用固件附带的头像。 - - + + Error loading archive - + 载入档案错误 - + Archive is not available. Please install/reinstall firmware. - + 档案不可用。请安装/重新安装固件。 - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + 无法定位 RomFS。您的文件或解密密钥可能已损坏。 - + Error extracting archive - + 解压档案发生错误 - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + 无法释放 RomFS。您的文件或解密密钥可能已损坏。 - + Error finding image directory - + 查找图像目录错误 - + Failed to find image directory in the archive. - + 在档案中查找映像目录错误。 - + No images found - + 找不到图像 - + No avatar images were found in the archive. - + 在档案找找不到头像图像。 - - + + All Good Tooltip - + 全部正常 - + Must be 32 hex characters (0-9, a-f) Tooltip - + 必须由 32 个十六进制字符(0-9,A-F)组成 - + Must be between 1 and 32 characters Tooltip - + 长度需为 1-32 个字符 @@ -8275,6 +8622,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + 窗体 + + + + Frametime + 帧时间 + + + + 0 ms + 0 ms + + + + + Min: 0 + 最小:0 + + + + + Max: 0 + 最大: 0 + + + + + Avg: 0 + 平均: 0 + + + + FPS + FPS + + + + 0 fps + 0 fps + + + + %1 fps + %1 fps + + + + + Avg: %1 + 平均: %1 + + + + + Min: %1 + 最小: %1 + + + + + Max: %1 + 最大: %1 + + + + %1 ms + %1 ms + + PlayerControlPreview @@ -8288,60 +8709,35 @@ p, li { white-space: pre-wrap; } Select - + 选择 Cancel - + 取消 Background Color - + 背景颜色 Select Firmware Avatar - + 选择固件自带头像 QObject - - Installed SD Titles - SD 卡中安装的项目 - - - - Installed NAND Titles - NAND 中安装的项目 - - - - System Titles - 系统项目 - - - - Add New Game Directory - 添加游戏目录 - - - - Favorites - 收藏 - - - - - + + + Migration 迁移 - + Clear Shader Cache 清除着色器缓存 @@ -8376,19 +8772,19 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 您可以通过删除新建的配置目录来重新触发此提示: %1 - + Migrating 迁移中 - + Migrating, this may take a while... 迁移中,可能需要一段时间,请稍候…… @@ -8779,6 +9175,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 正在玩 %2 + + + Play Time: %1 + 游玩时间:%1 + + + + Never Played + 未曾游玩 + + + + Version: %1 + 版本:%1 + + + + Version: 1.0.0 + 版本:1.0.0 + + + + Installed SD Titles + SD 卡中安装的项目 + + + + Installed NAND Titles + NAND 中安装的项目 + + + + System Titles + 系统项目 + + + + Add New Game Directory + 添加游戏目录 + + + + Favorites + 收藏 + QtAmiiboSettingsDialog @@ -8896,47 +9337,47 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware 游戏需要固件 - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. 您正尝试启动的游戏需要固件才能启动或通过启动画面打开菜单。请 <a href='https://yuzu-mirror.github.io/help/quickstart'>转储并安装固件</a>, 或点击 "确定" 继续启动。 - + Installing Firmware... 正在安装固件…… - - - - - + + + + + Cancel 取消 - + Firmware Install Failed 安装固件失败 - + Firmware Install Succeeded 安装固件成功 - + Firmware integrity verification failed! 固件完整性验证失败! - - + + Verification failed for the following files: %1 @@ -8945,204 +9386,204 @@ p, li { white-space: pre-wrap; } %1 - - + + Verifying integrity... 正在验证完整性... - - + + Integrity verification succeeded! 完整性验证成功! - - + + The operation completed successfully. 操作成功完成。 - - + + Integrity verification failed! 完整性验证失败! - + File contents may be corrupt or missing. 文件内容可能缺失或已损坏。 - + Integrity verification couldn't be performed 无法执行完整性验证 - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. 固件安装失败。固件可能处于异常状态或已损坏,无法验证文件内容的有效性。 - + Select Dumped Keys Location 选择导出的密钥文件位置 - + Decryption Keys install succeeded 密钥文件安装成功 - + Decryption Keys install failed 密钥文件安装失败 - + Orphaned Profiles Detected! 检测到孤立的配置文件! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> 如果您不阅读此内容,可能会发生意想不到的糟糕情况!<br>Eden 检测到以下存档目录没有附加的配置文件:<br>%1<br><br>下列配置是有效的:<br>%2<br><br>点击“确定”以打开您的存档文件夹并修复配置文件。<br>提示: 将最大或最近修改的文件夹内容复制到其他地方,删除所有孤立的配置文件,然后将复制的内容移到正确的配置文件中。<br><br>还是感到疑惑? 请查看 <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>帮助页</a>。<br> - + Really clear data? 确实要清除数据吗? - + Important data may be lost! 可能会丢失重要的数据! - + Are you REALLY sure? 您真的确定吗? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. 在删除后,您将无法找回数据! 仅在您 100% 确认要删除此数据时才这样做。 - + Clearing... 正在清除... - + Select Export Location 选择导出位置 - + %1.zip %1.zip - - + + Zipped Archives (*.zip) 压缩档案 (*.zip) - + Exporting data. This may take a while... 正在导出数据。这可能需要一些时间... - + Exporting 正在导出 - + Exported Successfully 导出成功 - + Data was exported successfully. 数据已成功导出。 - + Export Cancelled 导出已被取消 - + Export was cancelled by the user. 导出已被用户取消。 - + Export Failed 导出失败 - + Ensure you have write permissions on the targeted directory and try again. 请确认您是否具有目标目录的写入权限然后再次尝试。 - + Select Import Location 选择导入位置 - + Import Warning 导入警告 - + All previous data in this directory will be deleted. Are you sure you wish to proceed? 此目录中的所有先前数据将被删除。您确定要继续吗? - + Importing data. This may take a while... 正在导入数据。这需要一些时间... - + Importing 正在导入 - + Imported Successfully 导入成功 - + Data was imported successfully. 数据已导入成功。 - + Import Cancelled 导入已被取消 - + Import was cancelled by the user. 导入已被用户取消。 - + Import Failed 导入失败 - + Ensure you have read permissions on the targeted directory and try again. 请确认是否您具有目标目录的读取权限然后再次尝试。 @@ -9150,22 +9591,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data 链接存档数据 - + Save data has been linked. 已链接存档数据。 - + Failed to link save data 链接存档数据失败 - + Could not link directory: %1 To: @@ -9176,48 +9617,48 @@ To: %2 - + Already Linked 已链接 - + This title is already linked to Ryujinx. Would you like to unlink it? 此游戏已经被链接到 Ryujinx。您要取消链接它吗? - + Failed to unlink old directory 取消链接旧目录失败 - - + + OS returned error: %1 OS 返回错误: %1 - + Failed to copy save data 复制存档数据失败 - + Unlink Successful 取消链接成功 - + Successfully unlinked Ryujinx save data. Save data has been kept intact. 已成功取消链接 Ryujinx 存档数据。存档数据已保持完整。 - + Could not find Ryujinx installation 无法找到 Ryujinx 安装数据 - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9229,18 +9670,18 @@ Would you like to manually select a portable folder to use? 便携 Ryujinx 安装位置 - + Not a valid Ryujinx directory 不是有效的 Ryujinx 安装目录 - + The specified directory does not contain valid Ryujinx data. 指定的目录不包含有效的 Ryujinx 数据。 - - + + Could not find Ryujinx save data 找不到 Ryujinx 的存档数据 @@ -9248,229 +9689,287 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents 删除内容时出错 - + Error Removing Update 删除更新时出错 - + Error Removing DLC 删除 DLC 时出错 - - - - - - + + + + + + Successfully Removed 删除成功 - + Successfully removed the installed base game. 已成功删除安装的基础游戏。 - + The base game is not installed in the NAND and cannot be removed. 基础游戏未被安装到 NAND 中并且无法被删除。 - + Successfully removed the installed update. 已成功删除安装的更新。 - + There is no update installed for this title. 这个游戏没有任何已安装的更新。 - + There are no DLCs installed for this title. 这个游戏没有任何已安装的 DLC。 - + Successfully removed %1 installed DLC. 成功删除 %1 个已安装的 DLC。 - - + + Error Removing Transferable Shader Cache 删除可传输着色器缓存错误 - - + + A shader cache for this title does not exist. 这个游戏的着色器缓存不存在。 - + Successfully removed the transferable shader cache. 成功删除可传输着色器缓存。 - + Failed to remove the transferable shader cache. 删除可传输着色器缓存失败。 - + Error Removing Vulkan Driver Pipeline Cache 移除 Vulkan 驱动管线缓存错误 - + Failed to remove the driver pipeline cache. 删除驱动管线缓存失败。 - - + + Error Removing Transferable Shader Caches 删除可传输着色器缓存错误 - + Successfully removed the transferable shader caches. 成功删除可传输着色器缓存。 - + Failed to remove the transferable shader cache directory. 删除可传输着色器缓存失败。 - - + + Error Removing Custom Configuration 删除自定义配置错误 - + A custom configuration for this title does not exist. 这个游戏的自定义设置不存在。 - + Successfully removed the custom game configuration. 成功移除自定义游戏设置。 - + Failed to remove the custom game configuration. 移除自定义游戏设置失败。 - + Reset Metadata Cache 重置元数据缓存 - + The metadata cache is already empty. 元数据缓存已为空。 - + The operation completed successfully. 操作成功完成。 - + The metadata cache couldn't be deleted. It might be in use or non-existent. 缓存数据删除失败。它可能不存在或正在被使用。 - + Create Shortcut 创建快捷方式 - + Do you want to launch the game in fullscreen? 您想以全屏模式启动游戏吗? - + Shortcut Created 已创建快捷方式 - + Successfully created a shortcut to %1 %1 的快捷方式创建成功 - + Shortcut may be Volatile! 快捷方式可能不稳定! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? 这回创建到当前 AppImage 的快捷方式。它可能会在您更新后失效。要继续吗? - + Failed to Create Shortcut 创建快捷方式失败 - + Failed to create a shortcut to %1 %1 的快捷方式创建失败 - + Create Icon 创建图标 - + Cannot create icon file. Path "%1" does not exist and cannot be created. 无法创建图标文件。路径“ %1 ”不存在且无法被创建。 - + No firmware available 无可用固件 - + Please install firmware to use the home menu. 请先安装固件才能使用主页菜单。 - + Home Menu Applet 主页菜单小程序 - + Home Menu is not available. Please reinstall firmware. 主页菜单不可用。请重新安装固件。 + + QtCommon::Mod + + + Mod Name + 模组名称 + + + + What should this mod be called? + 这个模组应该叫什么名字? + + + + RomFS + RomFS + + + + ExeFS/Patch + ExeFS/Patch + + + + Cheat + 作弊 + + + + Mod Type + 模组类型 + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + 无法自动检测模组类型。请手动说明你下载的模组类型。 + +大多数模组是 RomFS 模组,但补丁(.pchtxt)通常是 ExeFS 模组。 + + + + + Mod Extract Failed + 模组提取失败 + + + + Failed to create temporary directory %1 + 未能创建临时 %1 目录 + + + + Zip file %1 is empty + 压缩文件 %1 是空的。 + + QtCommon::Path - + Error Opening Shader Cache 打开着色器缓存错误 - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. 无法为此游戏创建或打开着色器缓存,请确保您的 app data 目录具有写入权限。 @@ -9478,84 +9977,84 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! 包含游戏存档数据。除非你知道自己在做什么,否则不要删除! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. 包含 Vulkan 和 OpenGL 管线缓存。通常可以安全删除。 - + Contains updates and DLC for games. 包含游戏的更新和 DLC。 - + Contains firmware and applet data. 包含固件和小程序数据。 - + Contains game mods, patches, and cheats. 包含游戏 mod、补丁以及作弊。 - + Decryption Keys were successfully installed 已成功安装解密密钥 - + Unable to read key directory, aborting 无法读取密钥目录,正在放弃 - + One or more keys failed to copy. 一个或多个密钥复制失败。 - + Verify your keys file has a .keys extension and try again. 请确保密钥文件具有 .keys 的扩展名后重试。 - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. 密钥初始化失败。请检查您的转储工具是否为最新版本并重新转储密钥。 - + Successfully installed firmware version %1 成功安装固件版本 %1 - + Unable to locate potential firmware NCA files 无法定位潜在的固件 NCA 文件 - + Failed to delete one or more firmware files. 删除一个或多个固件文件失败。 - + One or more firmware files failed to copy into NAND. 将一个或多个固件文件复制到 NAND 失败。 - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. 固件安装失败。固件可能处于异常状态或已损坏。请重新启动 Eden 或重新安装固件。 - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. - 固件缺失。需要固件才能运行某些游戏和主页。推荐使用 19.0.1 或更早版本,因为 20.0.0 目前仍处于试验阶段。 + + Firmware missing. Firmware is required to run certain games and use the Home Menu. + 固件缺失。需要固件才能运行某些游戏和主页。 @@ -9577,60 +10076,60 @@ This may take a while. 这可能需要一些时间。 - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. 建议所有用户清除着色器缓存。 除非您知道自己在做什么,否则不要取消勾选。 - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. 保留旧的数据目录。如果你的存储空间充足,并且想为旧 模拟器保留独立的数据,这是推荐做法。 - + Deletes the old data directory. This is recommended on devices with space constraints. 删除旧的数据目录。 建议在存储空间有限的设备上执行此操作。 - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. 在旧目录和 Eden 目录之间创建文件系统链接。 如果您想在模拟器之间共享数据,建议这样做。 - + Ryujinx title database does not exist. Ryujinx 标题数据库不存在。 - + Invalid header on Ryujinx title database. Ryujinx 标题数据库头部无效。 - + Invalid magic header on Ryujinx title database. Ryujinx 标题数据库 magic 头部无效。 - + Invalid byte alignment on Ryujinx title database. Ryujinx 标题数据字节对齐无效。 - + No items found in Ryujinx title database. 在 Ryujinx 的标题数据库中找不到项目。 - + Title %1 not found in Ryujinx title database. 在 Ryujinx 的标题数据库中找不到标题 %1。 @@ -9671,7 +10170,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro 控制器 @@ -9684,7 +10183,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons 双 Joycons 手柄 @@ -9697,7 +10196,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon 左 Joycon 手柄 @@ -9710,7 +10209,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon 右 Joycon 手柄 @@ -9739,7 +10238,7 @@ This is recommended if you want to share data between emulators. - + Handheld 掌机模式 @@ -9860,32 +10359,32 @@ This is recommended if you want to share data between emulators. 控制器数量不足 - + GameCube Controller GameCube 控制器 - + Poke Ball Plus 精灵球 PLUS - + NES Controller NES 控制器 - + SNES Controller SNES 控制器 - + N64 Controller N64 控制器 - + Sega Genesis 世嘉创世纪 @@ -10040,13 +10539,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK 确定 - + Cancel 取消 @@ -10083,12 +10582,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be 取消 - + Failed to link save data 链接存档数据失败 - + OS returned error: %1 OS 返回错误: %1 @@ -10124,7 +10623,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be 秒: - + Total play time reached maximum. 总计游戏时间已到达最大值。 diff --git a/dist/languages/zh_TW.ts b/dist/languages/zh_TW.ts index f45b9e8694..f997ca62b9 100644 --- a/dist/languages/zh_TW.ts +++ b/dist/languages/zh_TW.ts @@ -375,146 +375,150 @@ This would ban both their forum username and their IP address. % - + Amiibo editor Amiibo 編輯器 - + Controller configuration 控制器設定 - + Data erase 清除資料 - + Error 錯誤 - + Net connect 網路連接 - + Player select 選擇玩家 - + Software keyboard 軟體鍵盤 - + Mii Edit Mii 編輯 - + Online web 線上網頁 - + Shop 商店 - + Photo viewer 媒體瀏覽器 - + Offline web 離線網頁 - + Login share 第三方帳號登入 - + Wifi web auth Wifi 網路的網頁認證 - + My page 我的主頁 - + Enable Overlay Applet - + + Enables Horizon's built-in overlay applet. Press and hold the home button for 1 second to show it. + + + + Output Engine: 輸出引擎: - + Output Device: 輸出裝置: - + Input Device: 輸入裝置: - + Mute audio 靜音 - + Volume: 音量: - + Mute audio when in background 模擬器在背景執行時靜音 - + Multicore CPU Emulation 多核心CPU模擬 - + This option increases CPU emulation thread use from 1 to the maximum of 4. This is mainly a debug option and shouldn't be disabled. 可選擇使用1~4核心進行CPU模擬 這是一個偵錯用選項且不建議停用 - + Memory Layout 記憶體佈局 - - Increases the amount of emulated RAM from 4GB of the board to the devkit 8/6GB. + + Increases the amount of emulated RAM. Doesn't affect performance/stability but may allow HD texture mods to load. - 將模擬的RAM從4GB提升至Switch開發機的6GB或8GB -此設定不會影響效能和穩定性,但可能有助於使用高畫質模組的遊戲載入 + - + Limit Speed Percent 執行速度限制 - + Controls the game's maximum rendering speed, but it's up to each game if it runs faster or not. 200% for a 30 FPS game is 60 FPS, and for a 60 FPS game it will be 120 FPS. Disabling it means unlocking the framerate to the maximum your PC can reach. @@ -522,6 +526,26 @@ Disabling it means unlocking the framerate to the maximum your PC can reach. + + + Turbo Speed + + + + + When the Turbo Speed hotkey is pressed, the speed will be limited to this percentage. + + + + + Slow Speed + + + + + When the Slow Speed hotkey is pressed, the speed will be limited to this percentage. + + Synchronize Core Speed @@ -535,60 +559,60 @@ Can help reduce stuttering at lower framerates. 可在較低FPS時減少卡頓的情況 - + Accuracy: 準確度: - + Change the accuracy of the emulated CPU (for debugging only). 改變模擬CPU的準確度(僅限偵錯用) - - + + Backend: 後端: - + CPU Overclock - + Overclocks the emulated CPU to remove some FPS limiters. Weaker CPUs may see reduced performance, and certain games may behave improperly. Use Boost (1700MHz) to run at the Switch's highest native clock, or Fast (2000MHz) to run at 2x clock. 強制模擬 CPU 以更高的時脈運行,減少某些 FPS 限制。較弱的 CPU 可能會看到效能下降,特定遊戲可能會出現問題。 使用 Boost (1700MHz) 以 Switch 的最高原生時脈運行,或 Fast (2000MHz) 以雙倍時脈運行。 - + Custom CPU Ticks 自訂CPU時脈 - + Set a custom value of CPU ticks. Higher values can increase performance, but may cause deadlocks. A range of 77-21000 is recommended. 自訂CPU時脈。更高的值可能提高效能,但也可能導致遊戲卡死。建議範圍為77-21000。 - + Virtual Table Bouncing - + Bounces (by emulating a 0-valued return) any functions that triggers a prefetch abort - + Enable Host MMU Emulation (fastmem) 啟用主機 MMU 模擬(fastmem) - + This optimization speeds up memory accesses by the guest program. Enabling it causes guest memory reads/writes to be done directly into memory and make use of Host's MMU. Disabling this forces all memory accesses to use Software MMU Emulation. @@ -597,100 +621,100 @@ Disabling this forces all memory accesses to use Software MMU Emulation. - + Unfuse FMA (improve performance on CPUs without FMA) 解除融合FMA(能讓不支援 FMA 指令集的 CPU 提高效能) - + This option improves speed by reducing accuracy of fused-multiply-add instructions on CPUs without native FMA support. 透過降低積和熔加運算的準確度來提高模擬器在不支援FMA指令集CPU上的運行速度 - + Faster FRSQRTE and FRECPE 更快的 FRSQRTE 和 FRECPE - + This option improves the speed of some approximate floating-point functions by using less accurate native approximations. 透過使用準確度較低的近似值來提高某些浮點函數的運算速度 - + Faster ASIMD instructions (32 bits only) 快速 ASIMD 指令(僅限 32 位元) - + This option improves the speed of 32 bits ASIMD floating-point functions by running with incorrect rounding modes. 透過使用不準確的捨入模式來提高32位元ASIMD浮點函數的運算速度 - + Inaccurate NaN handling 低準確度NaN處理 - + This option improves speed by removing NaN checking. Please note this also reduces accuracy of certain floating-point instructions. 透過取消NaN檢查來提高速度。 請注意,啟用後會降低些浮點指令的準確度 - + Disable address space checks 停用位址空間檢查 - + This option improves speed by eliminating a safety check before every memory operation. Disabling it may allow arbitrary code execution. 透過省略在每次記憶體操作前執行的安全檢查來提高速度 停用此功能可能會允許任意程式碼執行 - + Ignore global monitor 忽略全局監視器 - + This option improves speed by relying only on the semantics of cmpxchg to ensure safety of exclusive access instructions. Please note this may result in deadlocks and other race conditions. 透過僅依賴cmpxchg指令來確保獨佔存取指令的安全性並提高速度。 請注意,這可能會導致死鎖或其它問題 - + API: API: - + Changes the output graphics API. Vulkan is recommended. 更改使用的圖形API 推薦使用Vulkan - + Device: 裝置: - + This setting selects the GPU to use (Vulkan only). 選擇要使用的GPU(僅限Vulkan) - + Resolution: 解析度: - + Forces to render at a different resolution. Higher resolutions require more VRAM and bandwidth. Options lower than 1X can cause artifacts. @@ -699,27 +723,27 @@ Options lower than 1X can cause artifacts. 選擇低於1X的解析度可能會導致畫面異常 - + Window Adapting Filter: 視窗適應過濾器: - + FSR Sharpness: FSR 銳化度: - + Determines how sharpened the image will look using FSR's dynamic contrast. 調整使用FSR的動態對比時影像的銳利度 - + Anti-Aliasing Method: 抗鋸齒: - + The anti-aliasing method to use. SMAA offers the best quality. FXAA can produce a more stable picture in lower resolutions. @@ -728,12 +752,12 @@ SMAA的品質最佳 FXAA在低解析度下可以產生較穩定的畫面 - + Fullscreen Mode: 全螢幕模式: - + The method used to render the window in fullscreen. Borderless offers the best compatibility with the on-screen keyboard that some games request for input. Exclusive fullscreen may offer better performance and better Freesync/Gsync support. @@ -742,36 +766,36 @@ Exclusive fullscreen may offer better performance and better Freesync/Gsync supp 獨佔全螢幕將提供更好的性能以及更佳的FreeSync/G-Sync支援 - + Aspect Ratio: 長寬比: - + Stretches the renderer to fit the specified aspect ratio. Most games only support 16:9, so modifications are required to get other ratios. Also controls the aspect ratio of captured screenshots. - + Use persistent pipeline cache - + Allows saving shaders to storage for faster loading on following game boots. Disabling it is only intended for debugging. 將產生的著色器快取儲存至硬碟,讓遊戲在後續過程中不需再次產生以提高速度 建議僅在偵錯時才停用此選項 - + Optimize SPIRV output - + Runs an additional optimization pass over generated SPIRV shaders. Will increase time required for shader compilation. May slightly improve performance. @@ -781,12 +805,12 @@ This feature is experimental. 但可能會稍微提高效能 - + NVDEC emulation: NVDEC 模擬: - + Specifies how videos should be decoded. It can either use the CPU or the GPU for decoding, or perform no decoding at all (black screen on videos). In most cases, GPU decoding provides the best performance. @@ -795,12 +819,12 @@ In most cases, GPU decoding provides the best performance. GPU解碼在大多數情況下提供最好的性能 - + ASTC Decoding Method: ASTC解碼方式: - + This option controls how ASTC textures should be decoded. CPU: Use the CPU for decoding. GPU: Use the GPU's compute shaders to decode ASTC textures (recommended). @@ -809,45 +833,55 @@ stuttering but may present artifacts. - + ASTC Recompression Method: ASTC重新壓縮方式: - + Most GPUs lack support for ASTC textures and must decompress to anintermediate format: RGBA8. BC1/BC3: The intermediate format will be recompressed to BC1 or BC3 format, saving VRAM but degrading image quality. - + + Frame Pacing Mode (Vulkan only) + + + + + Controls how the emulator manages frame pacing to reduce stuttering and make the frame rate smoother and more consistent. + + + + VRAM Usage Mode: VRAM 使用模式: - + Selects whether the emulator should prefer to conserve memory or make maximum usage of available video memory for performance. Aggressive mode may impact performance of other applications such as recording software. - + Skip CPU Inner Invalidation 跳過CPU內部失效處理 - + Skips certain cache invalidations during memory updates, reducing CPU usage and improving latency. This may cause soft-crashes. - + VSync Mode: 垂直同步: - + FIFO (VSync) does not drop frames or exhibit tearing but is limited by the screen refresh rate. FIFO Relaxed allows tearing as it recovers from a slow down. Mailbox can have lower latency than FIFO and does not tear but may drop frames. @@ -855,1318 +889,1402 @@ Immediate (no synchronization) presents whatever is available and can exhibit te - + Sync Memory Operations 同步記憶體操作 - + Ensures data consistency between compute and memory operations. This option fixes issues in games, but may degrade performance. Unreal Engine 4 games often see the most significant changes thereof. - + Enable asynchronous presentation (Vulkan only) 啟用非同步顯示(僅限Vulkan) - + Slightly improves performance by moving presentation to a separate CPU thread. 透過將畫面顯示移至獨立的CPU執行緒來略微提升性能。 - + Force maximum clocks (Vulkan only) 強制使用最大時脈(僅限Vulkan) - + Runs work in the background while waiting for graphics commands to keep the GPU from lowering its clock speed. 在等待圖形命令時於背景執行任務以防GPU降低時脈 - + Anisotropic Filtering: 各向異性過濾: - + Controls the quality of texture rendering at oblique angles. Safe to set at 16x on most GPUs. - + GPU Mode: - + Controls the GPU emulation mode. Most games render fine with Fast or Balanced modes, but Accurate is still required for some. Particles tend to only render correctly with Accurate mode. - + DMA Accuracy: - + Controls the DMA precision accuracy. Safe precision fixes issues in some games but may degrade performance. - + Enable asynchronous shader compilation - + May reduce shader stutter. - + Fast GPU Time - + Overclocks the emulated GPU to increase dynamic resolution and render distance. Use 256 for maximal performance and 512 for maximal graphics fidelity. - + + GPU Unswizzle + + + + + Accelerates BCn 3D texture decoding using GPU compute. +Disable if experiencing crashes or graphical glitches. + + + + GPU Unswizzle Max Texture Size - + Sets the maximum size (MiB) for GPU-based texture unswizzling. While the GPU is faster for medium and large textures, the CPU may be more efficient for very small ones. Adjust this to find the balance between GPU acceleration and CPU overhead. - + GPU Unswizzle Stream Size - + Sets the maximum amount of texture data (in MiB) processed per frame. Higher values can reduce stutter during texture loading but may impact frame consistency. - + GPU Unswizzle Chunk Size - + Determines the number of depth slices processed in a single dispatch. Increasing this can improve throughput on high-end GPUs but may cause TDR or driver timeouts on weaker hardware. - + Use Vulkan pipeline cache 启用 Vulkan 管线缓存 - + Enables GPU vendor-specific pipeline cache. This option can improve shader loading time significantly in cases where the Vulkan driver does not store pipeline cache files internally. 启用 GPU 供应商专用的管线缓存。 在 Vulkan 驱动程序内部不存储管线缓存的情况下,此选项可显著提高着色器加载速度。 - + Enable Compute Pipelines (Intel Vulkan Only) 启用计算管线 (仅限 Intel 显卡 Vulkan 模式) - + Required by some games. This setting only exists for Intel proprietary drivers and may crash if enabled. Compute pipelines are always enabled on all other drivers. - + Enable Reactive Flushing 启用反应性刷新 - + Uses reactive flushing instead of predictive flushing, allowing more accurate memory syncing. 使用反应性刷新取代预测性刷新,从而更精确地同步内存。 - + Sync to framerate of video playback 播放视频时帧率同步 - + Run the game at normal speed during video playback, even when the framerate is unlocked. 在视频播放期间以正常速度运行游戏,即使帧率未锁定。 - + Barrier feedback loops 屏障反馈循环 - + Improves rendering of transparency effects in specific games. 改进某些游戏中透明效果的渲染。 - + + Enable buffer history + + + + + Enables access to previous buffer states. +This option may improve rendering quality and performance consistency in some games. + + + + Fix bloom effects - + Removes bloom in Burnout. - + + Enable Legacy Rescale Pass + + + + + May fix rescale issues in some games by relying on behavior from the previous implementation. +Legacy behavior workaround that fixes line artifacts on AMD and Intel GPUs, and grey texture flicker on Nvidia GPUs in Luigis Mansion 3. + + + + Extended Dynamic State - + Controls the number of features that can be used in Extended Dynamic State. Higher states allow for more features and can increase performance, but may cause additional graphical issues. - + Vertex Input Dynamic State - + Enables vertex input dynamic state feature for better quality and performance. - + Provoking Vertex - + Improves lighting and vertex handling in some games. Only Vulkan 1.0+ devices support this extension. - + Descriptor Indexing - + Improves texture & buffer handling and the Maxwell translation layer. Some Vulkan 1.1+ and all 1.2+ devices support this extension. - + Sample Shading - + Allows the fragment shader to execute per sample in a multi-sampled fragment instead of once per fragment. Improves graphics quality at the cost of performance. Higher values improve quality but degrade performance. - + RNG Seed 隨機種子 - + Controls the seed of the random number generator. Mainly used for speedrunning. - + Device Name 裝置名稱 - + The name of the console. - + Custom RTC Date: 自定义系统时间: - + This option allows to change the clock of the console. Can be used to manipulate time in games. - + The number of seconds from the current unix time - + Language: 语言: - + This option can be overridden when region setting is auto-select - + Region: 區域: - + The region of the console. - + Time Zone: 時區: - + The time zone of the console. - + Sound Output Mode: 音訊輸出模式: - + Console Mode: 控制台模式: - + Selects if the console is in Docked or Handheld mode. Games will change their resolution, details and supported controllers and depending on this setting. Setting to Handheld can help improve performance for low end systems. - + + Unit Serial + + + + + Battery Serial + + + + + Debug knobs + + + + Prompt for user profile on boot - + Useful if multiple people use the same PC. - + Pause when not in focus - + Pauses emulation when focusing on other windows. - + Confirm before stopping emulation 停止模拟时需要确认 - + Overrides prompts asking to confirm stopping the emulation. Enabling it bypasses such prompts and directly exits the emulation. - + Hide mouse on inactivity 滑鼠閒置時自動隱藏 - + Hides the mouse after 2.5s of inactivity. - + Disable controller applet 禁用控制器程序 - + Forcibly disables the use of the controller applet in emulated programs. When a program attempts to open the controller applet, it is immediately closed. - + Check for updates - + Whether or not to check for updates upon startup. - + Enable Gamemode 启用游戏模式 - + Force X11 as Graphics Backend - + Custom frontend 自定义前端 - + Real applet 真实的小程序 - + Never - + On Load - + Always - + CPU CPU - + GPU GPU - + CPU Asynchronous CPU 异步模拟 - + Uncompressed (Best quality) 不壓縮 (最高品質) - + BC1 (Low quality) BC1 (低品質) - + BC3 (Medium quality) BC3 (中品質) - - Conservative - 保守模式(节省 VRAM) - - - - Aggressive - 激进模式 - - - - Vulkan - Vulkan - - - - OpenGL GLSL - - - - - OpenGL GLASM (Assembly Shaders, NVIDIA Only) - - - - - OpenGL SPIR-V (Experimental, AMD/Mesa Only) - - - - - Null - - - - - Fast - - - - - Balanced - - - - - - Accurate - 高精度 - - - - - Default - 預設 - - - - Unsafe (fast) - - - - - Safe (stable) - - - - + + Auto 自動 - + + 30 FPS + + + + + 60 FPS + + + + + 90 FPS + + + + + 120 FPS + + + + + Conservative + 保守模式(节省 VRAM) + + + + Aggressive + 激进模式 + + + + Vulkan + Vulkan + + + + OpenGL GLSL + + + + + OpenGL GLASM (Assembly Shaders, NVIDIA Only) + + + + + OpenGL SPIR-V (Experimental, AMD/Mesa Only) + + + + + Null + + + + + Fast + + + + + Balanced + + + + + + Accurate + 高精度 + + + + + Default + 預設 + + + + Unsafe (fast) + + + + + Safe (stable) + + + + Unsafe 低精度 - + Paranoid (disables most optimizations) 偏执模式 (禁用绝大多数优化项) - + Debugging - + Dynarmic Dynarmic - + NCE NCE - + Borderless Windowed 無邊框視窗 - + Exclusive Fullscreen 全螢幕獨占 - + No Video Output 無視訊輸出 - + CPU Video Decoding CPU 視訊解碼 - + GPU Video Decoding (Default) GPU 視訊解碼(預設) - + 0.25X (180p/270p) [EXPERIMENTAL] - + 0.5X (360p/540p) [EXPERIMENTAL] 0.5X (360p/540p) [实验性] - + 0.75X (540p/810p) [EXPERIMENTAL] 0.75X (540p/810p) [實驗性] - + 1X (720p/1080p) 1X (720p/1080p) - + 1.25X (900p/1350p) [EXPERIMENTAL] - + 1.5X (1080p/1620p) [EXPERIMENTAL] 1.5X (1080p/1620p) [實驗性] - + 2X (1440p/2160p) 2X (1440p/2160p) - + 3X (2160p/3240p) 3X (2160p/3240p) - + 4X (2880p/4320p) 4X (2880p/4320p) - + 5X (3600p/5400p) 5X (3600p/5400p) - + 6X (4320p/6480p) 6X (4320p/6480p) - + 7X (5040p/7560p) 7X (5040p/7560p) - + 8X (5760p/8640p) 8X (5760p/8640p) - + Nearest Neighbor 最近鄰 - + Bilinear 雙線性 - + Bicubic 雙立方 - + Gaussian 高斯 - + Lanczos - + ScaleForce 強制縮放 - + AMD FidelityFX Super Resolution - + Area - + MMPX - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - - + + None - + FXAA FXAA - + SMAA SMAA - + Default (16:9) 預設 (16:9) - + Force 4:3 強制 4:3 - + Force 21:9 強制 21:9 - + Force 16:10 強制 16:10 - + Stretch to Window 延伸視窗 - + Automatic 自動 - + 2x 2x - + 4x 4x - + 8x 8x - + 16x 16x - + 32x - + 64x - + Japanese (日本語) 日文 (日本語) - + American English 美式英语 - + French (français) 法文 (français) - + German (Deutsch) 德文 (Deutsch) - + Italian (italiano) 義大利文 (italiano) - + Spanish (español) 西班牙文 (español) - + Chinese 中文 - + Korean (한국어) 韓文 (한국어) - + Dutch (Nederlands) 荷蘭文 (Nederlands) - + Portuguese (português) 葡萄牙文 (português) - + Russian (Русский) 俄文 (Русский) - + Taiwanese 台灣中文 - + British English 英式英文 - + Canadian French 加拿大法文 - + Latin American Spanish 拉丁美洲西班牙文 - + Simplified Chinese 簡體中文 - + Traditional Chinese (正體中文) 正體中文 (正體中文) - + Brazilian Portuguese (português do Brasil) 巴西-葡萄牙語 (português do Brasil) - - Serbian (српски) + + Polish (polska) - - + + Thai (แบบไทย) + + + + + Japan 日本 - + USA 美國 - + Europe 歐洲 - + Australia 澳洲 - + China 中國 - + Korea 南韓 - + Taiwan 台灣 - + Auto (%1) Auto select time zone 自動 (%1) - + Default (%1) Default time zone 預設 (%1) - + CET 中歐 - + CST6CDT CST6CDT - + Cuba 古巴 - + EET EET - + Egypt 埃及 - + Eire 愛爾蘭 - + EST 北美東部 - + EST5EDT EST5EDT - + GB GB - + GB-Eire 英國-愛爾蘭 - + GMT GMT - + GMT+0 GMT+0 - + GMT-0 GMT-0 - + GMT0 GMT0 - + Greenwich 格林威治 - + Hongkong 香港 - + HST 夏威夷 - + Iceland 冰島 - + Iran 伊朗 - + Israel 以色列 - + Jamaica 牙買加 - + Kwajalein 瓜加林環礁 - + Libya 利比亞 - + MET 中歐 - + MST 北美山區 - + MST7MDT MST7MDT - + Navajo 納瓦霍 - + NZ 紐西蘭 - + NZ-CHAT 紐西蘭-查塔姆群島 - + Poland 波蘭 - + Portugal 葡萄牙 - + PRC 中國 - + PST8PDT 太平洋 - + ROC 臺灣 - + ROK 韓國 - + Singapore 新加坡 - + Turkey 土耳其 - + UCT UCT - + Universal 世界 - + UTC UTC - + W-SU 莫斯科 - + WET 西歐 - + Zulu 協調世界時 - + Mono 單聲道 - + Stereo 立體聲 - + Surround 環繞音效 - + 4GB DRAM (Default) 4GB DRAM (默认) - + 6GB DRAM (Unsafe) 6GB DRAM (不安全) - + 8GB DRAM - + 10GB DRAM (Unsafe) - + 12GB DRAM (Unsafe) - + Docked TV - + Handheld 掌機模式 - - + + Off - + Boost (1700MHz) - + Fast (2000MHz) - + Always ask (Default) 总是询问 (默认) - + Only if game specifies not to stop 仅当游戏不希望停止时 - + Never ask 从不询问 - - + + Medium (256) - - + + High (512) - + Very Small (16 MB) - + Small (32 MB) - + Normal (128 MB) - + Large (256 MB) - + Very Large (512 MB) - + Very Low (4 MB) - + Low (8 MB) - + Normal (16 MB) - + Medium (32 MB) - + High (64 MB) - + Very Low (32) - + Low (64) - + Normal (128) - + Disabled - + ExtendedDynamicState 1 - + ExtendedDynamicState 2 - + ExtendedDynamicState 3 + + + Tree View + + + + + Grid View + + ConfigureApplets @@ -2238,7 +2356,7 @@ When a program attempts to open the controller applet, it is immediately closed. 還原預設值 - + Auto 自動 @@ -2688,81 +2806,86 @@ When a program attempts to open the controller applet, it is immediately closed. + Use dev.keys + + + + Enable Debug Asserts 啟用偵錯 - + Debugging 偵錯 - + Battery Serial: - + Bitmask for quick development toggles - + Set debug knobs (bitmask) - + 16-bit debug knob set for quick development toggles - + (bitmask) - + Debug Knobs: - + Unit Serial: - + Enable this to output the latest generated audio command list to the console. Only affects games using the audio renderer. 啟用此選項會將最新的音訊指令列表輸出到控制台。只影響使用音訊渲染器的遊戲。 - + Dump Audio Commands To Console** 將音訊指令傾印至控制台** - + Flush log output on each line - + Enable FS Access Log 啟用檔案系統存取記錄 - + Enable Verbose Reporting Services** 啟用詳細報告服務 - + Censor username in logs - + **This will be reset automatically when Eden closes. @@ -2823,13 +2946,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + Audio 音訊 - + CPU CPU @@ -2845,13 +2968,13 @@ When a program attempts to open the controller applet, it is immediately closed. - + General 一般 - + Graphics 圖形 @@ -2872,7 +2995,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + Controls 控制 @@ -2888,7 +3011,7 @@ When a program attempts to open the controller applet, it is immediately closed. - + System 系統 @@ -3006,58 +3129,58 @@ When a program attempts to open the controller applet, it is immediately closed. 重設中繼資料快取 - + Select Emulated NAND Directory... 選擇模擬內部儲存空間資料夾... - + Select Emulated SD Directory... 選擇模擬 SD 卡資料夾... - - + + Select Save Data Directory... - + Select Gamecard Path... 選擇遊戲卡帶路徑... - + Select Dump Directory... 選擇傾印資料夾... - + Select Mod Load Directory... 選擇載入模組資料夾... - + Save Data Directory - + Choose an action for the save data directory: - + Set Custom Path - + Reset to NAND - + Save data exists in both the old and new locations. Old: %1 @@ -3068,7 +3191,7 @@ WARNING: This will overwrite any conflicting saves in the new location! - + Would you like to migrate your save data to the new location? From: %1 @@ -3076,28 +3199,28 @@ To: %2 - + Migrate Save Data - + Migrating save data... - + Cancel - + Migration Failed - + Failed to create destination directory. @@ -3108,12 +3231,12 @@ To: %2 - + Migration Complete - + Save data has been migrated successfully. Would you like to delete the old save data? @@ -3134,20 +3257,55 @@ Would you like to delete the old save data? 一般 - + + External Content + + + + + Add directories to scan for DLCs and Updates without installing to NAND + + + + + Add Directory + + + + + Remove Selected + + + + Reset All Settings 重設所有設定 - + Eden - + This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed? 這將重設所有遊戲的額外設定,但不會刪除遊戲資料夾、使用者設定檔、輸入設定檔,是否繼續? + + + Select External Content Directory... + + + + + Directory Already Added + + + + + This directory is already in the list. + + ConfigureGraphics @@ -3177,33 +3335,33 @@ Would you like to delete the old save data? 背景顏色: - + % FSR sharpening percentage (e.g. 50%) % - + Off 關閉 - + VSync Off 垂直同步關 - + Recommended 推薦 - + On 開啟 - + VSync On 垂直同步開 @@ -3254,13 +3412,13 @@ Would you like to delete the old save data? - + % Sample Shading percentage (e.g. 50%) - + Extended Dynamic State is disabled on macOS due to MoltenVK compatibility issues that cause black screens. @@ -3832,7 +3990,7 @@ Would you like to delete the old save data? - + Left Stick 左搖桿 @@ -3942,14 +4100,14 @@ Would you like to delete the old save data? - + ZL ZL - + L L @@ -3962,22 +4120,22 @@ Would you like to delete the old save data? - + Plus - + ZR ZR - - + + R R @@ -4034,7 +4192,7 @@ Would you like to delete the old save data? - + Right Stick 右搖桿 @@ -4203,88 +4361,88 @@ To invert the axes, first move your joystick vertically, and then horizontally.< Mega Drive - + Start / Pause 開始 / 暫停 - + Z Z - + Control Stick 控制搖桿 - + C-Stick C 搖桿 - + Shake! 搖動! - + [waiting] [等待中] - + New Profile 新增設定檔 - + Enter a profile name: 輸入設定檔名稱: - - + + Create Input Profile 建立輸入設定檔 - + The given profile name is not valid! 輸入的設定檔名稱無效! - + Failed to create the input profile "%1" 建立輸入設定檔「%1」失敗 - + Delete Input Profile 刪除輸入設定檔 - + Failed to delete the input profile "%1" 刪除輸入設定檔「%1」失敗 - + Load Input Profile 載入輸入設定檔 - + Failed to load the input profile "%1" 載入輸入設定檔「%1」失敗 - + Save Input Profile 儲存輸入設定檔 - + Failed to save the input profile "%1" 儲存輸入設定檔「%1」失敗 @@ -4579,11 +4737,6 @@ Current values are %1% and %2% respectively. Enable Airplane Mode - - - None - - ConfigurePerGame @@ -4638,52 +4791,57 @@ Current values are %1% and %2% respectively. 某些設定僅在遊戲未執行時才能修改 - + Add-Ons 延伸模組 - + System 系統 - + CPU CPU - + Graphics 圖形 - + Adv. Graphics 進階圖形 - + Ext. Graphics - + Audio 音訊 - + Input Profiles 輸入設定檔 - + Network + Applets + + + + Properties 屬性 @@ -4701,15 +4859,110 @@ Current values are %1% and %2% respectively. 延伸模組 - + + Import Mod from ZIP + + + + + Import Mod from Folder + + + + Patch Name 延伸模組名稱 - + Version 版本 + + + Mod Install Succeeded + + + + + Successfully installed all mods. + + + + + Mod Install Failed + + + + + Failed to install the following mods: + %1 +Check the log for details. + + + + + Mod Folder + + + + + Zipped Mod Location + + + + + Zipped Archives (*.zip) + + + + + Invalid Selection + + + + + Only mods, cheats, and patches can be deleted. +To delete NAND-installed updates, right-click the game in the game list and click Remove -> Remove Installed Update. + + + + + You are about to delete the following installed mods: + + + + + + +Once deleted, these can NOT be recovered. Are you 100% sure you want to delete them? + + + + + Delete add-on(s)? + + + + + Successfully deleted + + + + + Successfully deleted all selected mods. + + + + + &Delete + + + + + &Open in File Manager + + ConfigureProfileManager @@ -4757,62 +5010,62 @@ Current values are %1% and %2% respectively. %2 - + Users 使用者 - + Error deleting image 刪除圖片時發生錯誤 - + Error occurred attempting to overwrite previous image at: %1. 嘗試覆寫之前的圖片時發生錯誤:%1 - + Error deleting file 刪除檔案時發生錯誤 - + Unable to delete existing file: %1. 無法刪除檔案:%1 - + Error creating user image directory 建立使用者圖片資料夾時發生錯誤 - + Unable to create directory %1 for storing user images. 無法建立儲存使用者圖片的資料夾 %1 - + Error saving user image - + Unable to save image to file - + &Edit - + &Delete - + Edit User @@ -4820,17 +5073,17 @@ Current values are %1% and %2% respectively. ConfigureProfileManagerDeleteDialog - + Delete this user? All of the user's save data will be deleted. 删除此用户?此用户保存的所有数据都将被删除。 - + Confirm Delete 確認刪除 - + Name: %1 UUID: %2 名稱: %1 @@ -5032,17 +5285,22 @@ UUID: %2 載入畫面時暫停執行 - + + Show recording dialog + + + + Script Directory 腳本資料夾 - + Path 路徑 - + ... ... @@ -5055,7 +5313,7 @@ UUID: %2 TAS 設定 - + Select TAS Load Directory... 選擇 TAS 載入資料夾... @@ -5193,64 +5451,43 @@ Drag points to change position, or double-click table cells to edit values. ConfigureUI - - - + + None - - Small (32x32) - 小 (32x32) - - - - Standard (64x64) - 中 (64x64) - - - - Large (128x128) - 大 (128x128) - - - - Full Size (256x256) - 更大 (256x256) - - - + Small (24x24) 小 (24x24) - + Standard (48x48) 中 (48x48) - + Large (72x72) 大 (72x72) - + Filename 檔案名稱 - + Filetype 檔案類型 - + Title ID 遊戲 ID - + Title Name 遊戲名稱 @@ -5319,71 +5556,66 @@ Drag points to change position, or double-click table cells to edit values. - Game Icon Size: - 遊戲圖示大小: - - - Folder Icon Size: 資料夾圖示大小: - + Row 1 Text: 第一行顯示文字: - + Row 2 Text: 第二行顯示文字: - + Screenshots 螢幕截圖 - + Ask Where To Save Screenshots (Windows Only) 詢問儲存螢幕截圖的位置(僅限 Windows) - + Screenshots Path: 螢幕截圖位置 - + ... ... - + TextLabel 文字標籤 - + Resolution: 解析度: - + Select Screenshots Path... 選擇儲存螢幕截圖位置... - + <System> <System> - + English English - + Auto (%1 x %2, %3 x %4) Screenshot width value 自動 (%1 x %2, %3 x %4) @@ -5517,20 +5749,20 @@ Drag points to change position, or double-click table cells to edit values.在 Discord 遊戲狀態上顯示目前的遊戲 - - + + All Good Tooltip - + Must be between 4-20 characters Tooltip - + Must be 48 characters, and lowercase a-z Tooltip @@ -5562,27 +5794,27 @@ Drag points to change position, or double-click table cells to edit values. - + Shaders - + UserNAND - + SysNAND - + Mods - + Saves @@ -5620,7 +5852,7 @@ Drag points to change position, or double-click table cells to edit values. - + Calculating... @@ -5643,12 +5875,12 @@ Drag points to change position, or double-click table cells to edit values. - + Dependency - + Version @@ -5822,44 +6054,44 @@ Please go to Configure -> System -> Network and make a selection. GRenderWindow - - + + OpenGL not available! 無法使用 OpenGL 模式! - + OpenGL shared contexts are not supported. 不支援 OpenGL 共用的上下文。 - + Eden has not been compiled with OpenGL support. - - + + Error while initializing OpenGL! 初始化 OpenGL 時發生錯誤! - + Your GPU may not support OpenGL, or you do not have the latest graphics driver. 您的 GPU 可能不支援 OpenGL,或是未安裝最新的圖形驅動程式 - + Error while initializing OpenGL 4.6! 初始化 OpenGL 4.6 時發生錯誤! - + Your GPU may not support OpenGL 4.6, or you do not have the latest graphics driver.<br><br>GL Renderer:<br>%1 您的 GPU 可能不支援 OpenGL 4.6,或是未安裝最新的圖形驅動程式<br><br>GL 渲染器:<br>%1 - + Your GPU may not support one or more required OpenGL extensions. Please ensure you have the latest graphics driver.<br><br>GL Renderer:<br>%1<br><br>Unsupported extensions:<br>%2 您的 GPU 可能不支援某些必需的 OpenGL 功能。請確保您已安裝最新的圖形驅動程式。<br><br>GL 渲染器:<br>%1<br><br>不支援的功能:<br>%2 @@ -5867,203 +6099,208 @@ Please go to Configure -> System -> Network and make a selection. GameList - + + &Add New Game Directory + + + + Favorite 我的最愛 - + Start Game 開始遊戲 - + Start Game without Custom Configuration 開始遊戲(不使用額外設定) - + Open Save Data Location 開啟存檔位置 - + Open Mod Data Location 開啟模組位置 - + Open Transferable Pipeline Cache 開啟通用著色器管線快取位置 - + Link to Ryujinx - + Remove 移除 - + Remove Installed Update 移除已安裝的遊戲更新 - + Remove All Installed DLC 移除所有安裝的DLC - + Remove Custom Configuration 移除額外設定 - + Remove Cache Storage 移除快取儲存空間 - + Remove OpenGL Pipeline Cache 刪除 OpenGL 著色器管線快取 - + Remove Vulkan Pipeline Cache 刪除 Vulkan 著色器管線快取 - + Remove All Pipeline Caches 刪除所有著色器管線快取 - + Remove All Installed Contents 移除所有安裝項目 - + Manage Play Time - + Edit Play Time Data - + Remove Play Time Data 清除遊玩時間 - - + + Dump RomFS 傾印 RomFS - + Dump RomFS to SDMC 傾印 RomFS 到 SDMC - + Verify Integrity 完整性驗證 - + Copy Title ID to Clipboard 複製遊戲 ID 到剪貼簿 - + Navigate to GameDB entry 檢視遊戲相容性報告 - + Create Shortcut 建立捷徑 - + Add to Desktop 新增至桌面 - + Add to Applications Menu 新增至應用程式選單 - + Configure Game - + Scan Subfolders 包含子資料夾 - + Remove Game Directory 移除遊戲資料夾 - + ▲ Move Up ▲ 向上移動 - + ▼ Move Down ▼ 向下移動 - + Open Directory Location 開啟資料夾位置 - + Clear 清除 - + Name 名稱 - + Compatibility 相容性 - + Add-ons 延伸模組 - + File type 檔案格式 - + Size 大小 - + Play time 遊玩時間 @@ -6071,62 +6308,62 @@ Please go to Configure -> System -> Network and make a selection. GameListItemCompat - + Ingame 遊戲內 - + Game starts, but crashes or major glitches prevent it from being completed. 遊戲可以執行,但可能會出現當機或故障導致遊戲無法正常運作。 - + Perfect 完美 - + Game can be played without issues. 遊戲可以毫無問題的遊玩。 - + Playable 可遊玩 - + Game functions with minor graphical or audio glitches and is playable from start to finish. 遊戲自始至終可以正常遊玩,但可能會有一些輕微的圖形或音訊故障。 - + Intro/Menu 開始畫面/選單 - + Game loads, but is unable to progress past the Start Screen. 遊戲可以載入,但無法通過開始畫面。 - + Won't Boot 無法啟動 - + The game crashes when attempting to startup. 啟動遊戲時異常關閉 - + Not Tested 未測試 - + The game has not yet been tested. 此遊戲尚未經過測試 @@ -6134,7 +6371,7 @@ Please go to Configure -> System -> Network and make a selection. GameListPlaceholder - + Double-click to add a new folder to the game list 連點兩下以新增資料夾至遊戲清單 @@ -6142,17 +6379,17 @@ Please go to Configure -> System -> Network and make a selection. GameListSearchField - + %1 of %n result(s) - + Filter: 搜尋: - + Enter pattern to filter 輸入文字以搜尋 @@ -6228,12 +6465,12 @@ Please go to Configure -> System -> Network and make a selection. HostRoomWindow - + Error 錯誤 - + Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid Eden account configured in Emulation -> Configure -> Web. If you do not want to publish a room in the public lobby, then select Unlisted instead. Debug Message: @@ -6242,19 +6479,11 @@ Debug Message: Hotkeys - + Audio Mute/Unmute 靜音/取消靜音 - - - - - - - - @@ -6277,154 +6506,180 @@ Debug Message: + + + + + + + + + + + Main Window 主要視窗 - + Audio Volume Down 音訊音量降低 - + Audio Volume Up 音訊音量提高 - + Capture Screenshot 截圖 - + Change Adapting Filter 變更自適性過濾器 - + Change Docked Mode 變更底座模式 - + Change GPU Mode - + Configure - + Configure Current Game - + Continue/Pause Emulation 繼續/暫停模擬 - + Exit Fullscreen 離開全螢幕 - + Exit Eden - + Fullscreen 全螢幕 - + Load File 開啟檔案 - + Load/Remove Amiibo 載入/移除 Amiibo - - Multiplayer Browse Public Game Lobby - 浏览公共游戏大厅 + + Browse Public Game Lobby + - - Multiplayer Create Room - 创建房间 + + Create Room + - - Multiplayer Direct Connect to Room - 直接连接到房间 + + Direct Connect to Room + - - Multiplayer Leave Room - 离开房间 + + Leave Room + - - Multiplayer Show Current Room - 显示当前房间 + + Show Current Room + - + Restart Emulation 重新啟動模擬 - + Stop Emulation 停止模擬 - + TAS Record TAS 錄製 - + TAS Reset TAS 重設 - + TAS Start/Stop TAS 開始/停止 - + Toggle Filter Bar 切換搜尋列 - + Toggle Framerate Limit 切換影格速率限制 - + + Toggle Turbo Speed + + + + + Toggle Slow Speed + + + + Toggle Mouse Panning 切換滑鼠移動 - + Toggle Renderdoc Capture 切換到 Renderdoc 截圖 - + Toggle Status Bar 切換狀態列 + + + Toggle Performance Overlay + + InstallDialog @@ -6476,22 +6731,22 @@ Debug Message: 預估時間:5 分 4 秒 - + Loading... 載入中... - + Loading Shaders %1 / %2 載入著色器:%1 / %2 - + Launching... 啟動中... - + Estimated Time %1 預估時間:%1 @@ -6540,42 +6795,42 @@ Debug Message: 重新整理遊戲大廳 - + Password Required to Join 加入需要密碼 - + Password: 密碼: - + Players 玩家 - + Room Name 房間名稱 - + Preferred Game 偏好遊戲 - + Host 主機 - + Refreshing 正在重新整理 - + Refresh List 重新整理清單 @@ -6624,1091 +6879,1153 @@ Debug Message: + &Game List Mode + + + + + Game &Icon Size + + + + Reset Window Size to &720p 重設視窗大小為 &720p - + Reset Window Size to 720p 重設視窗大小為 720p - + Reset Window Size to &900p 重設視窗大小為 &900p - + Reset Window Size to 900p 重設視窗大小為 900p - + Reset Window Size to &1080p 重設視窗大小為 &1080p - + Reset Window Size to 1080p 重設視窗大小為 1080p - + &Multiplayer 多人遊戲 (&M) - + &Tools 工具 (&T) - + Am&iibo - + Launch &Applet - + &TAS TAS (&T) - + &Create Home Menu Shortcut - + Install &Firmware - + &Help 說明 (&H) - + &Install Files to NAND... &安裝檔案至內部儲存空間 - + L&oad File... 開啟檔案(&O)... - + Load &Folder... 開啟資料夾(&F)... - + E&xit 結束(&X) - - + + &Pause 暫停(&P) - + &Stop 停止(&S) - + &Verify Installed Contents 驗證已安裝內容的完整性 (&V) - + &About Eden - + Single &Window Mode 單一視窗模式(&W) - + Con&figure... 設定 (&F) - + Ctrl+, - + Enable Overlay Display Applet - + Show &Filter Bar 顯示搜尋列(&F) - + Show &Status Bar 顯示狀態列(&S) - + Show Status Bar 顯示狀態列 - + &Browse Public Game Lobby 瀏覽公用遊戲大廳 (&B) - + &Create Room 建立房間 (&C) - + &Leave Room 離開房間 (&L) - + &Direct Connect to Room 直接連線到房間 (&D) - + &Show Current Room 顯示目前的房間 (&S) - + F&ullscreen 全螢幕(&U) - + &Restart 重新啟動(&R) - + Load/Remove &Amiibo... 載入/移除 Amiibo... (&A) - + &Report Compatibility 回報相容性(&R) - + Open &Mods Page 模組資訊 (&M) - + Open &Quickstart Guide 快速入門 (&Q) - + &FAQ 常見問題 (&F) - + &Capture Screenshot 截圖 (&C) - + &Album - + &Set Nickname and Owner 登錄持有者和暱稱 (&S) - + &Delete Game Data 清除遊戲資料 (&D) - + &Restore Amiibo 復原資料 (&R) - + &Format Amiibo 初始化 Amiibo (&F) - + &Mii Editor - + &Configure TAS... 設定 &TAS… - + Configure C&urrent Game... 目前遊戲設定...(&U) - - + + &Start 開始(&S) - + &Reset 重設 (&R) - - + + R&ecord 錄製 (&E) - + Open &Controller Menu 打开控制器菜单 (&C) - + Install Decryption &Keys - + &Home Menu - + &Desktop - + &Application Menu - + &Root Data Folder - + &NAND Folder - + &SDMC Folder - + &Mod Folder - + &Log Folder - + From Folder - + From ZIP - + &Eden Dependencies - + &Data Manager - + + &Tree View + + + + + &Grid View + + + + + Game Icon Size + + + + + + + None + + + + + Show Game &Name + + + + + Show &Performance Overlay + + + + + Small (32x32) + + + + + Standard (64x64) + + + + + Large (128x128) + + + + + Full Size (256x256) + + + + Broken Vulkan Installation Detected - + Vulkan initialization failed during boot. - + Running a game TRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping - + Loading Web Applet... - - + + Disable Web Applet - + Disabling the web applet can lead to undefined behavior and should only be used with Super Mario 3D All-Stars. Are you sure you want to disable the web applet? (This can be re-enabled in the Debug settings.) - + The amount of shaders currently being built - + The current selected resolution scaling multiplier. - + Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch. - + How many frames per second the game is currently displaying. This will vary from game to game and scene to scene. - + Time taken to emulate a Switch frame, not counting framelimiting or v-sync. For full-speed emulation this should be at most 16.67 ms. - + Unmute - + Mute - + Reset Volume - + &Clear Recent Files - + &Continue - + Warning: Outdated Game Format - + You are using the deconstructed ROM directory format for this game, which is an outdated format that has been superseded by others such as NCA, NAX, XCI, or NSP. Deconstructed ROM directories lack icons, metadata, and update support.<br>For an explanation of the various Switch formats Eden supports, out our user handbook. This message will not be shown again. - - + + Error while loading ROM! - + The ROM format is not supported. - + An error occurred initializing the video core. - + Eden has encountered an error while running the video core. This is usually caused by outdated GPU drivers, including integrated ones. Please see the log for more details. For more information on accessing the log, please see the following page: <a href='https://yuzu-mirror.github.io/help/reference/log-files/'>How to Upload the Log File</a>. - + Error while loading ROM! %1 %1 signifies a numeric error code. - + %1<br>Please redump your files or ask on Discord/Stoat for help. %1 signifies an error string. - + An unknown error occurred. Please see the log for more details. - + (64-bit) - + (32-bit) - + %1 %2 %1 is the title name. %2 indicates if the title is 64-bit or 32-bit - + Closing software... - + Save Data - + Mod Data - + Error Opening %1 Folder - - + + Folder does not exist! - + Remove Installed Game Contents? - + Remove Installed Game Update? - + Remove Installed Game DLC? - + Remove Entry - + Delete OpenGL Transferable Shader Cache? - + Delete Vulkan Transferable Shader Cache? - + Delete All Transferable Shader Caches? - + Remove Custom Game Configuration? - + Remove Cache Storage? - + Remove File - + Remove Play Time Data - + Reset play time? - - + + RomFS Extraction Failed! - + There was an error copying the RomFS files or the user cancelled the operation. - + Full - + Skeleton - + Select RomFS Dump Mode - + Please select the how you would like the RomFS dumped.<br>Full will copy all of the files into the new directory while <br>skeleton will only create the directory structure. - + There is not enough free space at %1 to extract the RomFS. Please free up space or select a different dump directory at Emulation > Configure > System > Filesystem > Dump Root - + Extracting RomFS... - - + + Cancel - + RomFS Extraction Succeeded! - + The operation completed successfully. - + Error Opening %1 - + Select Directory - + Properties - + The game properties could not be loaded. - + Switch Executable (%1);;All Files (*.*) %1 is an identifier for the Switch executable file extensions. - + Load File - + Open Extracted ROM Directory - + Invalid Directory Selected - + The directory you have selected does not contain a 'main' file. - + Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci) - + Install Files - + %n file(s) remaining - + Installing file "%1"... - - + + Install Results - + To avoid possible conflicts, we discourage users from installing base games to the NAND. Please, only use this feature to install updates and DLC. - + %n file(s) were newly installed - + %n file(s) were overwritten - + %n file(s) failed to install - + System Application - + System Archive - + System Application Update - + Firmware Package (Type A) - + Firmware Package (Type B) - + Game - + Game Update - + Game DLC - + Delta Title - + Select NCA Install Type... - + Please select the type of title you would like to install this NCA as: (In most instances, the default 'Game' is fine.) - + Failed to Install - + The title type you selected for the NCA is invalid. - + File not found - + File "%1" not found - + OK - + Function Disabled - + Compatibility list reporting is currently disabled. Check back later! - + Error opening URL - + Unable to open the URL "%1". - + TAS Recording - + Overwrite file of player 1? - + Invalid config detected - + Handheld controller can't be used on docked mode. Pro controller will be selected. - - + + Amiibo - - + + The current amiibo has been removed - + Error - - + + The current game is not looking for amiibos - + Amiibo File (%1);; All Files (*.*) - + Load Amiibo - + Error loading Amiibo data - + The selected file is not a valid amiibo - + The selected file is already on use - + An unknown error occurred - - + + Keys not installed - - + + Install decryption keys and restart Eden before attempting to install firmware. - + Select Dumped Firmware Source Location - + Select Dumped Firmware ZIP - + Zipped Archives (*.zip) - + Firmware cleanup failed - + Failed to clean up extracted firmware cache. Check write permissions in the system temp directory and try again. OS reported error: %1 - + No firmware available - + Firmware Corrupted - + Unknown applet - + Applet doesn't map to a known value. - + Record not found - + Applet not found. Please reinstall firmware. - + Capture Screenshot - + PNG Image (*.png) - + Update Available - - Download the %1 update? + + Download %1? - + TAS state: Running %1/%2 - + TAS state: Recording %1 - + TAS state: Idle %1/%2 - + TAS State: Invalid - + &Stop Running - + Stop R&ecording - + Building: %n shader(s) - + Scale: %1x %1 is the resolution scaling factor - + Speed: %1% / %2% - + Speed: %1% - + Game: %1 FPS - + Frame: %1 ms - + FSR - + NO AA - + VOLUME: MUTE - + VOLUME: %1% Volume percentage (e.g. 50%) - + Derivation Components Missing - + Decryption keys are missing. Install them now? - + Wayland Detected! - + Wayland is known to have significant performance issues and mysterious bugs. It's recommended to use X11 instead. @@ -7716,69 +8033,79 @@ Would you like to force it for future launches? - + Use X11 - + Continue with Wayland - + Don't show again - + Restart Required - + Restart Eden to apply the X11 backend. - + + Slow + + + + + Turbo + + + + + Unlocked + + + + Select RomFS Dump Target - + Please select which RomFS you would like to dump. - + Are you sure you want to close Eden? - - - + + + Eden - + Are you sure you want to stop the emulation? Any unsaved progress will be lost. - + The currently running application has requested Eden to not exit. Would you like to bypass this and exit anyway? - - - None - - FXAA @@ -7805,27 +8132,27 @@ Would you like to bypass this and exit anyway? - + Zero-Tangent - + B-Spline - + Mitchell - + Spline-1 - + Gaussian @@ -7880,22 +8207,22 @@ Would you like to bypass this and exit anyway? - + OpenGL GLSL - + OpenGL SPIRV - + OpenGL GLASM - + Null @@ -7903,13 +8230,13 @@ Would you like to bypass this and exit anyway? MigrationWorker - + Linking the old directory failed. You may need to re-run with administrative privileges on Windows. OS gave error: %1 - + Note that your configuration and data will be shared with %1. @@ -7920,7 +8247,7 @@ If this is not desirable, delete the following files: - + If you wish to clean up the files which were left in the old data location, you can do so by deleting the following directory: @@ -7928,11 +8255,24 @@ If you wish to clean up the files which were left in the old data location, you - + Data was migrated successfully. + + ModSelectDialog + + + Dialog + + + + + The specified folder or archive contains the following mods. Select which ones to install. + + + ModerationDialog @@ -8101,86 +8441,86 @@ Proceed anyway? - + Select User Image - + Image Formats (*.jpg *.jpeg *.png *.bmp) - + No firmware available - + Please install the firmware to use firmware avatars. - - + + Error loading archive - + Archive is not available. Please install/reinstall firmware. - + Could not locate RomFS. Your file or decryption keys may be corrupted. - + Error extracting archive - + Could not extract RomFS. Your file or decryption keys may be corrupted. - + Error finding image directory - + Failed to find image directory in the archive. - + No images found - + No avatar images were found in the archive. - - + + All Good Tooltip - + Must be 32 hex characters (0-9, a-f) Tooltip - + Must be between 1 and 32 characters Tooltip @@ -8219,6 +8559,80 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> + + PerformanceOverlay + + + Form + + + + + Frametime + + + + + 0 ms + + + + + + Min: 0 + + + + + + Max: 0 + + + + + + Avg: 0 + + + + + FPS + + + + + 0 fps + + + + + %1 fps + + + + + + Avg: %1 + + + + + + Min: %1 + + + + + + Max: %1 + + + + + %1 ms + + + PlayerControlPreview @@ -8253,39 +8667,14 @@ p, li { white-space: pre-wrap; } QObject - - Installed SD Titles - 安裝在 SD 卡中的遊戲 - - - - Installed NAND Titles - 安裝在內部儲存空間中的遊戲 - - - - System Titles - 系統項目 - - - - Add New Game Directory - 加入遊戲資料夾 - - - - Favorites - 我的最愛 - - - - - + + + Migration - + Clear Shader Cache @@ -8318,18 +8707,18 @@ p, li { white-space: pre-wrap; } - + You can manually re-trigger this prompt by deleting the new config directory: %1 - + Migrating - + Migrating, this may take a while... @@ -8720,6 +9109,51 @@ p, li { white-space: pre-wrap; } %1 is playing %2 %1 正在玩 %2 + + + Play Time: %1 + + + + + Never Played + + + + + Version: %1 + + + + + Version: 1.0.0 + + + + + Installed SD Titles + 安裝在 SD 卡中的遊戲 + + + + Installed NAND Titles + 安裝在內部儲存空間中的遊戲 + + + + System Titles + 系統項目 + + + + Add New Game Directory + 加入遊戲資料夾 + + + + Favorites + 我的最愛 + QtAmiiboSettingsDialog @@ -8837,250 +9271,250 @@ p, li { white-space: pre-wrap; } QtCommon::Content - + Game Requires Firmware - + The game you are trying to launch requires firmware to boot or to get past the opening menu. Please <a href='https://yuzu-mirror.github.io/help/quickstart'>dump and install firmware</a>, or press "OK" to launch anyways. - + Installing Firmware... - - - - - + + + + + Cancel - + Firmware Install Failed - + Firmware Install Succeeded - + Firmware integrity verification failed! - - + + Verification failed for the following files: %1 - - + + Verifying integrity... - - + + Integrity verification succeeded! - - + + The operation completed successfully. - - + + Integrity verification failed! - + File contents may be corrupt or missing. - + Integrity verification couldn't be performed - + Firmware installation cancelled, firmware may be in a bad state or corrupted. File contents could not be checked for validity. - + Select Dumped Keys Location - + Decryption Keys install succeeded - + Decryption Keys install failed - + Orphaned Profiles Detected! - + UNEXPECTED BAD THINGS MAY HAPPEN IF YOU DON'T READ THIS!<br>Eden has detected the following save directories with no attached profile:<br>%1<br><br>The following profiles are valid:<br>%2<br><br>Click "OK" to open your save folder and fix up your profiles.<br>Hint: copy the contents of the largest or last-modified folder elsewhere, delete all orphaned profiles, and move your copied contents to the good profile.<br><br>Still confused? See the <a href='https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/Orphaned.md'>help page</a>.<br> - + Really clear data? - + Important data may be lost! - + Are you REALLY sure? - + Once deleted, your data will NOT come back! Only do this if you're 100% sure you want to delete this data. - + Clearing... - + Select Export Location - + %1.zip - - + + Zipped Archives (*.zip) - + Exporting data. This may take a while... - + Exporting - + Exported Successfully - + Data was exported successfully. - + Export Cancelled - + Export was cancelled by the user. - + Export Failed - + Ensure you have write permissions on the targeted directory and try again. - + Select Import Location - + Import Warning - + All previous data in this directory will be deleted. Are you sure you wish to proceed? - + Importing data. This may take a while... - + Importing - + Imported Successfully - + Data was imported successfully. - + Import Cancelled - + Import was cancelled by the user. - + Import Failed - + Ensure you have read permissions on the targeted directory and try again. @@ -9088,22 +9522,22 @@ Only do this if you're 100% sure you want to delete this data. QtCommon::FS - + Linked Save Data - + Save data has been linked. - + Failed to link save data - + Could not link directory: %1 To: @@ -9111,48 +9545,48 @@ To: - + Already Linked - + This title is already linked to Ryujinx. Would you like to unlink it? - + Failed to unlink old directory - - + + OS returned error: %1 - + Failed to copy save data - + Unlink Successful - + Successfully unlinked Ryujinx save data. Save data has been kept intact. - + Could not find Ryujinx installation - + Could not find a valid Ryujinx installation. This may typically occur if you are using Ryujinx in portable mode. Would you like to manually select a portable folder to use? @@ -9164,18 +9598,18 @@ Would you like to manually select a portable folder to use? - + Not a valid Ryujinx directory - + The specified directory does not contain valid Ryujinx data. - - + + Could not find Ryujinx save data @@ -9183,229 +9617,285 @@ Would you like to manually select a portable folder to use? QtCommon::Game - + Error Removing Contents - + Error Removing Update - + Error Removing DLC - - - - - - + + + + + + Successfully Removed - + Successfully removed the installed base game. - + The base game is not installed in the NAND and cannot be removed. - + Successfully removed the installed update. - + There is no update installed for this title. - + There are no DLCs installed for this title. - + Successfully removed %1 installed DLC. - - + + Error Removing Transferable Shader Cache - - + + A shader cache for this title does not exist. - + Successfully removed the transferable shader cache. - + Failed to remove the transferable shader cache. - + Error Removing Vulkan Driver Pipeline Cache - + Failed to remove the driver pipeline cache. - - + + Error Removing Transferable Shader Caches - + Successfully removed the transferable shader caches. - + Failed to remove the transferable shader cache directory. - - + + Error Removing Custom Configuration - + A custom configuration for this title does not exist. - + Successfully removed the custom game configuration. - + Failed to remove the custom game configuration. - + Reset Metadata Cache - + The metadata cache is already empty. - + The operation completed successfully. - + The metadata cache couldn't be deleted. It might be in use or non-existent. - + Create Shortcut - + Do you want to launch the game in fullscreen? - + Shortcut Created - + Successfully created a shortcut to %1 - + Shortcut may be Volatile! - + This will create a shortcut to the current AppImage. This may not work well if you update. Continue? - + Failed to Create Shortcut - + Failed to create a shortcut to %1 - + Create Icon - + Cannot create icon file. Path "%1" does not exist and cannot be created. - + No firmware available - + Please install firmware to use the home menu. - + Home Menu Applet - + Home Menu is not available. Please reinstall firmware. + + QtCommon::Mod + + + Mod Name + + + + + What should this mod be called? + + + + + RomFS + + + + + ExeFS/Patch + + + + + Cheat + + + + + Mod Type + + + + + Could not detect mod type automatically. Please manually specify the type of mod you downloaded. + +Most mods are RomFS mods, but patches (.pchtxt) are typically ExeFS mods. + + + + + + Mod Extract Failed + + + + + Failed to create temporary directory %1 + + + + + Zip file %1 is empty + + + QtCommon::Path - + Error Opening Shader Cache - + Failed to create or open shader cache for this title, ensure your app data directory has write permissions. @@ -9413,83 +9903,83 @@ Would you like to manually select a portable folder to use? QtCommon::StringLookup - + Contains game save data. DO NOT REMOVE UNLESS YOU KNOW WHAT YOU'RE DOING! - + Contains Vulkan and OpenGL pipeline caches. Generally safe to remove. - + Contains updates and DLC for games. - + Contains firmware and applet data. - + Contains game mods, patches, and cheats. - + Decryption Keys were successfully installed - + Unable to read key directory, aborting - + One or more keys failed to copy. - + Verify your keys file has a .keys extension and try again. - + Decryption Keys failed to initialize. Check that your dumping tools are up to date and re-dump keys. - + Successfully installed firmware version %1 - + Unable to locate potential firmware NCA files - + Failed to delete one or more firmware files. - + One or more firmware files failed to copy into NAND. - + Firmware installation cancelled, firmware may be in a bad state or corrupted. Restart Eden or re-install firmware. - - Firmware missing. Firmware is required to run certain games and use the Home Menu. Versions 19.0.1 or earlier are recommended, as 20.0.0+ is currently experimental. + + Firmware missing. Firmware is required to run certain games and use the Home Menu. @@ -9510,56 +10000,56 @@ This may take a while. - + Clearing shader cache is recommended for all users. Do not uncheck unless you know what you're doing. - + Keeps the old data directory. This is recommended if you aren't space-constrained and want to keep separate data for the old emulator. - + Deletes the old data directory. This is recommended on devices with space constraints. - + Creates a filesystem link between the old directory and Eden directory. This is recommended if you want to share data between emulators. - + Ryujinx title database does not exist. - + Invalid header on Ryujinx title database. - + Invalid magic header on Ryujinx title database. - + Invalid byte alignment on Ryujinx title database. - + No items found in Ryujinx title database. - + Title %1 not found in Ryujinx title database. @@ -9600,7 +10090,7 @@ This is recommended if you want to share data between emulators. - + Pro Controller Pro 手把 @@ -9613,7 +10103,7 @@ This is recommended if you want to share data between emulators. - + Dual Joycons 雙 Joycon 手把 @@ -9626,7 +10116,7 @@ This is recommended if you want to share data between emulators. - + Left Joycon 左 Joycon 手把 @@ -9639,7 +10129,7 @@ This is recommended if you want to share data between emulators. - + Right Joycon 右 Joycon 手把 @@ -9668,7 +10158,7 @@ This is recommended if you want to share data between emulators. - + Handheld 掌機模式 @@ -9789,32 +10279,32 @@ This is recommended if you want to share data between emulators. 控制器數量不足 - + GameCube Controller GameCube 手把 - + Poke Ball Plus 精靈球 PLUS - + NES Controller NES 控制手把 - + SNES Controller SNES 控制手把 - + N64 Controller N64 控制手把 - + Sega Genesis Mega Drive @@ -9969,13 +10459,13 @@ p, li { white-space: pre-wrap; } <p style="-qt-paragraph-type:empty; margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><br /></p></body></html> - - + + OK 確定 - + Cancel 取消 @@ -10010,12 +10500,12 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Failed to link save data - + OS returned error: %1 @@ -10051,7 +10541,7 @@ By selecting "From Eden", previous save data stored in Ryujinx will be - + Total play time reached maximum. diff --git a/dist/qt_themes/default/icons/256x256/eden.png b/dist/qt_themes/default/icons/256x256/eden.png index fbee9f1836..3c4bd566a1 100644 Binary files a/dist/qt_themes/default/icons/256x256/eden.png and b/dist/qt_themes/default/icons/256x256/eden.png differ diff --git a/docs/Caveats.md b/docs/Caveats.md index 39b5ab15e6..d554f3ff77 100644 --- a/docs/Caveats.md +++ b/docs/Caveats.md @@ -91,7 +91,7 @@ After configuration, you may need to modify `externals/ffmpeg/CMakeFiles/ffmpeg- `-lc++-experimental` doesn't exist in OpenBSD but the LLVM driver still tries to link against it, to solve just symlink `ln -s /usr/lib/libc++.a /usr/lib/libc++experimental.a`. Builds are currently not working due to lack of `std::jthread` and such, either compile libc++ manually or wait for ports to catch up. -If clang has errors, try using `g++-11`. +If clang has errors, try using `g++11`. ## FreeBSD @@ -107,6 +107,8 @@ hw.usb.usbhid.enable="0" ## NetBSD +2026-02-07: `vulkan-headers` must not be installed, since the version found in `pkgsrc` is older than required. Either wait for binary packages to update or build newer versions from source. + Install `pkgin` if not already `pkg_add pkgin`, see also the general [pkgsrc guide](https://www.netbsd.org/docs/pkgsrc/using.html). For NetBSD 10.1 provide `echo 'PKG_PATH="https://cdn.netbsd.org/pub/pkgsrc/packages/NetBSD/amd64/10.1/All/"' >/etc/pkg_install.conf`. If `pkgin` is taking too much time consider adding the following to `/etc/rc.conf`: ```sh @@ -116,7 +118,7 @@ ip6addrctl_policy=ipv4_prefer System provides a default `g++-10` which doesn't support the current C++ codebase; install `clang-19` with `pkgin install clang-19`. Or install `gcc14` (or `gcc15` with current pkgsrc). Provided that, the following CMake commands may work: -- `cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_C_COMPILER=clang -DCMAKE_CXX_COMPILER=clang++ -Bbuild` +- `cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_C_COMPILER=clang -DCMAKE_CXX_COMPILER=clang++ -Bbuild` (Recommended) - `cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_C_COMPILER=/usr/pkg/gcc14/bin/gcc -DCMAKE_CXX_COMPILER=/usr/pkg/gcc14/bin/g++ -Bbuild` - `cmake -DCMAKE_BUILD_TYPE=Release -DCMAKE_C_COMPILER=/usr/pkg/gcc15/bin/gcc -DCMAKE_CXX_COMPILER=/usr/pkg/gcc15/bin/g++ -Bbuild` @@ -138,8 +140,12 @@ cmake --install build However, pkgsrc is highly recommended, see [getting pkgsrc](https://iso.us.netbsd.org/pub/pkgsrc/current/pkgsrc/doc/pkgsrc.html#getting). You must get `current` not the `2025Q2` version. +`QtCore` on NetBSD is included, but due to misconfigurations(!) we MUST include one of the standard headers that include `bits/c++config.h`, since source_location (required by `QtCore`) isn't properly configured to intake `bits/c++config.h` (none of the experimental library is). This is a bug with NetBSD packaging and not our fault, but alas. + ## DragonFlyBSD +2026-02-07: `vulkan-headers` and `vulkan-utility-libraries` must NOT be uninstalled, since they're too old: `1.3.289`. Either wait for binary packages to update or build newer versions from source. + If `libstdc++.so.6` is not found (`GLIBCXX_3.4.30`) then attempt: ```sh diff --git a/docs/CrossCompile.md b/docs/CrossCompile.md index 1f6ef447e6..1bcc82f68e 100644 --- a/docs/CrossCompile.md +++ b/docs/CrossCompile.md @@ -2,7 +2,122 @@ General guide for cross compiling. -## Debian ARM64 +## Gentoo + +Gentoo's cross-compilation setup is relatively easy, provided you're already familiar with portage. + +### Crossdev + +First, emerge crossdev via `sudo emerge -a sys-devel/crossdev`. + +Now, set up the environment depending on the target architecture; e.g. + +```sh +sudo crossdev powerpc64le +sudo crossdev aarch64 +``` + +### QEMU + +Installing a qemu user setup is recommended for testing. To do so, you will need the relevant USE flags: + +```sh +app-emulation/qemu static-user qemu_user_targets_ppc64le qemu_user_targets_aarch64 +``` + +Note that to use cross-emerged libraries, you will need to tell qemu where the sysroot is. You can do this with an alias: + +```sh +alias qemu-ppc64le="qemu-ppc64le -L /usr/powerpc64le-unknown-linux-gnu" +alias qemu-aarch64="qemu-aarch64 -L /usr/aarch64-unknown-linux-gnu" +``` + +### Dependencies + +Some packages have broken USE flags on other architectures; you'll also need to set up python targets. In `/usr/-unknown-linux-gnu/etc/portage/package.use`: + +```sh +>=net-misc/curl-8.16.0-r1 ssl + +*/* PYTHON_TARGETS: python3_13 PYTHON_SINGLE_TARGET: python3_13 +*/* pam + +sys-apps/util-linux pam su +app-shells/bash -readline +>=dev-libs/libpcre2-10.47 unicode +>=x11-libs/libxkbcommon-1.12.3 X +>=sys-libs/zlib-1.3.1-r1 minizip +>=app-alternatives/gpg-1-r3 ssl +>=app-crypt/gnupg-2.5.13-r2 ssl + +dev-libs/* -introspection +media-libs/harfbuzz -introspection +dev-libs/quazip -qt5 qt6 +``` + +Dependencies should be about the same [as normal Gentoo](./Deps.md), but removing gamemode and renderdoc is recommended. Keep in mind that when emerging, you want to use `emerge--unknown-linux-gnu`, e.g. `emerge-powerpc64le-unknown-linux-gnu`. + +Enable GURU in the cross environment (as root): + +```sh +mkdir -p /usr/powerpc64le-unknown-linux-gnu/etc/portage/repos.conf +cat << EOF > /usr/powerpc64le-unknown-linux-gnu/etc/portage/repos.conf/guru.conf +[guru] +location = /var/db/repos/guru +auto-sync = no +priority = 1 +EOF +``` + +Now emerge your dependencies: + +```sh +sudo emerge-powerpc64le-unknown-linux-gnu -aU app-arch/lz4 app-arch/zstd app-arch/unzip \ + dev-libs/libfmt dev-libs/libusb dev-libs/mcl dev-libs/sirit dev-libs/oaknut \ + dev-libs/unordered_dense dev-libs/boost dev-libs/openssl dev-libs/discord-rpc \ + dev-util/spirv-tools dev-util/spirv-headers dev-util/vulkan-headers \ + dev-util/vulkan-utility-libraries dev-util/glslang \ + media-libs/libva media-libs/opus media-video/ffmpeg \ + media-libs/VulkanMemoryAllocator media-libs/libsdl2 media-libs/cubeb \ + net-libs/enet net-libs/mbedtls \ + sys-libs/zlib \ + dev-cpp/nlohmann_json dev-cpp/simpleini dev-cpp/cpp-httplib dev-cpp/cpp-jwt dev-cpp/catch \ + net-wireless/wireless-tools \ + dev-qt/qtbase:6 dev-libs/quazip \ + virtual/pkgconfig +``` + +### Building + +A toolchain is provided in `CMakeModules/GentooCross.cmake`. To use it: + +```sh +cmake -S . -B build/ppc64 -DCMAKE_TOOLCHAIN_FILE=CMakeModules/GentooCross.cmake -G Ninja -DCROSS_TARGET=powerpc64le -DENABLE_OPENGL=OFF +``` + +Now build as normal: + +```sh +cmake --build build/ppc64 -j$(nproc) +``` + +### Alternatively + +Only emerge the absolute necessities: + +```sh +sudo emerge-powerpc64le-unknown-linux-gnu -aU media-video/ffmpeg media-libs/libsdl2 dev-qt/qtbase:6 +``` + +Then set `YUZU_USE_CPM=ON`: + +```sh +cmake -S . -B build/ppc64 -DCMAKE_TOOLCHAIN_FILE=CMakeModules/GentooCross.cmake -G Ninja -DCROSS_TARGET=powerpc64le -DENABLE_OPENGL=OFF -DYUZU_USE_CPM=ON +``` + +## ARM64 + +### Debian ARM64 A painless guide for cross compilation (or to test NCE) from a x86_64 system without polluting your main. @@ -10,3 +125,24 @@ A painless guide for cross compilation (or to test NCE) from a x86_64 system wit - Download Debian 13: `wget https://cdimage.debian.org/debian-cd/current/arm64/iso-cd/debian-13.0.0-arm64-netinst.iso` - Create a system disk: `qemu-img create -f qcow2 debian-13-arm64-ci.qcow2 30G` - Run the VM: `qemu-system-aarch64 -M virt -m 2G -cpu max -bios /usr/local/share/qemu/edk2-aarch64-code.fd -drive if=none,file=debian-13.0.0-arm64-netinst.iso,format=raw,id=cdrom -device scsi-cd,drive=cdrom -drive if=none,file=debian-13-arm64-ci.qcow2,id=hd0,format=qcow2 -device virtio-blk-device,drive=hd0 -device virtio-gpu-pci -device usb-ehci -device usb-kbd -device intel-hda -device hda-output -nic user,model=virtio-net-pci` + +## PowerPC + +This is a guide for FreeBSD users mainly. + +Now you got a PowerPC sysroot - quickly decompress it somewhere, say `/home/user/opt/powerpc64le`. Create a toolchain file, for example `powerpc64le-toolchain.cmake`; always [consult the manual](https://man.freebsd.org/cgi/man.cgi?query=cmake-toolchains&sektion=7&manpath=FreeBSD+13.2-RELEASE+and+Ports). + +There is a script to automatically do all of this under `./tools/setup-cross-sysroot.sh`. + +Remember to add `-mabi=elfv1` to `CFLAGS`/`CXXFLAGS` otherwise the program will crash. + +Specify: + +- `YUZU_USE_CPM`: Set this to `ON` so packages can be found and built if your sysroot doesn't have them. +- `YUZU_USE_EXTERNAL_FFMPEG`: Set this to `ON` as well. + +Then run using a program such as QEMU to emulate userland syscalls: + +```sh +cmake --build build-ppc64-pc-freebsd -t dynarmic_tests -- -j8 && qemu-ppc64-static -L $HOME/opt/ppc64-freebsd/sysroot ./build-ppc64-pc-freebsd/bin/dynarmic_tests +``` diff --git a/docs/Deps.md b/docs/Deps.md index fe1f7a14b2..a34e838534 100644 --- a/docs/Deps.md +++ b/docs/Deps.md @@ -76,7 +76,6 @@ Certain other dependencies will be fetched by CPM regardless. System packages *c * This package is known to be broken on the AUR. * [cpp-jwt](https://github.com/arun11299/cpp-jwt) 1.4+ - if `ENABLE_WEB_SERVICE` is on * [unordered-dense](https://github.com/martinus/unordered_dense) -* [mcl](https://github.com/azahar-emu/mcl) - subject to removal On amd64: diff --git a/docs/Options.md b/docs/Options.md new file mode 100644 index 0000000000..3eb6effe92 --- /dev/null +++ b/docs/Options.md @@ -0,0 +1,100 @@ +# CMake Options + +To change these options, add `-DOPTION_NAME=NEWVALUE` to the command line. + +- On Qt Creator, go to Project -> Current Configuration + +Notes: + +- Defaults are marked per-platform. +- "Non-UNIX" just means Windows/MSVC and Android (yes, macOS is UNIX +- Android generally doesn't need to change anything; if you do, go to `src/android/app/build.gradle.kts` +- To set a boolean variable to on, use `ON` for the value; to turn it off, use `OFF` +- If a variable is mentioned as being e.g. "ON" for a specific platform(s), that means it is defaulted to OFF on others +- TYPE is always boolean unless otherwise specified +- Format: + - `OPTION_NAME` (TYPE DEFAULT) DESCRIPTION + +## Options + +### Dependencies + +These options control dependencies. + +- `YUZU_USE_BUNDLED_FFMPEG` (ON for non-UNIX) Download a pre-built and configured FFmpeg +- `YUZU_USE_EXTERNAL_FFMPEG` (ON for Solaris) Build FFmpeg from source +- `YUZU_DOWNLOAD_ANDROID_VVL` (ON) Download validation layer binary for Android +- `YUZU_DOWNLOAD_TIME_ZONE_DATA` (ON) Always download time zone binaries + - Currently, build fails without this +- `YUZU_TZDB_PATH` (string) Path to a pre-downloaded timezone database (useful for nixOS and Gentoo) +- `YUZU_USE_BUNDLED_MOLTENVK` (ON, macOS only) Download bundled MoltenVK lib +- `YUZU_USE_BUNDLED_OPENSSL` (ON for MSVC, Android, Solaris, and OpenBSD) Download bundled OpenSSL build +- `YUZU_USE_EXTERNAL_SDL2` (OFF) Compiles SDL2 from source +- `YUZU_USE_BUNDLED_SDL2` (ON for MSVC) Download a prebuilt SDL2 + +### Miscellaneous + +- `ENABLE_WEB_SERVICE` (ON) Enable multiplayer service +- `ENABLE_WIFI_SCAN` (OFF) Enable WiFi scanning (requires iw on Linux) - experimental +- `ENABLE_CUBEB` (ON) Enables the cubeb audio backend + - This option is subject for removal. +- `YUZU_TESTS` (ON) Compile tests - requires Catch2 +- `ENABLE_LTO` (OFF) Enable link-time optimization + - Not recommended on Windows + - UNIX may be better off appending `-flto=thin` to compiler args +- `USE_FASTER_LINKER` (OFF) Check if a faster linker is available + - Not recommended outside of Linux + +### Flavors + +These options control executables and build flavors. + +- `YUZU_LEGACY` (OFF): Apply patches to improve compatibility on some older GPUs at the cost of performance +- `NIGHTLY_BUILD` (OFF): This is only used by CI. Do not use this unless you're making your own distribution and know what you're doing. +- `YUZU_STATIC_BUILD` (OFF) Attempt to build using static libraries if possible + - Not supported on Linux + - Automatically set if `YUZU_USE_BUNDLED_QT` is on for non-Linux +- `ENABLE_UPDATE_CHECKER` (OFF) Enable update checking functionality +- `YUZU_DISABLE_LLVM` (OFF) Do not attempt to link to the LLVM demangler + - Really only useful for CI or distribution builds + +**Desktop only**: + +- `YUZU_CMD` (ON) Compile the SDL2 frontend (eden-cli) +- `YUZU_ROOM` (OFF) Compile dedicated room functionality into the main executable +- `YUZU_ROOM_STANDALONE` (OFF) Compile a separate executable for room functionality +- `YUZU_STATIC_ROOM` (OFF) Compile the room executable *only* as a static, portable executable + - This is only usable on Alpine Linux. + +### Desktop + +The following options are desktop only. + +- `ENABLE_LIBUSB` (ON) Enable the use of the libusb input backend (HIGHLY RECOMMENDED) +- `ENABLE_OPENGL` (ON) Enable the OpenGL graphics backend + - Unavailable on Windows/ARM64 + - You probably shouldn't turn this off. + +### Qt + +Also desktop-only, but apply strictly to Qt + +- `ENABLE_QT` (ON) Enable the Qt frontend (recommended) +- `ENABLE_QT_TRANSLATION` (OFF) Enable translations for the Qt frontend +- `YUZU_USE_BUNDLED_QT` (ON for MSVC) Download bundled Qt binaries + - Not recommended on Linux. For Windows and macOS, the provided build is statically linked. +- `YUZU_QT_MIRROR` (string) What mirror to use for downloading the bundled Qt libraries +- `YUZU_USE_QT_MULTIMEDIA` (OFF) Use QtMultimedia for camera support +- `YUZU_USE_QT_WEB_ENGINE` (OFF) Use QtWebEngine for web applet implementation (requires the huge QtWebEngine dependency; not recommended) +- `USE_DISCORD_PRESENCE` (OFF) Enables Discord Rich Presence (Qt frontend only) + +### Retired Options + +The following options were a part of Eden at one point, but have since been retired. + +- `ENABLE_OPENSSL` - MbedTLS was fully replaced with OpenSSL in [#3606](https://git.eden-emu.dev/eden-emu/eden/pulls/3606), because OpenSSL straight-up performs better. +- `ENABLE_SDL2` - While technically possible to *not* use SDL2 on desktop, this is **NOT** a supported configuration under any means, and adding this matrix to our build system was not worth the effort. +- `YUZU_USE_CPM` - This option once had a purpose, but that purpose has long since passed us by. *All* builds use CPMUtil to manage dependencies now. + - If you want to *force* the usage of system dependencies, use `-DCPMUTIL_FORCE_SYSTEM=ON`. + +See `src/dynarmic/CMakeLists.txt` for additional options--usually, these don't need changed diff --git a/docs/README.md b/docs/README.md index 5af1ac8345..4ea532be8e 100644 --- a/docs/README.md +++ b/docs/README.md @@ -1,8 +1,11 @@ # Eden Build Documentation +Are you just a casual user? Take a look at our [User Handbook](./user) then! + This contains documentation created by developers. This contains build instructions, guidelines, instructions/layouts for [cool stuff we made](./CPMUtil), and more. - **[General Build Instructions](Build.md)** +- **[CMake Options](Options.md)** - **[Cross Compiling](CrossCompile.md)** - **[Development Guidelines](Development.md)** - **[Dependencies](Deps.md)** @@ -10,7 +13,6 @@ This contains documentation created by developers. This contains build instructi - **[CPM - CMake Package Manager](./CPMUtil)** - **[Platform-Specific Caveats](Caveats.md)** - **[The NVIDIA SM86 (Maxwell) GPU](./NvidiaGpu.md)** -- **[User Handbook](./user)** - **[Dynarmic](./dynarmic)** - **[Cross compilation](./CrossCompile.md)** - **[Driver Bugs](./DriverBugs.md)** diff --git a/docs/SIGNUP.md b/docs/SIGNUP.md index 6995db6d9a..5e5f7cebf6 100644 --- a/docs/SIGNUP.md +++ b/docs/SIGNUP.md @@ -18,7 +18,7 @@ First of all, you MUST have a valid reason to sign up for our Git. Valid reasons The following are not valid reasons to sign up: - I want to contribute to Eden. - * Be at least somewhat specific! + * Be at least somewhat specific! We always welcome contributors and developers, but generic "I want to contribute" messages don't give us enough information. - I want to support Eden. * If you wish to support us through development, be more specific; otherwise, to support us, check out our [donations page](https://eden-emu.dev/donations). - I want to report issues. @@ -41,17 +41,36 @@ Email: I wish to sign up because... ``` -Email notifications are disabled for the time being, so you don't have to use a real email. If you wish to remain anonymous, either send a separate email asking for access to a shared anonymous account, *or* create a fake username and email. +Email notifications are disabled for the time being, so you don't have to use a real email. If you wish to remain anonymous, either send a separate email asking for access to a shared anonymous account, *or* create a fake username and email. Do note that the email you sign up with is used to accredit commits on the web UI, and *must* match your configured GPG key. + +## Patches + +In general, PRs are the preferred method of tracking patches, as they allow us to go through our standard triage, CI, and testing process without having to deal with the minutiae of incremental patches. However, we also understand that many people prefer to use raw patches, and that's totally okay! While we currently don't have a mailing list, we do accept email patches. To do so: + +1. Make your changes on a clean copy of the master branch +2. Commit your changes with a descriptive, well-formed message (see the [commit message docs](https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/Development.md#pull-requests)), and a proper description thoroughly explaining your changes. + * Note that we don't need to know all the individual details about your code. A description explaining the motivation and general implementation of your changes is enough, alongside caveats and any potential blockers. +3. Format your patch with `git format-patch -1 HEAD`. +4. Email us with the subject `[Eden] [PATCH] `, with a brief description of your patch, and the previously-formatted patch file as an attachment. + * If you don't include the first two bracketed parts, your email may be lost! + +The following emails are currently set up to receive and process patches: + +- [eden@eden-emu.dev](mailto:eden@eden-emu.dev] +- [crueter@eden-emu.dev](mailto:eden@eden-emu.dev) ## Instructions If you have read everything above and affirm that you will not abuse your access, click the summary below to get the email to send your request to.
-I affirm that I have read ALL of the information above, and will not abuse my access to Eden, nor will I send unnecessary spam requests or the following email. +I affirm that I have read ALL of the information above, and will not abuse my access to Eden, nor will I send unnecessary spam to the following email. Email [crueter@crueter.xyz](mailto:crueter@crueter.xyz) with the format above. Once your request is processed, you should receive a confirmation email from crueter with your password alongside a link to a repository containing instructions on SSH, etc. Note that you are required to change your password. If your request is rejected, you will receive a notice as such, asking for clarification if needed. If you do not receive a response in 48 hours, you may send another email. -
\ No newline at end of file +> [!WARNING] +> Some email providers may place the response email in your spam/junk folder; notable offenders include Gmail and Outlook. *Always* ensure to check your Spam/Junk folder, until Google/Microsoft finally end their vendetta against the great evil of my `.xyz` domain. + + diff --git a/docs/dynarmic/PowerPC.md b/docs/dynarmic/PowerPC.md new file mode 100644 index 0000000000..d625bb30fa --- /dev/null +++ b/docs/dynarmic/PowerPC.md @@ -0,0 +1,8 @@ +# PowerPC 64 backend + +The ppc64 backend currently only supports the little endian variant, with big endian support being experimental for the time being. Additionally only A32 is supported (for now). + +- Flag handling: Flags are emulated via software, while there may be some funny tricks with the CTR, I'd rather not bother - plus it's widely known that those instructions are not nice on real metal - so I would rather take the i-cache cost. +- 128-bit atomics: No 128-bit atomic support is provided, this may cause wrong or erroneous execution in some contexts. + +To handle endianess differences all 16/32/64-bit loads and stores to the "emulated memory" are byteswapped beforehand. diff --git a/docs/dynarmic/README.md b/docs/dynarmic/README.md index bfba7c9cb0..3020d9105c 100644 --- a/docs/dynarmic/README.md +++ b/docs/dynarmic/README.md @@ -35,6 +35,7 @@ There are no plans to support v1 or v2. * x86-64 * AArch64 +* PowerPC 64 (POWER 4 and up) There are no plans to support any 32-bit architecture. @@ -50,6 +51,7 @@ Documentation ------------- Design documentation can be found at [./Design.md](./Design.md). +PowerPC design documentation can be found at [./PowerPC](./PowerPC.md). Usage Example diff --git a/docs/policies/AI.md b/docs/policies/AI.md index 1618420a11..719548f4c8 100644 --- a/docs/policies/AI.md +++ b/docs/policies/AI.md @@ -17,7 +17,9 @@ AI is notorious for hallucinating facts out of thin air and sometimes outright l - Code that works, but is extraordinarily verbose or not nearly as efficient as it can be - Code that works well and is written well, but solves a different problem than was intended, or solves the same problem but in a completely incorrect way that will break other things horribly. -Human-written code will, without exception, always be of infinitely higher quality when properly researched and implemented by someone both familiar with the surrounding code and the programming language in use. LLMs may produce a "good enough" result, but this result is often subpar. Keep in mind: all code is held under a standard of excellence. If your code sucks, it will be rejected. AI-generated code just so happens to be a particularly sucky genre of code, and will thus be held to this same standard. +Human-written code will, without exception, always be of infinitely higher quality when properly researched and implemented by someone familiar with *both* the surrounding code and the programming language in use. LLMs may produce a "good enough" result, but this result is often subpar. + +**All code is held under a STRICT STANDARD OF EXCELLENCE**. AI code is no different, and since it often produces subpar or outright terrible code, it will often fail to meet this excellence standard. On a lesser-known note, LLM outputs often contain unicode symbols such as emojis or the arrow symbol. Please don't put Unicode symbols in your code. It messes with many an IDE, and the three people viewing your code on Lynx will be very unhappy. @@ -25,7 +27,8 @@ On a lesser-known note, LLM outputs often contain unicode symbols such as emojis ## Acceptable Use -- As stated previously, AI is good in a few *very specific* cases. In these cases, it's usually fine to use AI, as long as you **explicitly provide notice that it was used**. +As stated previously, AI is good in a few *very specific* cases. In these cases, it's usually fine to use AI, as long as you **explicitly provide notice that it was used**. + - Anything directly outside of the realm of the code written in your PR or patch is none of our business. - This primarily covers research. - However, we *still* strongly discourage this for the reasons mentioned above. @@ -104,4 +107,6 @@ This consolidates profile removal behavior, fixes potential race conditions in t This has all of the same problems as the other one. Needlessly verbose, doesn't address *what* it actually fixes ("consolidates profile removal behavior"... okay, why? What does it fix?), etc. It even has the bonus of totally hallucinating the addition of a method! +On a more "philosophical" note, LLMs tend to be geared towards *corporate language*, as that's what they're trained on. This is why AI-generated commit messages feel like "word salad", and typically pad out the commit message to make it *look* like a lot of things were changed (trust me, it's like that in the corporate world). They typically also drift towards unneeded buzzwords and useless implementation details. + **Don't use AI for commit messages**. diff --git a/docs/user/AddGamesToSRM.md b/docs/user/AddGamesToSRM.md deleted file mode 100644 index 433999c9b6..0000000000 --- a/docs/user/AddGamesToSRM.md +++ /dev/null @@ -1,100 +0,0 @@ -# Importing Games into Steam with Steam Rom Manager - -Use this when you want to import your games inside Eden into Steam to launch with artwork from Steam Game Mode without needing to launch Eden first. - -**Click [Here](https://evilperson1337.notion.site/Importing-Games-into-Steam-with-Steam-Rom-Manager-2b757c2edaf680d7a491c92b138f1fcc) for a version of this guide with images & visual elements.** - ---- - -### Pre-Requisites - -- Steam Deck Set up and Configured -- Eden set up and Configured -- Internet Access - ---- - -## Steps - -1. Press the **STEAM** button and then go to *Power → Switch to Desktop* to enter the Desktop mode. - -1. Install ***Steam ROM Manager***, there are 2 ways you can accomplish this, either manually or through [*EmuDeck*](https://www.emudeck.com/#downloads). - - --- - - ### Manual Installation - - 1. Open the *Discover Store* and search for *Steam ROM Manager.* - 2. Select the **Install** button to install the program. - - --- - - ### Installing Through *EmuDeck* - - - - 1. Open **EmuDeck**, then navigate to *Manage Emulators.* - 2. Scroll down to the bottom of the page to the *Manage your Tools & Frontends* section. Click **Steam ROM Manager**. - - 3. Click the **Install** button on the right hand side to install it. - - --- - -2. Open the Start Menu and Launch ***Steam ROM Manager*** - -1. The program will now launch and show you a window with parsers. - - - -2. Switch off all Parsers by hitting the *Toggle Parsers* switch. -3. Scroll down the list on the left-hand side and look for a parser called *Nintendo Switch - Eden* and switch it on. This parser may not exist depending on how you installed *Steam ROM Manager* (EmuDeck creates it for you). Follow these steps to create it if it is missing. - - --- - ### Creating the Eden Parser - - 1. Select Create Parser and in the *Community Presets* option look for **Nintendo Switch - Yuzu**. - 2. Change the **Parser title** from *Nintendo Switch - Yuzu* to *Nintendo Switch - Eden.* - 3. Hit the **Browse** option under the *ROMs directory* section. Select the directory containing your Switch ROMs. - 4. Under *Steam collections*, you can add a Steam category name. This just organizes the games under a common category in your Steam Library, this is optional but recommended. - 5. Scroll down slightly to the **Executable Configuration → Executable**, select **Browse** and select the Eden AppImage. - 6. Leave everything else the same and hit **Save** to save the parser. - --- - -4. Click the Eden parser to view the options on the right, select **Test** at the bottom of the screen to ensure that *Steam ROM Manager* detects your games correctly. -1. *Steam ROM Manager* will start to scan the specified ROMs directory and match them to games. Look over the results to ensure they are accurate. If you do not see any entries - check your parsers ROMs directory field. -1. When you are happy with the results, click the **Add Games** → **Parse** to start the actual Parsing. -1. The program will now identify the games and pull artwork from [*SteamGridDB*](https://www.steamgriddb.com/). -2. Review the game matches and ensure everything is there. - - --- - - ### Correcting a Mismatch - - If the game is not identified correctly, you may need to tell *Steam ROM Manager* what the game is manually. - - 1. Hover over the game card and click the magnifying glass icon. - 2. Search for the game on the *Search SteamGridDB* section and scroll through the results, selecting the one you want. - 3. Ensure the *Name* and *Game ID* update in the **Per-App Exceptions** and press **Save and close**. The game should now update. - - --- - - ### Excluding Matches - - You may want to tell Steam ROM Manager to ignore some files (updates/DLC/etc.) that it finds in the directory. This is how you do so. - - 1. Hit the **Exclude Games** button in the bottom right. - 2. Deselect the game you want to exclude, the poster artwork should go dim and the **Number Excluded** number should increment up. Repeat with any other exclusions you want to add. - 3. Hit **Save Excludes** when you are happy with your selections. - --- -3. When you are happy with the results, select **Save to Steam** to save the results. -1. The program will now start writing the entries into the Steam Library. You should get pop up notifications of the progress, but you can monitor the progress by selecting the **Log** on the left-hand side if needed. -2. Restart Steam to have the changes take effect. Check your library to ensure that your games are there, in a category if you defined one in the parser. -3. Try to launch a game and ensure everything is working. You are now good to go. \ No newline at end of file diff --git a/docs/user/AlterDateTime.md b/docs/user/AlterDateTime.md index 43bd3ed7b1..aeffa1a548 100644 --- a/docs/user/AlterDateTime.md +++ b/docs/user/AlterDateTime.md @@ -1,6 +1,6 @@ # Setting a Custom Date/Time in Eden -Use this guide whenever you want to modify the Date or Time that Eden reports to games. This can be useful for modifying RNG elements, skipping wait times in games, etc. +Use this guide whenever you want to modify the Date or Time that Eden reports to games. This can be useful for modifying RNG elements, skipping wait times in games, etc. **Click [Here](https://evilperson1337.notion.site/Setting-a-Custom-Date-Time-in-Eden-2b357c2edaf680acb8d4e63ccc126564) for a version of this guide with images & visual elements.** @@ -16,5 +16,5 @@ Use this guide whenever you want to modify the Date or Time that Eden reports to 1. Navigate to *Emulation → Configure*. 2. Click on the **System** item on the left-hand side navigation, then check the *Custom RTC Date* box. -3. The Date/Time option now becomes editable. Set it to the value you want and hit **OK**. -4. GREAT SCOTT! We have time traveled! You can of course go forward or backward in time (as long as it is not before the year 1970) and your game should update accordingly (e.g. certain *Super Mario Odyssey* moons that take time for flowers to grow will now be fully grown.). \ No newline at end of file +3. The Date/Time option now becomes editable. Set it to the value you want and hit **OK**. +4. GREAT SCOTT! We have time traveled! You can of course go forward or backward in time (as long as it is not before the year 1970) and your game should update accordingly (e.g. certain *Super Mario Odyssey* moons that take time for flowers to grow will now be fully grown.). \ No newline at end of file diff --git a/docs/user/Basics.md b/docs/user/Basics.md index 5101f4d9c3..794a0935d5 100644 --- a/docs/user/Basics.md +++ b/docs/user/Basics.md @@ -16,6 +16,15 @@ The CPU must support FMA for an optimal gameplay experience. The GPU needs to su If your GPU doesn't support or is just behind by a minor version, see Mesa environment variables below (*nix only). +## Releases and versions + +- Stable releases/Versioned releases: Has a version number and it's the versions we expect 3rd party repositories to host (package managers and such), these are, well, stable, have low amount of regressions (wrt. to master and nightlies) and generally focus on "keeping things without regressions", recommended for the average user. + - RC releases: Release candidate, generally "less stable but still stable" versions. + - Full release: "The stablest possible you could get". +- Nightly: Builds done around 2PM UTC (if there are any changes), generally stable, but not recommended for the average user. These contain daily updates and may contain critical fixes for some games. +- Master: Unstable builds, can lead from a game working exceptionally fine to absolute crashing in some systems because someone forgot to check if NixOS or Solaris worked. These contain straight from the oven fixes, please don't use them unless you plan to contribute something! They're very experimental! Still 95% of the time it will work just fine. +- PR builds: Highly experimental builds, testers may grab from these. The average user should treat them the same as master builds, except sometimes they straight up don't build/work. + ## User configuration ### Configuration directories diff --git a/docs/user/CFW.md b/docs/user/CFW.md new file mode 100644 index 0000000000..ea224d3d36 --- /dev/null +++ b/docs/user/CFW.md @@ -0,0 +1,11 @@ +# User Handbook - Custom Firmware (CFW) + +At the moment of writing, we do not support CFW such as Atmosphere, due to: + +- Lacking the required LLE emulation capabilities to properly emulate the full firmware. +- Lack of implementation on some of the key internals. +- Nobody has bothered to do it (PRs always welcome!) + +We do however, maintain HLE compatibility with the former mentioned CFW, applications that require Atmosphere to run will run fine in the emulator without any adjustments. + +If they don't run - then that's a bug! diff --git a/docs/user/CommandLine.md b/docs/user/CommandLine.md index 4b3a5bdf58..cd98d88b19 100644 --- a/docs/user/CommandLine.md +++ b/docs/user/CommandLine.md @@ -7,6 +7,7 @@ There are two main applications, an SDL2 based app (`eden-cli`) and a Qt based a - `-g `: Alternate way to specify what to load, overrides. However let it be noted that arguments that use `-` will be treated as options/ignored, if your game, for some reason, starts with `-`, in order to safely handle it you may need to specify it as an argument. - `-f`: Use fullscreen. - `-u `: Select the index of the user to load as. +- `-input-profile `: Specifies input profile name to use (for player #0 only). - `-qlaunch`: Launch QLaunch. - `-setup`: Launch setup applet. @@ -20,3 +21,4 @@ There are two main applications, an SDL2 based app (`eden-cli`) and a Qt based a - `--program/-p`: Specify the program arguments to pass (optional). - `--user/-u`: Specify the user index. - `--version/-v`: Display version and quit. +- `--input-profile/-i`: Specifies input profile name to use (for player #0 only). diff --git a/docs/user/ControllerProfiles.md b/docs/user/ControllerProfiles.md deleted file mode 100644 index 3b4898f447..0000000000 --- a/docs/user/ControllerProfiles.md +++ /dev/null @@ -1,49 +0,0 @@ -# Configuring Controller Profiles - -Use this guide for when you want to configure specific controller settings to be reused. - -**Click [Here](https://evilperson1337.notion.site/Configuring-Controller-Profiles-2be57c2edaf680eabc3ac8c333ec75c4) for a version of this guide with images & visual elements.** - ---- - -### Pre-Requisites - -- Eden Set Up and Configured - ---- - -### Steps -1. Launch Eden and wait for it to load. -2. Navigate to *Emulation > Configure…* -3. Select **Controls** from the left-hand menu and configure your controller for the way you want it to be in game. -4. Select **New** and enter a name for the profile in the box that appears. Press **OK** to save the profile settings. -5. Select **OK** to close the settings menu. - -## Setting Controller Profiles By Game - -Use this guide when you want to set up specific controller profiles for specific games. This can be useful for certain games like *Captain Toad Treasure Tracker* where a blue dot appears in the middle of the screen when you have docked mode enabled, but not handheld mode. - -**Click [Here](https://evilperson1337.notion.site/Setting-Controller-Profiles-By-Game-2b057c2edaf681658a57f0c199cb6083) for a version of this guide with images & visual elements.** - ---- - -### Pre-Requisites - -- Eden Emulator set up and fully configured -- Controller Profile Created - - See [*Configuring Controller Profiles*](./ControllerProfiles.md) for instructions on how to do this if needed. - ---- - -### Steps - -1. *Right-Click* the game you want to apply the profile to in the main window and select **Properties.** -2. Navigate to the **Input Profiles** tab in the window that appears. Drop down on *Player 1 profile* (or whatever player profile you want to apply it to) and select the profile you want. - - -1. Click **OK** to apply the profile mapping. -2. Launch the game and confirm that the profile is applied, regardless of what the global configuration is. diff --git a/docs/user/Controllers.md b/docs/user/Controllers.md new file mode 100644 index 0000000000..6aac9056ff --- /dev/null +++ b/docs/user/Controllers.md @@ -0,0 +1,65 @@ +# User Handbook - Controllers + +Most of the controls should work out of the box. If not, please use a joystick calibrator to ensure it's not an issue with your own controller, for example: + +- https://github.com/dkosmari/calibrate-joystick + +## Using external controllers on the Steamdeck + +In desktop mode ignore your pro controller/xbox contoller external controller and use **Steam Virtual Gamepad 0 as Player 1**. If you have multiple external controllers set **Player 2 to Steam Virtual Gamepad 1**. Steam app must not be closed on desktop mode. + +Here's the annoying part of it. When waking up the steam deck from sleep try not to touch any button on the Steamdeck and turn on your external controller. Then open the Eden.AppImage. If you're lucky you can get your external controller to be position 0 and also Steam Virtual Gamepad 0 in desktop mode. If not that is ok too unless you need to configure player 1 to have gyro. You might need to repeat this to get your external controller as Steam Virtual Gamepad 0 so you can config Player 1 having gyro. You might be able to config player 1 to have gyro with the Steamdeck itself. Or you can also config player 1, 2, 3, etc, to have gyro somehow. Make sure they are all using Virtual Gamepads though. + +Turn off controller then go to gaming mode. Try not to touch any buttons on the physical Steamdeck. When in gaming mode turn on the external controller. If lucky it will be assigned as Steam Virtual Gamepad 0. If not just use steam Gamemode feature to rearrange controller positions order. + +Basically the Steamdeck or the external controller is fighting for position 0 and it depends on what is touched first after waking from sleep. + +## Configuring Controller Profiles + +Use this guide for when you want to configure specific controller settings to be reused. + +**Click [Here](https://evilperson1337.notion.site/Configuring-Controller-Profiles-2be57c2edaf680eabc3ac8c333ec75c4) for a version of this guide with images & visual elements.** + +--- + +#### Pre-Requisites + +- Eden Set Up and Configured + +--- + +#### Steps +1. Launch Eden and wait for it to load. +2. Navigate to *Emulation > Configure…* +3. Select **Controls** from the left-hand menu and configure your controller for the way you want it to be in game. +4. Select **New** and enter a name for the profile in the box that appears. Press **OK** to save the profile settings. +5. Select **OK** to close the settings menu. + +### Setting Controller Profiles By Game + +Use this guide when you want to set up specific controller profiles for specific games. This can be useful for certain games like *Captain Toad Treasure Tracker* where a blue dot appears in the middle of the screen when you have docked mode enabled, but not handheld mode. + +**Click [Here](https://evilperson1337.notion.site/Setting-Controller-Profiles-By-Game-2b057c2edaf681658a57f0c199cb6083) for a version of this guide with images & visual elements.** + +--- + +#### Pre-Requisites + +- Eden Emulator set up and fully configured +- Controller Profile Created + - See [*Configuring Controller Profiles*](./ControllerProfiles.md) for instructions on how to do this if needed. + +--- + +#### Steps + +1. *Right-Click* the game you want to apply the profile to in the main window and select **Properties.** +2. Navigate to the **Input Profiles** tab in the window that appears. Drop down on *Player 1 profile* (or whatever player profile you want to apply it to) and select the profile you want. + + +1. Click **OK** to apply the profile mapping. +2. Launch the game and confirm that the profile is applied, regardless of what the global configuration is. diff --git a/docs/user/Graphics.md b/docs/user/Graphics.md index e1e13a777d..ad359b9049 100644 --- a/docs/user/Graphics.md +++ b/docs/user/Graphics.md @@ -1,5 +1,7 @@ # User Handbook - Graphics +Graphical enhancements and visual quality improvments. This doesn't cover texture mods. + ## Visual Enhancements ### Anti-aliasing @@ -89,7 +91,7 @@ The OpenGL backend would invoke behaviour that would result in swarst/LLVMpipe w ### HaikuOS compatibility -HaikuOS bundles a Mesa library that doesn't support full core OpenGL 4.6 (required by the emulator). This leads to HaikuOS being one of the few computer platforms where Vulkan is the only available option for users. If OpenGL is desired, Mesa has to be built manually from source. For debugging purpouses `lavapipe` is recommended over the GPU driver; there is in-kernel support for NVIDIA cards through. +HaikuOS bundles a Mesa library that doesn't support full core OpenGL 4.6 (required by the emulator). This leads to HaikuOS being one of the few computer platforms where Vulkan is the only available option for users. If OpenGL is desired, Mesa has to be built manually from source. For debugging purposes `lavapipe` is recommended over the GPU driver; there is in-kernel support for NVIDIA cards through. ### Fixes for Windows 10 and above having "Device loss" diff --git a/docs/user/Mods.md b/docs/user/Mods.md new file mode 100644 index 0000000000..11361d628c --- /dev/null +++ b/docs/user/Mods.md @@ -0,0 +1,206 @@ +# User Handbook - Installing Mods + +## General Notes + +**Note:** When installing a mod, always read the mod's installation instructions. + +This is especially important if a mod uses a framework such as **ARCropolis**, **Skyline**, or **Atmosphere plugins**. In those cases, follow the framework's instructions instead of using Eden's normal mod folder. + +For example, **Super Smash Bros. Ultimate** uses such a framework. See the related section below for details. + +--- + +# Installing Mods for Most Games + +1. Right click a game in the game list. +2. Click **"Open Mod Data Location"**. +3. Extract the mod into that folder. + +Each mod should be placed inside **its own subfolder**. + +--- + +# Enabling or Disabling Mods + +1. Right click the game in the game list. +2. Click **Configure Game**. +3. In the **Add-Ons** tab, enable or disable mods, updates, and DLC by ticking or unticking their boxes. + +--- + +# Important Note About SD Card Paths + +Some mods are designed for real Nintendo Switch consoles and refer to the **SD card root**. + +The emulated SD card is located at: + +``` +%AppData%\eden\sdmc +``` + +Example: + +``` +Switch instruction: sd:/ultimate/mods +Eden equivalent: sdmc/ultimate/mods +``` + +--- + +# Framework-Based Mods (Super Smash Bros. Ultimate) + +Some games require external mod frameworks instead of the built-in mod loader. + +The most common example is **Super Smash Bros. Ultimate**. + +These mods are installed directly to the **emulated SD card**, not the normal Eden mod folder. + +--- + +# Installing the ARCropolis Modding Framework + +**Note:** Some mod packs bundle ARCropolis with their installer (for example, Smash Ult-S). + +--- + +## 1. Download ARCropolis + +Download the latest release: + +https://github.com/Raytwo/ARCropolis/releases/ + +--- + +## 2. Install ARCropolis + +Extract the **`atmosphere`** folder into: + +``` +%AppData%\eden\sdmc +``` + +This is the **emulated SD card directory**. + +Verify installation by checking that the following file exists: + +``` +sdmc\atmosphere\contents\01006A800016E000\romfs\skyline\plugins\libarcropolis.nro +``` + +--- + +## 3. Download Skyline + +Download the latest Skyline release: + +https://github.com/skyline-dev/skyline/releases + +Skyline used to be bundled with ARCropolis but is now distributed separately to avoid compatibility issues caused by outdated bundled versions. + +--- + +## 4. Install Skyline + +Extract the **`exefs`** folder into: + +``` +sdmc\atmosphere\contents\01006A800016E000 +``` + +The `exefs` folder should be **next to the `romfs` folder**. + +Verify installation by checking that the following file exists: + +``` +%AppData%\eden\sdmc\atmosphere\contents\01006A800016E000\exefs\subsdk9 +``` + +--- + +## 5. Launch the Game Once + +Start the game and make sure you see the **ARCropolis version text on the title screen**. + +This will also create the folders required for installing mods. + +--- + +## 6. Install Smash Ultimate Mods + +Install mods inside: + +``` +sdmc\ultimate\mods +``` + +Each mod must be placed inside **its own subfolder**. + +Example: + +``` +sdmc\ultimate\mods\ExampleMod +``` + +--- + +# Troubleshooting + +## ARCropolis text does not appear on startup + +Check the following: + +- `libarcropolis.nro` exists in: + +``` +sdmc\atmosphere\contents\01006A800016E000\romfs\skyline\plugins +``` + +- `subsdk9` exists in: + +``` +sdmc\atmosphere\contents\01006A800016E000\exefs +``` + +- Files were extracted to: + +``` +%AppData%\eden\sdmc +``` + +--- + +## Mods are not loading + +Make sure mods are installed inside: + +``` +sdmc\ultimate\mods +``` + +Each mod must have its **own subfolder**. + +Correct example: + +``` +sdmc\ultimate\mods\ExampleMod +``` + +Incorrect example: + +``` +sdmc\ultimate\mods\ExampleMod\ExampleMod +``` + +--- + +## Installing mods in the wrong folder + +ARCropolis mods **do not go in Eden's normal mod folder**. + +Do **not** install Smash mods here: + +``` +user\load\01006A800016E000 +``` + +That folder is only used for traditional **RomFS mods**, not ARCropolis. diff --git a/docs/user/README.md b/docs/user/README.md index 5fd3a17e51..c1c4cd200a 100644 --- a/docs/user/README.md +++ b/docs/user/README.md @@ -4,35 +4,48 @@ The "FAQ". This handbook is primarily aimed at the end-user - baking useful knowledge for enhancing their emulation experience. +A copy of this handbook is [available online](https://git.eden-emu.dev/eden-emu/eden/src/branch/master/docs/user/README.md). + ## Basics - **[The Basics](Basics.md)** - **[Quickstart](./QuickStart.md)** -- **[Run On macOS](./RunOnMacOS.md)** +- **[Settings](./Settings.md)** +- **[Controllers](./Controllers.md)** + - **[Controller profiles](./Controllers.md#configuring-controller-profiles)** - **[Audio](Audio.md)** - **[Graphics](Graphics.md)** +- **[Installing Mods](./Mods.md)** +- **[Run On macOS](./RunOnMacOS.md)** - **[Data, Savefiles and Storage](Storage.md)** - **[Orphaned Profiles](Orphaned.md)** - **[Troubleshooting](./Troubleshoot.md)** - **[Using Amiibo](./UsingAmiibo.md)** - **[Using Cheats](./UsingCheats.md)** - **[Importing Saves](./ImportingSaves.md)** -- **[Add Eden to Steam ROM Manager](./AddEdenToSRM.md)** -- **[Add Games to Steam ROM Manager](./AddGamesToSRM.md)** - **[Installing Atmosphere Mods](./InstallingAtmosphereMods.md)** - **[Installing Updates & DLCs](./InstallingUpdatesDLC.md)** -- **[Controller Profiles](./ControllerProfiles.md)** - **[Alter Date & Time](./AlterDateTime.md)** +## 3rd-party Integration + +- **[Configuring Steam ROM Manager](./SteamROM.md)** +- **[Server hosting](ServerHosting.md)** +- **[Syncthing Guide](./SyncthingGuide.md)** +- **[Third Party](./ThirdParty.md)** + - **[Obtainium](./ThirdParty.md#configuring-obtainium)** + - **[ES-DE](./ThirdParty.md#configuring-es-de)** + - **[Mirrors](./ThirdParty.md#mirrors)** + - **[GameMode](./ThirdParty.md#configuring-gamemode)** + ## Advanced +- **[Custom Firmware](./CFW.md)** - **[How To Access Logs](./HowToAccessLogs.md)** - **[Gyro Controls](./GyroControls.md)** - **[Platforms and Architectures](Architectures.md)** -- **[Server hosting](ServerHosting.md)** - **[Command Line](CommandLine.md)** - **[Native Application Development](Native.md)** - **[Adding Boolean Settings Toggles](AddingBooleanToggles.md)** - **[Adding Debug Knobs](./AddingDebugKnobs.md)** -- **[Syncthing Guide](./SyncthingGuide.md)** - **[Testing](Testing.md)** diff --git a/docs/user/RunOnMacOS.md b/docs/user/RunOnMacOS.md index e01bf0253d..2729e13ced 100644 --- a/docs/user/RunOnMacOS.md +++ b/docs/user/RunOnMacOS.md @@ -1,4 +1,12 @@ -# Allowing Eden to Run on MacOS +# User Handbook - Run on macOS + +Current macOS support is still experimental and very reliant on MoltenVK developments, plans have shifted to properly provide support for KosmicKrisp and similar new GPU endeavours, but macOS users still are bound to MoltenVK itself. + +Users of macOS may wish to use [Asahi Linux](https://wiki.gentoo.org/wiki/Project:Asahi/Guide) for the rising KosmicKrisp support. + +As of writing, neither macOS nor Asahi has support for NCE; additionally Asahi has extraneous paging bugs with fastmem. + +## Allowing Eden to Run on MacOS Use this guide when you need to allow Eden to run on a Mac system, but are being blocked by Apple Security policy. @@ -6,19 +14,19 @@ Use this guide when you need to allow Eden to run on a Mac system, but are being --- -### Pre-Requisites +#### Pre-Requisites - Permissions to modify settings in MacOS --- -## Why am I Seeing This? +### Why am I Seeing This? Recent versions of MacOS (Catalina & newer) introduced the **Gatekeeper** security functionality, requiring software to be signed by Apple or a trusted (aka - paying) developer. If the signature isn’t on the list of trusted ones, it will stop the program from executing and display the message above. --- -## Steps +### Steps 1. Open the *System Settings* panel. 2. Navigate to *Privacy & Security*. diff --git a/docs/user/Settings.md b/docs/user/Settings.md new file mode 100644 index 0000000000..9153a27e4d --- /dev/null +++ b/docs/user/Settings.md @@ -0,0 +1,53 @@ +# User Handbook - Settings + +As the emulator continues to grow, so does the number of settings that come and go. + +Most of the development adds new settings that enhance performance/compatibility, only to be removed later in newer versions due to newfound discoveries or because they were "a hacky workaround". + +As such, this guide will NOT mention those kind of settings, we'd rather mention settings which have a long shelf time (i.e won't get removed in future releases) and are likely to be unchanged. + +Some of the options are self explainatory, and they do exactly what they say they do (i.e "Pause when not in focus"); such options will be also skipped due to triviality. + +## Foreword + +Before touching the settings, please see the game boots with stock options. We try our best to ensure users can boot any game using the default settings. If they don't work, then you may try fiddling with options - but please, first use stock options. + +## General + +- `General/Force X11 as Graphics Backend`: Wayland on *NIX has prominent issues that are unlikely to be resolved; the kind that are "not our fault, it's Wayland issue", this "temporary" hack forces X11 as the backend, regardless of the desktop manager's default. +- `General/Enable Gamemode`: This only does anything when you have Feral Interactive's Gamemode library installed somewhere, if you do, this will help boost FPS by telling the OS to explicitly prioritize *this* application for "gaming" - only for *NIX systems. +- `Hotkeys`: Deceptively to remove a hotkey you must right click and a menu will appear to remove that specific hotkey. +- `UI/Language`: Changes language *of the interface* NOT the emulated program! +- `Debug/Enable Auto Stub`: May help to "fix" some games by just lying and saying that everything they do returns "success" instead of outright crashing for any function/service that is NOT implemented. +- `Debug/Show log in console`: Does as said, note that the program may need to be reopened (Windows) for changes to take effect. +- `Debug/Flush log output`: Classically, every write to the log is "buffered", that is, changes aren't written to the disk UNTIL the program has decided it is time to write, until then it keeps data in a buffer which resides on RAM. If the program crashes, the OS will automatically discard said buffer (any RAM associated with a dead process is automatically discarded/reused for some other purpose); this means critical data may not be logged to the disk on time, which may lead to missing log lines. Use this if you're wanting to remove that factor when debugging, sometimes a hard crash may "eat" some of the log lines IF this option isn't enabled. +- `Debug/Disable Macro HLE:` The emulator has HLE emulation of macro programs for Maxwell, this means that some details are purpousefully skipped; this option forces all macro programs to be ran without skipping anything. + +## System + +- `System/RNG Seed`: Set to 0 (and uncheck) to disable ASLR systemwide (this makes mods like CTGP to stop working); by default it enables ASLR to replicate console behaviour. +- `Network/Enable Airplane Mode`: Enable this if a game is crashing before loading AND the logs mention anything related to "web" or "internet" services. + +## CPU + +- `CPU/Virtual table bouncing`: Some games have the tendency to crash on loading due to an indirect bad jump (Pokemon ZA being the worst offender); this option lies to the game and tells it to just pretend it never executed a given function. This is fine for most casual users, but developers of switch applications **must** disable this. This temporary "hack" should hopefully be gone in 6-7 months from now on. +- `Fastmem`, aka. `CPU/Enable Host MMU`: Enables "fastmem"; a detailed description of fastmem can be found [here](../dynarmic/Design.md#fast-memory-fastmem). +- `CPU/Unsafe FMA`: Enables deliberate innacurate FMA behaviour which may affect how FMA returns any given operation - this may introduce tiny floating point errors which can cascade in sensitive code (i.e FFmpeg). +- `CPU/Faster FRSQRTE and FRECPE`: Introduces accuracy errors on square root and reciprocals in exchange for less checks - this introduces inaccuracies with some cases but it's mostly safe. +- `CPU/Faster ASIMD Instructions`: Skips rounding mode checks for ARM ASIMD instructions - this means some code dpeending on these rounding modes may misbehave. +- `CPU/Disable address space checks`: Before each memory access, the emulator checks the address is in range, if not it faults; this option makes it so the emulator skips the check entirely (which may be expensive for a myriad of reasons). However at the same time this allows the guest program to "break out" of the emulation context by writing to arbitrary addresses. +- `CPU/Ignore global monitor`: This relies on a quirk present on x86 to avoid the ARM global monitor emulation, this may increase performance in mutex-heavy contexts (i.e games waiting for next frames or such); but also can cause deadlocks and fun to debug issues. + +It is important to note the majority of precision-reducing instructions do not benefit cases where they are not used, which means the performance gains will vary per game. + +# Graphics + +See also [an extended breakdown of some options](./Graphics.md). + +- `Extras/Extended Dynamic State` and `Extras/Vertex Input Dynamic State`: These Vulkan extensions essentially allow you to reuse the same pipeline but just change the state between calls (so called "dynamic state"); the "extended" levels signifies how much state can be placed on this "dynamic" range, for example the amount of depth culling to use can be placed on the dynamic state, avoiding costly reloads and flushes. While this by itself is a fine option, SOME vendors (notably PowerVR and Mali) have problems with anything related to EDS3. EDS3 contains EDS2, and EDS2 contains EDS1. Essentially this means more extended data the driver has to keep track of, at the benefit of avoiding costly flushes. +- `Advanced/Use persistent cache`: This saves compiled shaders onto the disk, independent of any driver's own disk saved shaders (yes, some drivers, notably NVIDIA, save a secondary shader cache onto disk) - disable this only if you're debugging or working on the GPU backend. This option is meant to massively help to reduce shader stutters (after playing for one session that compiles them). +- `Advanced/Use Vulkan pipeline cache`: This is NOT the same as `Use persistent cache`; it's a separate flag that tells the Vulkan backend to create pipeline caches, which are a detail that can be used to massively improve performance and remove pipeline creation overhead. This is a Vulkan feature. + +## Controls + +See [controllers](./Controllers.md). diff --git a/docs/user/AddEdenToSRM.md b/docs/user/SteamROM.md similarity index 50% rename from docs/user/AddEdenToSRM.md rename to docs/user/SteamROM.md index 4658bcf7e0..a782b51969 100644 --- a/docs/user/AddEdenToSRM.md +++ b/docs/user/SteamROM.md @@ -1,4 +1,6 @@ -# Importing Eden into Steam with Steam Rom Manager +# User Handbook - Configuring Steam ROM Manager + +## Importing Eden into Steam with Steam Rom Manager Use this when you want to import the Eden AppImage into your Steam Library along with artwork using *Steam ROM Manager.* @@ -6,7 +8,7 @@ Use this when you want to import the Eden AppImage into your Steam Library along --- -### Pre-Requisites +#### Pre-Requisites - Eden set up and configured - Internet Connection @@ -14,9 +16,9 @@ Use this when you want to import the Eden AppImage into your Steam Library along --- -## Steps +### Steps -### Initial Setup +#### Initial Setup 1. Press the **STEAM** button and then go to *Power → Switch to Desktop* to enter the Desktop mode. @@ -24,14 +26,14 @@ Use this when you want to import the Eden AppImage into your Steam Library along --- - ### Manual Installation + #### Manual Installation 1. Open the *Discover Store* and search for *Steam ROM Manager.* 2. Select the **Install** button to install the program. --- - ### Installing Through *EmuDeck* + #### Installing Through *EmuDeck*