diff --git a/.ci/scripts/android/build.sh b/.ci/scripts/android/build.sh
index a5fd1ee18..d135af029 100755
--- a/.ci/scripts/android/build.sh
+++ b/.ci/scripts/android/build.sh
@@ -8,8 +8,17 @@ ccache -s
BUILD_FLAVOR=mainline
+if [ ! -z "${ANDROID_KEYSTORE_B64}" ]; then
+ export ANDROID_KEYSTORE_FILE="${GITHUB_WORKSPACE}/ks.jks"
+ base64 --decode <<< "${ANDROID_KEYSTORE_B64}" > "${ANDROID_KEYSTORE_FILE}"
+fi
+
cd src/android
chmod +x ./gradlew
./gradlew "assemble${BUILD_FLAVOR}Release" "bundle${BUILD_FLAVOR}Release"
ccache -s
+
+if [ ! -z "${ANDROID_KEYSTORE_B64}" ]; then
+ rm "${ANDROID_KEYSTORE_FILE}"
+fi
diff --git a/.ci/scripts/android/upload.sh b/.ci/scripts/android/upload.sh
index cfaeff328..5f8ca73c0 100755
--- a/.ci/scripts/android/upload.sh
+++ b/.ci/scripts/android/upload.sh
@@ -13,15 +13,3 @@ cp src/android/app/build/outputs/apk/"${BUILD_FLAVOR}/release/app-${BUILD_FLAVOR
"artifacts/${REV_NAME}.apk"
cp src/android/app/build/outputs/bundle/"${BUILD_FLAVOR}Release"/"app-${BUILD_FLAVOR}-release.aab" \
"artifacts/${REV_NAME}.aab"
-
-if [ -n "${ANDROID_KEYSTORE_B64}" ]
-then
- echo "Signing apk..."
- base64 --decode <<< "${ANDROID_KEYSTORE_B64}" > ks.jks
-
- apksigner sign --ks ks.jks \
- --ks-key-alias "${ANDROID_KEY_ALIAS}" \
- --ks-pass env:ANDROID_KEYSTORE_PASS "artifacts/${REV_NAME}.apk"
-else
- echo "No keystore specified, not signing the APK files."
-fi
diff --git a/.ci/scripts/clang/docker.sh b/.ci/scripts/clang/docker.sh
index 51769545e..f878e24e1 100755
--- a/.ci/scripts/clang/docker.sh
+++ b/.ci/scripts/clang/docker.sh
@@ -19,6 +19,7 @@ cmake .. \
-DENABLE_COMPATIBILITY_LIST_DOWNLOAD=ON \
-DENABLE_QT_TRANSLATION=ON \
-DUSE_DISCORD_PRESENCE=ON \
+ -DYUZU_CRASH_DUMPS=ON \
-DYUZU_ENABLE_COMPATIBILITY_REPORTING=${ENABLE_COMPATIBILITY_REPORTING:-"OFF"} \
-DYUZU_USE_BUNDLED_FFMPEG=ON \
-GNinja
diff --git a/.ci/scripts/linux/docker.sh b/.ci/scripts/linux/docker.sh
index a16577b27..7bba01d62 100755
--- a/.ci/scripts/linux/docker.sh
+++ b/.ci/scripts/linux/docker.sh
@@ -23,6 +23,7 @@ cmake .. \
-DYUZU_ENABLE_COMPATIBILITY_REPORTING=${ENABLE_COMPATIBILITY_REPORTING:-"OFF"} \
-DYUZU_USE_BUNDLED_FFMPEG=ON \
-DYUZU_ENABLE_LTO=ON \
+ -DYUZU_CRASH_DUMPS=ON \
-GNinja
ninja
diff --git a/.ci/scripts/windows/docker.sh b/.ci/scripts/windows/docker.sh
index 45f75c874..44023600d 100755
--- a/.ci/scripts/windows/docker.sh
+++ b/.ci/scripts/windows/docker.sh
@@ -17,7 +17,6 @@ cmake .. \
-DENABLE_COMPATIBILITY_LIST_DOWNLOAD=ON \
-DENABLE_QT_TRANSLATION=ON \
-DUSE_CCACHE=ON \
- -DYUZU_CRASH_DUMPS=ON \
-DYUZU_USE_BUNDLED_SDL2=OFF \
-DYUZU_USE_EXTERNAL_SDL2=OFF \
-DYUZU_TESTS=OFF \
diff --git a/.gitmodules b/.gitmodules
index 361f4845b..b72a2ec8c 100644
--- a/.gitmodules
+++ b/.gitmodules
@@ -32,7 +32,7 @@
path = externals/xbyak
url = https://github.com/herumi/xbyak.git
[submodule "opus"]
- path = externals/opus/opus
+ path = externals/opus
url = https://github.com/xiph/opus.git
[submodule "SDL"]
path = externals/SDL
@@ -58,3 +58,6 @@
[submodule "VulkanMemoryAllocator"]
path = externals/VulkanMemoryAllocator
url = https://github.com/GPUOpen-LibrariesAndSDKs/VulkanMemoryAllocator.git
+[submodule "breakpad"]
+ path = externals/breakpad
+ url = https://github.com/yuzu-emu/breakpad.git
diff --git a/CMakeLists.txt b/CMakeLists.txt
index 150c78d64..9c35e0946 100644
--- a/CMakeLists.txt
+++ b/CMakeLists.txt
@@ -52,7 +52,7 @@ option(YUZU_DOWNLOAD_ANDROID_VVL "Download validation layer binary for android"
CMAKE_DEPENDENT_OPTION(YUZU_ROOM "Compile LDN room server" ON "NOT ANDROID" OFF)
-CMAKE_DEPENDENT_OPTION(YUZU_CRASH_DUMPS "Compile Windows crash dump (Minidump) support" OFF "WIN32" OFF)
+CMAKE_DEPENDENT_OPTION(YUZU_CRASH_DUMPS "Compile crash dump (Minidump) support" OFF "WIN32 OR LINUX" OFF)
option(YUZU_USE_BUNDLED_VCPKG "Use vcpkg for yuzu dependencies" "${MSVC}")
@@ -139,9 +139,6 @@ if (YUZU_USE_BUNDLED_VCPKG)
if (YUZU_TESTS)
list(APPEND VCPKG_MANIFEST_FEATURES "yuzu-tests")
endif()
- if (YUZU_CRASH_DUMPS)
- list(APPEND VCPKG_MANIFEST_FEATURES "dbghelp")
- endif()
if (ENABLE_WEB_SERVICE)
list(APPEND VCPKG_MANIFEST_FEATURES "web-service")
endif()
@@ -551,6 +548,18 @@ if (NOT YUZU_USE_BUNDLED_FFMPEG)
find_package(FFmpeg 4.3 REQUIRED QUIET COMPONENTS ${FFmpeg_COMPONENTS})
endif()
+if (WIN32 AND YUZU_CRASH_DUMPS)
+ set(BREAKPAD_VER "breakpad-c89f9dd")
+ download_bundled_external("breakpad/" ${BREAKPAD_VER} BREAKPAD_PREFIX)
+
+ set(BREAKPAD_CLIENT_INCLUDE_DIR "${BREAKPAD_PREFIX}/include")
+ set(BREAKPAD_CLIENT_LIBRARY "${BREAKPAD_PREFIX}/lib/libbreakpad_client.lib")
+
+ add_library(libbreakpad_client INTERFACE IMPORTED)
+ target_link_libraries(libbreakpad_client INTERFACE "${BREAKPAD_CLIENT_LIBRARY}")
+ target_include_directories(libbreakpad_client INTERFACE "${BREAKPAD_CLIENT_INCLUDE_DIR}")
+endif()
+
# Prefer the -pthread flag on Linux.
set(THREADS_PREFER_PTHREAD_FLAG ON)
find_package(Threads REQUIRED)
@@ -570,13 +579,6 @@ elseif (WIN32)
# PSAPI is the Process Status API
set(PLATFORM_LIBRARIES ${PLATFORM_LIBRARIES} psapi imm32 version)
endif()
-
- if (YUZU_CRASH_DUMPS)
- find_library(DBGHELP_LIBRARY dbghelp)
- if ("${DBGHELP_LIBRARY}" STREQUAL "DBGHELP_LIBRARY-NOTFOUND")
- message(FATAL_ERROR "YUZU_CRASH_DUMPS enabled but dbghelp library not found")
- endif()
- endif()
elseif (CMAKE_SYSTEM_NAME MATCHES "^(Linux|kFreeBSD|GNU|SunOS)$")
set(PLATFORM_LIBRARIES rt)
endif()
diff --git a/dist/languages/ar.ts b/dist/languages/ar.ts
index 89adc7e7b..3bd929ac9 100644
--- a/dist/languages/ar.ts
+++ b/dist/languages/ar.ts
@@ -4,7 +4,7 @@
About yuzu
- عن يوزو
+ حول يوزو
@@ -49,12 +49,12 @@ p, li { white-space: pre-wrap; }
Communicating with the server...
- يتواصل مع الخادوم...
+ يتواصل مع الخادومCancel
- الغِ
+ إلغاء
@@ -69,12 +69,12 @@ p, li { white-space: pre-wrap; }
Configuration completed!
- أتممت الضبط!
+ اكتمل الضبطOK
- حسنًا
+ نعم
@@ -87,12 +87,12 @@ p, li { white-space: pre-wrap; }
Send Chat Message
- أرسل رسالةً
+ إرسال رسالة دردشةSend Message
- أرسل الرسالة
+ إرسال رسالة
@@ -122,12 +122,12 @@ p, li { white-space: pre-wrap; }
%1 has been unbanned
- رُفِع حظر %1
+ تم إلغاء حظر %1View Profile
- اعرض ملف المستخدم
+ عرض ملف المستخدم
@@ -190,7 +190,7 @@ This would ban both their forum username and their IP address.
Moderation...
- الإشراف...
+ الإشراف
@@ -208,7 +208,7 @@ This would ban both their forum username and their IP address.
Disconnected
- ليس متصلًا
+ غير متصل
@@ -252,7 +252,7 @@ This would ban both their forum username and their IP address.
No The game doesn't get past the "Launching..." screen
- لا تشتغل، ولا تتعدى شاشة «يشغِّل...»
+ لا، اللعبة لا تتجاوز شاشة الإطلاق
@@ -272,12 +272,12 @@ This would ban both their forum username and their IP address.
Yes The game works without crashes
- نعم، وتعمل دون أن تتعطل
+ نعم اللعبة تعمل بدون أعطالNo The game crashes or freezes during gameplay
- لا، وتنهار أو تبقى معلَّقةً أثناء اللعب
+ لا، تتعطل اللعبة أو تتجمد أثناء اللعب
@@ -302,12 +302,12 @@ This would ban both their forum username and their IP address.
Major The game has major graphical errors
- توجد أخطاء كبيرة توجد أخطاء رسمية كبيرة في اللعبة
+ توجد أخطاء كبيرة توجد أخطاء رسومية كبيرة في اللعبةMinor The game has minor graphical errors
- توجد أخطاء صغيرة توجد أخطاء رسمية صغيرة في اللعبة
+ توجد أخطاء صغيرة توجد أخطاء رسومية صغيرة في اللعبة
@@ -342,7 +342,7 @@ This would ban both their forum username and their IP address.
Thank you for your submission!
- شكرا على مساهمتك!
+ شكرا على مساهمتك
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zoneتلقائي (%1)
-
+ Default (%1)Default time zoneافتراضي (%1)
@@ -404,17 +404,17 @@ This would ban both their forum username and their IP address.
Select where the image of the emulated camera comes from. It may be a virtual camera or a real camera.
-
+ حدد من أين تأتي صورة الكاميرا التي تمت محاكاتها. قد تكون كاميرا افتراضية أو كاميرا حقيقية.Camera Image Source:
- مصدر صورة الكاميرا:
+ :مصدر صورة الكاميراInput device:
- جهاز الادخال:
+ :جهاز الادخال
@@ -424,7 +424,7 @@ This would ban both their forum username and their IP address.
Resolution: 320*240
- الدقة: 320*240
+ الدقة: 240*320
@@ -434,7 +434,7 @@ This would ban both their forum username and their IP address.
Restore Defaults
- إعادة الأصلي
+ استعادة الافتراضي
@@ -462,7 +462,7 @@ This would ban both their forum username and their IP address.
We recommend setting accuracy to "Auto".
- نحن نوصي بتتعين الدقة إلى "تلقائي".
+ نوصي بضبط الدقة على "تلقائي".
@@ -509,7 +509,7 @@ This would ban both their forum username and their IP address.
Enable inline page tables
-
+ تمكين جداول الصفحات المضمنة
@@ -521,7 +521,7 @@ This would ban both their forum username and their IP address.
Enable block linking
-
+ تمكين ربط الكتلة
@@ -557,7 +557,7 @@ This would ban both their forum username and their IP address.
Enable context elimination
-
+ تمكين حذف السياق
@@ -581,7 +581,7 @@ This would ban both their forum username and their IP address.
Enable miscellaneous optimizations
-
+ تمكين التحسينات المتنوعة
@@ -594,7 +594,7 @@ This would ban both their forum username and their IP address.
Enable misalignment check reduction
-
+ تمكين تقليل التحقق من المحاذاة غير الصحيحة
@@ -643,17 +643,20 @@ This would ban both their forum username and their IP address.
<div style="white-space: nowrap">This optimization speeds up memory accesses by allowing invalid memory accesses to succeed.</div>
<div style="white-space: nowrap">Enabling it reduces the overhead of all memory accesses and has no impact on programs that don't access invalid memory.</div>
-
+
+ <div style="white-space: nowrap">يعمل هذا التحسين على تسريع عمليات الوصول إلى الذاكرة عن طريق السماح بنجاح الوصول إلى الذاكرة غير الصالحة.</div>
+ <div style="white-space: nowrap">يؤدي تمكينه إلى تقليل الحمل الزائد لجميع عمليات الوصول إلى الذاكرة وليس له أي تأثير على البرامج التي لا تصل إلى الذاكرة غير الصالحة.</div>
+ Enable fallbacks for invalid memory accesses
-
+ تمكين الإجراءات الاحتياطية للوصول إلى الذاكرة غير الصالحةCPU settings are available only when game is not running.
-
+ تتوفر إعدادات وحدة المعالجة المركزية فقط عندما لا تكون اللعبة قيد التشغيل.
@@ -671,7 +674,7 @@ This would ban both their forum username and their IP address.
Port:
- المنفذ:
+ :المنفذ
@@ -706,7 +709,7 @@ This would ban both their forum username and their IP address.
Homebrew
-
+ البيرة المنزلية
@@ -786,7 +789,7 @@ This would ban both their forum username and their IP address.
Enable Graphics Debugging
-
+ تمكين تصحيح الرسومات
@@ -816,7 +819,7 @@ This would ban both their forum username and their IP address.
Perform Startup Vulkan Check
-
+ Vulkan إجراء فحص بدء التشغيل
@@ -826,12 +829,12 @@ This would ban both their forum username and their IP address.
Enable All Controller Types
-
+ تمكين كافة أنواع اذرع التحكمEnable Auto-Stub**
-
+ تمكين الإيقاف التلقائي**
@@ -841,12 +844,12 @@ This would ban both their forum username and their IP address.
Enable CPU Debugging
-
+ تمكين تصحيح أخطاء وحدة المعالجة المركزيةEnable Debug Asserts
-
+ تمكين تأكيدات التصحيح
@@ -860,56 +863,36 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**
-
+ تمكين خدمات التقارير المطولة**
-
+ **This will be reset automatically when yuzu closes.
-
+ ** سيتم إعادة ضبط هذا تلقائيًا عند إغلاق يوزو.
-
- Restart Required
- إعادة التشغيل مطلوبة
-
-
-
- yuzu is required to restart in order to apply this setting.
-
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugControllerConfigure Debug Controller
-
+ تهيئة تصحيح أخطاء ذراع التحكم
@@ -990,7 +973,7 @@ This would ban both their forum username and their IP address.
GraphicsAdvanced
-
+ الرسومات المتقدمة
@@ -1147,12 +1130,12 @@ This would ban both their forum username and their IP address.
Select Dump Directory...
-
+ حدد دليل التفريغSelect Mod Load Directory...
-
+ حدد دليل تحميل التعديل
@@ -1196,7 +1179,7 @@ This would ban both their forum username and their IP address.
This reset all settings and remove all per-game configurations. This will not delete game directories, profiles, or input profiles. Proceed?
-
+ يؤدي هذا إلى إعادة تعيين جميع الإعدادات وإزالة جميع التكوينات لكل لعبة. لن يؤدي هذا إلى حذف أدلة اللعبة أو الملفات الشخصية أو ملفات تعريف الإدخال. يتابع؟
@@ -1214,7 +1197,7 @@ This would ban both their forum username and their IP address.
API Settings
- إعدادات API
+ API إعدادات
@@ -1224,7 +1207,7 @@ This would ban both their forum username and their IP address.
Background Color:
- لون الخلفية:
+ :لون الخلفية
@@ -1301,7 +1284,7 @@ This would ban both their forum username and their IP address.
Restore Defaults
- إعادة الأصلي
+ استعادة الافتراضي
@@ -1316,12 +1299,12 @@ This would ban both their forum username and their IP address.
Controller Hotkey
-
+ مفتاح التحكم السريع
-
+ Conflicting Key Sequenceتسلسل أزرار متناقض مع الموجود
@@ -1342,27 +1325,37 @@ This would ban both their forum username and their IP address.
غير صالح
-
- Restore Default
- إعادة الأصلي
+
+ Invalid hotkey settings
+ إعدادات مفتاح الاختصار غير صالحة
-
+
+ An error occurred. Please report this issue on github.
+ حدث خطأ. يرجى الإبلاغ عن هذه المشكلة على جيثب.
+
+
+
+ Restore Default
+ استعادة الافتراضي
+
+
+ Clearمسح
-
+ Conflicting Button Sequence
-
+ The default button sequence is already assigned to: %1
-
+ The default key sequence is already assigned to: %1سبق و تم تعيين تسلسل الأزرار الأصلي، مع: %1
@@ -1446,7 +1439,7 @@ This would ban both their forum username and their IP address.
Vibration
- إرتجاج
+ الاهتزاز
@@ -1457,12 +1450,12 @@ This would ban both their forum username and their IP address.
Motion
- حركة
+ الحركةControllers
- أيادي التحكم
+ ذراع التحكم
@@ -1530,7 +1523,7 @@ This would ban both their forum username and their IP address.
Joycon Colors
- ألوان أيادي جويكون
+ ألوان جوي كون
@@ -1559,7 +1552,7 @@ This would ban both their forum username and their IP address.
L Button
-
+ L زر
@@ -1583,7 +1576,7 @@ This would ban both their forum username and their IP address.
R Button
-
+ R زر
@@ -1648,7 +1641,7 @@ This would ban both their forum username and their IP address.
Debug Controller
- تصحيح أخطاء أداة التحكم
+ تصحيح أخطاء ذراع التحكم
@@ -1676,7 +1669,7 @@ This would ban both their forum username and their IP address.
Emulate Analog with Keyboard Input
-
+ محاكاة التناظرية مع إدخال لوحة المفاتيح
@@ -1703,7 +1696,7 @@ This would ban both their forum username and their IP address.
Enable direct JoyCon driver
-
+ تمكين برنامج تشغيل جوي كون المباشر
@@ -1741,52 +1734,52 @@ This would ban both their forum username and their IP address.
Input Profiles
-
+ ملفات تعريف الإدخالPlayer 1 Profile
-
+ الملف الشخصي للاعب 1Player 2 Profile
-
+ الملف الشخصي للاعب 2Player 3 Profile
-
+ الملف الشخصي للاعب 3Player 4 Profile
-
+ الملف الشخصي للاعب 4Player 5 Profile
-
+ الملف الشخصي للاعب 5Player 6 Profile
-
+ الملف الشخصي للاعب 6Player 7 Profile
-
+ الملف الشخصي للاعب 7Player 8 Profile
-
+ الملف الشخصي للاعب 8Use global input configuration
-
+ استخدم تكوين الإدخال العالمي
@@ -1917,7 +1910,7 @@ This would ban both their forum username and their IP address.
Modifier Range: 0%
-
+ 0% :نطاق التعديل
@@ -1948,7 +1941,7 @@ This would ban both their forum username and their IP address.
Capture
- تصوير
+ التقاط
@@ -2038,7 +2031,7 @@ This would ban both their forum username and their IP address.
Mouse panning
-
+ تحريك الفأرة
@@ -2073,7 +2066,7 @@ This would ban both their forum username and their IP address.
Toggle button
-
+ زر التبديل
@@ -2091,7 +2084,7 @@ This would ban both their forum username and their IP address.
Set threshold
-
+ تعيين الحد الأدنى
@@ -2102,7 +2095,7 @@ This would ban both their forum username and their IP address.
Toggle axis
-
+ تبديل المحور
@@ -2112,12 +2105,12 @@ This would ban both their forum username and their IP address.
Calibrate sensor
-
+ معايرة الاستشعارMap Analog Stick
-
+ خريطة عصا التناظرية
@@ -2140,28 +2133,28 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Modifier Range: %1%
-
+ %1% :نطاق التعديلPro Controller
-
+ Pro ControllerDual Joycons
-
+ جوي كون ثنائيLeft Joycon
-
+ جوي كون يسارRight Joycon
-
+ جوي كون يمين
@@ -2196,7 +2189,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Sega Genesis
-
+ Sega Genesis
@@ -2211,12 +2204,12 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Control Stick
-
+ عصا التحكمC-Stick
-
+ C-عصا
@@ -2231,58 +2224,58 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
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" فشل في حفظ ملف تعريف الإدخال
@@ -2290,7 +2283,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Create Input Profile
-
+ إنشاء ملف تعريف الإدخال
@@ -2350,12 +2343,12 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Server:
-
+ :الخادمPort:
- المنفذ:
+ :المنفذ
@@ -2401,7 +2394,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Port number has invalid characters
-
+ يحتوي رقم المنفذ على أحرف غير صالحة
@@ -2411,7 +2404,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
IP address is not valid
-
+ غير صالح IP عنوان
@@ -2421,32 +2414,32 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Unable to add more than 8 servers
-
+ غير قادر على إضافة أكثر من 8 خوادمTesting
-
+ اختبارConfiguring
-
+ تكوينTest Successful
-
+ تم الاختبار بنجاحSuccessfully received data from the server.
-
+ تم استلام البيانات من الخادم بنجاح.Test Failed
-
+ فشل الاختبار
@@ -2464,12 +2457,12 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Configure mouse panning
-
+ تكوين تحريك الماوسEnable mouse panning
-
+ تمكين تحريك الماوس
@@ -2508,12 +2501,12 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Counteracts a game's built-in deadzone
-
+ يتصدى للمنطقة الميتة المضمنة في اللعبةDeadzone
-
+ المنطقة الميتة
@@ -2544,17 +2537,17 @@ Current values are %1% and %2% respectively.
Emulated mouse is enabled. This is incompatible with mouse panning.
-
+ تم تمكين الماوس الذي تمت محاكاته. وهذا غير متوافق مع تحريك الماوس.Emulated mouse is enabled
-
+ تم تمكين الماوس الذي تمت محاكاتهReal mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ الإدخال الحقيقي للماوس والتحريك بالماوس غير متوافقين. الرجاء تعطيل الماوس الذي تمت محاكاته في إعدادات الإدخال المتقدمة للسماح بتحريك الماوس.
@@ -2577,7 +2570,7 @@ Current values are %1% and %2% respectively.
Network Interface
-
+ واجهة الشبكة
@@ -2595,7 +2588,7 @@ Current values are %1% and %2% respectively.
Info
-
+ معلومات
@@ -2620,7 +2613,7 @@ Current values are %1% and %2% respectively.
Version
- النسخة
+ إصدار
@@ -2660,7 +2653,7 @@ Current values are %1% and %2% respectively.
Adv. Graphics
-
+ الرسومات المتقدمة
@@ -2670,7 +2663,7 @@ Current values are %1% and %2% respectively.
Input Profiles
-
+ ملفات تعريف الإدخال
@@ -2698,7 +2691,7 @@ Current values are %1% and %2% respectively.
Version
- النسخة
+ إصدار
@@ -2716,7 +2709,7 @@ Current values are %1% and %2% respectively.
Profile Manager
-
+ مدير الملف الشخصي
@@ -2751,7 +2744,7 @@ Current values are %1% and %2% respectively.
Profile management is available only when game is not running.
-
+ إدارة الملف الشخصي متاحة فقط عندما لا تكون اللعبة قيد التشغيل.
@@ -2774,12 +2767,12 @@ Current values are %1% and %2% respectively.
Enter a username for the new user:
-
+ :أدخل اسم مستخدم للمستخدم الجديدEnter a new username:
-
+ :أدخل اسم مستخدم جديد
@@ -2794,7 +2787,7 @@ Current values are %1% and %2% respectively.
Error deleting image
-
+ خطأ في حذف الصورة
@@ -2804,7 +2797,7 @@ Current values are %1% and %2% respectively.
Error deleting file
-
+ خطأ في حذف الملف
@@ -2814,7 +2807,7 @@ Current values are %1% and %2% respectively.
Error creating user image directory
-
+ خطأ في إنشاء دليل صورة المستخدم
@@ -2824,7 +2817,7 @@ Current values are %1% and %2% respectively.
Error copying user image
-
+ حدث خطأ أثناء نسخ صورة المستخدم
@@ -2834,12 +2827,12 @@ Current values are %1% and %2% respectively.
Error resizing user image
-
+ خطأ في تغيير حجم صورة المستخدمUnable to resize image
-
+ غير قادر على تغيير حجم الصورة
@@ -2847,7 +2840,7 @@ Current values are %1% and %2% respectively.
Delete this user? All of the user's save data will be deleted.
-
+ حذف هذا المستخدم؟ سيتم حذف جميع بيانات الحفظ الخاصة بالمستخدم.
@@ -2899,7 +2892,7 @@ UUID: %2
Direct Joycon Driver
-
+ برنامج تشغيل جوي كون المباشر
@@ -2921,12 +2914,12 @@ UUID: %2
Not connected
-
+ غير متصلRestore Defaults
- إعادة الأصلي
+ استعادة الافتراضي
@@ -2957,12 +2950,12 @@ UUID: %2
Direct Joycon driver is not enabled
-
+ لم يتم تمكين برنامج تشغيل جوي كون المباشرConfiguring
-
+ تكوين
@@ -2977,7 +2970,7 @@ UUID: %2
The current mapped device is not connected
-
+ الجهاز المعين الحالي غير متصل
@@ -3006,7 +2999,7 @@ UUID: %2
Core
-
+ نواة
@@ -3039,7 +3032,7 @@ UUID: %2
Settings
- الإعدادات
+ إعدادات
@@ -3054,7 +3047,7 @@ UUID: %2
Pause execution during loads
-
+ إيقاف التنفيذ مؤقتا أثناء التحميل
@@ -3090,12 +3083,12 @@ UUID: %2
Configure Touchscreen Mappings
-
+ تكوين تعيينات شاشة اللمسMapping:
- تخطيط أزرار:
+ :تخطيط أزرار
@@ -3110,13 +3103,14 @@ UUID: %2
Rename
- تسمية
+ إعادة تسمية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.
-
+ انقر على المنطقة السفلية لإضافة نقطة، ثم اضغط على زر للربط.
+اسحب النقاط لتغيير موضعها، أو انقر نقرًا مزدوجًا فوق خلايا الجدول لتحرير القيم.
@@ -3143,37 +3137,37 @@ Drag points to change position, or double-click table cells to edit values.
New Profile
-
+ الملف الشخصي الجديدEnter the name for the new profile.
-
+ أدخل اسم الملف الشخصي الجديد.Delete Profile
-
+ حذف الملف الشخصيDelete profile %1?
-
+ %1 حذف الملف الشخصيRename Profile
-
+ إعادة تسمية الملف الشخصيNew name:
-
+ :اسم جديد[press key]
-
+ [اضغط المفتاح]
@@ -3181,12 +3175,12 @@ Drag points to change position, or double-click table cells to edit values.
Configure Touchscreen
-
+ تكوين شاشة اللمسWarning: The settings in this page affect the inner workings of yuzu'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.
-
+ تحذير: تؤثر الإعدادات الموجودة في هذه الصفحة على الأعمال الداخلية لشاشة اللمس التي تمت محاكاتها في يوزو. قد يؤدي تغييرها إلى سلوك غير مرغوب فيه، مثل شاشة اللمس جزئيًا أو عدم عملها. يجب عليك استخدام هذه الصفحة فقط إذا كنت تعرف ما تفعله.
@@ -3206,12 +3200,12 @@ Drag points to change position, or double-click table cells to edit values.
Rotational Angle
-
+ زاوية الدورانRestore Defaults
- إعادة الأصلي
+ استعادة الافتراضي
@@ -3299,17 +3293,17 @@ Drag points to change position, or double-click table cells to edit values.
Note: Changing language will apply your configuration.
-
+ ملاحظة: سيؤدي تغيير اللغة إلى تطبيق التكوين الخاص بك.Interface language:
- لغة الواجهة:
+ :لغة الواجهةTheme:
- السمة:
+ :السمة
@@ -3319,7 +3313,7 @@ Drag points to change position, or double-click table cells to edit values.
Show Compatibility List
- عرض قائمة التوافقية
+ عرض قائمة التوافق
@@ -3337,67 +3331,72 @@ Drag points to change position, or double-click table cells to edit values.عرض عمود أنواع الملف
-
+
+ Show Play Time Column
+ إظهار عمود وقت التشغيل
+
+
+ Game Icon Size:
- حجم أيقونة اللعبة:
+ :حجم أيقونة اللعبة
-
+ Folder Icon Size:
- حجم أيقونة المجلد:
+ :حجم أيقونة المجلد
-
+ Row 1 Text:
- نص السطر 1:
+ :نص السطر 1
-
+ Row 2 Text:
- نص السطر 2:
+ :نص السطر 2
-
+ Screenshotsلقطات الشاشة
-
+ Ask Where To Save Screenshots (Windows Only)اسأل أين أحفظ لقطات الشاشة (نظام التشغيل ويندوز فقط)
-
+ Screenshots Path:
- مسار لقطات الشاشة:
+ :مسار لقطات الشاشة
-
+ ......
-
+ TextLabel
-
+ Resolution:
- الدقة:
+ :الدقة
-
+ Select Screenshots Path...أختر مسار لقطات الشاشة
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueتلقائي (%1 x %2, %3 x %4)
@@ -3408,17 +3407,17 @@ Drag points to change position, or double-click table cells to edit values.
Configure Vibration
-
+ تكوين الاهتزازPress any controller button to vibrate the controller.
-
+ اضغط على أي زر تحكم ليهتز جهاز التحكم.Vibration
- إرتجاج
+ الاهتزاز
@@ -3475,12 +3474,12 @@ Drag points to change position, or double-click table cells to edit values.
Settings
- الإعدادات
+ إعداداتEnable Accurate Vibration
-
+ تمكين الاهتزاز الدقيق
@@ -3519,12 +3518,12 @@ Drag points to change position, or double-click table cells to edit values.
Token:
- الرمز:
+ :الرمزUsername:
- اسم المستخدم:
+ :اسم المستخدم
@@ -3534,7 +3533,7 @@ Drag points to change position, or double-click table cells to edit values.
Web Service configuration can only be changed when a public room isn't being hosted.
-
+ لا يمكن تغيير تكوين خدمة الويب إلا في حالة عدم استضافة غرفة عامة.
@@ -3554,7 +3553,7 @@ Drag points to change position, or double-click table cells to edit values.
Telemetry ID:
- معرف القياس عن بعد:
+ :معرف القياس عن بعد
@@ -3564,12 +3563,12 @@ Drag points to change position, or double-click table cells to edit values.
Discord Presence
-
+ وجود ديسكوردShow Current Game in your Discord Status
-
+ إظهار اللعبة الحالية في حالة ديسكورد الخاصة بك
@@ -3601,7 +3600,7 @@ Drag points to change position, or double-click table cells to edit values.
Token not verified
-
+ لم يتم التحقق من الرمز المميز
@@ -3612,35 +3611,35 @@ Drag points to change position, or double-click table cells to edit values.
Unverified, please click Verify before saving configurationTooltip
-
+ لم يتم التحقق منه، الرجاء النقر فوق "تحقق" قبل حفظ التكوينVerifying...
-
+ جاري التحققVerifiedTooltip
-
+ تم التحققVerification failedTooltip
-
+ فشل التحققVerification failed
-
+ فشل التحققVerification failed. Check that you have entered your token correctly, and that your internet connection is working.
-
+ فشل التحقق. تأكد من إدخال الرمز المميز الخاص بك بشكل صحيح، ومن أن اتصالك بالإنترنت يعمل.
@@ -3648,12 +3647,12 @@ Drag points to change position, or double-click table cells to edit values.
Controller P1
-
+ P1 ذراع التحكم&Controller P1
-
+ &P1 ذراع التحكم
@@ -3661,12 +3660,12 @@ Drag points to change position, or double-click table cells to edit values.
Direct Connect
-
+ اتصال مباشرServer Address
-
+ عنوان الخادم
@@ -3686,7 +3685,7 @@ Drag points to change position, or double-click table cells to edit values.
Nickname
-
+ الاسم المستعار
@@ -3696,7 +3695,7 @@ Drag points to change position, or double-click table cells to edit values.
Connect
-
+ الاتصال
@@ -3704,970 +3703,1006 @@ Drag points to change position, or double-click table cells to edit values.
Connecting
-
+ الاتصالConnect
-
+ الاتصالGMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?
-
+ Telemetryالقياس عن بعد
-
+ Broken Vulkan Installation Detected
-
+ معطل Vulkan تم اكتشاف تثبيت
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: 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.
-
+ سرعة المحاكاة الحالية. تشير القيم الأعلى أو الأقل من 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.
-
+ Unmuteإلغاء الكتم
-
+ Muteكتم
-
+ Reset Volume
-
+ إعادة ضبط مستوى الصوت
-
+ &Clear Recent Files&مسح الملفات الحديثة
-
+ Emulated mouse is enabled
-
+ تم تمكين الماوس الذي تمت محاكاته
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ الإدخال الحقيقي للماوس والتحريك بالماوس غير متوافقين. الرجاء تعطيل الماوس الذي تمت محاكاته في إعدادات الإدخال المتقدمة للسماح بتحريك الماوس.
-
+ &Continue
- &استمرار
+ &استأنف
-
+ &Pause&إيقاف مؤقت
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.
-
+ Error while loading ROM!
-
+ ROM خطأ أثناء تحميل
-
+ The ROM format is not supported.
-
+ غير مدعوم ROM تنسيق.
-
+ An error occurred initializing the video core.
-
+ yuzu 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-emu.org/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 follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.
-
+ An unknown error occurred. Please see the log for more details.
-
+ حدث خطأ غير معروف. يرجى الاطلاع على السجل لمزيد من التفاصيل.
-
+ (64-bit)
- (64-بت)
+ (64-bit)
-
+ (32-bit)
- (32-بت)
+ (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!
-
+ المجلد غير موجود
-
+ Error Opening Transferable Shader Cache
-
+ Failed to create the shader cache directory for this title.
-
+ فشل إنشاء دليل ذاكرة التخزين المؤقت للتظليل لهذا العنوان.
-
+ Error Removing Contents
-
+ خطأ في إزالة المحتويات
-
+ Error Removing Update
-
+ خطأ في إزالة التحديث
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ هل تريد إزالة محتويات اللعبة المثبتة؟
-
+ Remove Installed Game Update?
-
+ هل تريد إزالة تحديث اللعبة المثبت؟
-
+ Remove Installed Game DLC?
-
-
-
-
- Remove Entry
-
-
-
-
-
-
-
-
-
- Successfully Removed
-
-
-
-
- Successfully removed the installed base game.
-
+ للعبة المثبتة؟ DLC إزالة المحتوى القابل للتنزيل
+ Remove Entry
+ إزالة الإدخال
+
+
+
+
+
+
+
+
+ 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 DLC installed for this title.
-
+ مثبت لهذا العنوان DLC لا يوجد أي محتوى قابل للتنزيل.
-
+ Successfully removed %1 installed DLC.
-
+ 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?
+ إعادة تعيين وقت اللعب؟
+
+
+
+ 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.
-
+ فشل إزالة تكوين اللعبة المخصص.
-
-
+
+ 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.أكتملت العملية بنجاح
-
+ Integrity verification couldn't be performed!
-
+ لا يمكن إجراء التحقق من سلامة
-
+ File contents were not checked for validity.
-
+ لم يتم التحقق من صحة محتويات الملف.
-
-
+
+ Integrity verification failed!
-
+ فشل التحقق من سلامة
-
+ File contents may be corrupt.
-
+ قد تكون محتويات الملف تالفة.
-
-
+
+ Verifying integrity...
-
+ التحقق من سلامة
-
-
+
+ Integrity verification succeeded!
-
+ نجح التحقق من سلامة!
-
-
-
-
-
+
+
+
+ Create Shortcutإنشاء إختصار
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ إنشاء أيقونة
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulatorبدء %1 بمحاكي يوزو
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ 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موافق
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu Accountحساب يوزو مفقود
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.
-
+ Error opening URLخطأ في فتح 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
-
+ حدث خطأ غير معروف
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+ التطبيق الصغير للألبوم
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture Screenshotلقطة شاشة
-
+ PNG Image (*.png)
-
+ TAS state: Running %1/%2
-
+ TAS state: Recording %1
-
+ TAS state: Idle %1/%2
-
+ TAS State: Invalid
-
+ &Stop Running&إيقاف التشغيل
-
+ &Start
- &ابدأ
+ &بدء
-
+ Stop R&ecording&إيقاف التسجيل
-
+ R&ecord&تسجيل
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factor
-
+ Speed: %1% / %2%
-
+ Speed: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPS
-
+ Frame: %1 ms
-
+ %1 %2%1 %2
-
+ FSR
-
+ FSR
-
+ NO AA
-
+ NO AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key Rederivation
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4678,90 +4713,92 @@ This will delete your autogenerated key files and re-run the key derivation modu
-
+ Missing fuses
-
+ - Missing BOOT0
-
+ - Missing BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO
-
+ Derivation Components Missing
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
-
+ Deriving Keys
-
+ System Archive Decryption Failed
-
+ فشل فك تشفير أرشيف النظام
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump Target
-
+ Please select which RomFS you would like to dump.
-
+ Are you sure you want to close yuzu?
- هل انت متاكد انك تريد اغلاق يوزو?
+ هل أنت متأكد أنك تريد إغلاق يوزو؟
-
-
-
+
+
+ yuzuيوزو
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.هل أنت متأكد أنك تريد إيقاف المحاكاة؟ ستيم فقد البيانات التي لم تتم حفظه
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
-
+ لقد طلب التطبيق قيد التشغيل حاليًا من يوزو عدم الخروج.
+
+هل ترغب في تجاوز هذا والخروج على أية حال؟
@@ -4771,37 +4808,37 @@ Would you like to bypass this and exit anyway?
FXAA
-
+ FXAASMAA
-
+ SMAANearest
-
+ NearestBilinear
-
+ BilinearBicubic
-
+ BicubicGaussian
-
+ GaussianScaleForce
-
+ ScaleForce
@@ -4831,32 +4868,32 @@ Would you like to bypass this and exit anyway?
Vulkan
-
+ VulkanOpenGL
-
+ OpenGLNull
-
+ قيمه خاليهGLSL
-
+ GLSLGLASM
-
+ GLASMSPIRV
-
+ SPIRV
@@ -4907,251 +4944,261 @@ Would you like to bypass this and exit anyway?
GameList
-
+ Favoriteمفضلة
-
+ Start Gameبدء اللعبة
-
+ Start Game without Custom Configurationبدء اللعبة بدون الإعدادات المخصصة
-
+ Open Save Data Locationفتح موقع بيانات الحفظ
-
+ Open Mod Data Locationفتح موقع بيانات التعديلات
-
+ Open Transferable Pipeline Cache
-
+ Removeازالة
-
+ Remove Installed Updateازالة التحديث المثبت
-
+ Remove All Installed DLCازل جميع المحتويات المثبتها
-
+ Remove Custom Configuration
-
+ إزالة التكوين المخصص
-
+
+ Remove Play Time Data
+ إزالة بيانات وقت التشغيل
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline Caches
-
+ Remove All Installed Contents
-
+ قم بإزالة كافة المحتويات المثبتة
-
-
+
+ Dump RomFS
-
+ Dump RomFS to SDMC
-
+ Verify Integrity
-
+ التحقق من سلامة
-
+ Copy Title ID to Clipboard
-
+ Navigate to GameDB entry
-
+ Create Shortcutإنشاء إختصار
-
+ Add to Desktopإضافة إلى سطح المكتب
-
+ Add to Applications Menuإضافة إلى قائمة التطبيقات
-
+ Propertiesالخصائص
-
+ Scan Subfoldersمسح الملفات الداخلية
-
+ Remove Game Directory
-
+ إزالة دليل اللعبة
-
+ ▲ Move Up▲ نقل للأعلى
-
+ ▼ Move Down▼ نقل للأسفل
-
+ Open Directory Locationفتح موقع الدليل
-
+ Clearمسح
-
+ Nameالاسم
-
+ Compatibilityالتوافق
-
+ Add-onsالإضافات
-
+ File typeنوع الملف
-
+ Sizeالحجم
+
+
+ Play time
+ وقت اللعب
+ GameListItemCompat
-
+ Ingame
-
+ في اللعبة
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
-
-
-
- Perfect
- متقن
-
-
-
- Game can be played without issues.
-
+ تبدأ اللعبة، لكن الأعطال أو الأخطاء الرئيسية تمنعها من الاكتمال.
+ 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.
-
+ تحتوي وظائف اللعبة على بعض الأخطاء الرسومية أو الصوتية البسيطة ويمكن تشغيلها من البداية إلى النهاية.
+ 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.
-
+ اللعبة لم يتم اختبارها بعد.GameListPlaceholder
-
+ Double-click to add a new folder to the game list
-
+ انقر نقرًا مزدوجًا لإضافة مجلد جديد إلى قائمة الألعاب
@@ -5162,14 +5209,14 @@ Would you like to bypass this and exit anyway?
-
+ Filter:
-
+ :تصفيه
-
+ Enter pattern to filter
-
+ أدخل النمط للتصفية
@@ -5177,7 +5224,7 @@ Would you like to bypass this and exit anyway?
Create Room
-
+ إنشاء غرفة
@@ -5202,7 +5249,7 @@ Would you like to bypass this and exit anyway?
(Leave blank for open game)
-
+ (اتركه فارغا للعبة مفتوحة)
@@ -5222,7 +5269,7 @@ Would you like to bypass this and exit anyway?
Load Previous Ban List
-
+ تحميل قائمة الحظر السابقة
@@ -5232,12 +5279,12 @@ Would you like to bypass this and exit anyway?
Unlisted
-
+ غير مدرجHost Room
-
+ غرفة المضيفة
@@ -5259,7 +5306,7 @@ Debug Message:
Audio Mute/Unmute
-
+ كتم الصوت/إلغاء كتم الصوت
@@ -5284,18 +5331,19 @@ Debug Message:
+ Main Window
-
+ النافذة الرئيسيةAudio Volume Down
-
+ خفض مستوى الصوتAudio Volume Up
-
+ رفع مستوى الصوت
@@ -5310,7 +5358,7 @@ Debug Message:
Change Docked Mode
-
+ تغيير وضع الإرساء
@@ -5320,7 +5368,7 @@ Debug Message:
Continue/Pause Emulation
-
+ متابعة/إيقاف مؤقت للمحاكاة
@@ -5340,7 +5388,7 @@ Debug Message:
Load File
- تشغيل المِلَفّ
+ تحميل الملف
@@ -5350,12 +5398,12 @@ Debug Message:
Restart Emulation
-
+ إعادة تشغيل المحاكاةStop Emulation
-
+ إيقاف المحاكاة
@@ -5380,7 +5428,7 @@ Debug Message:
Toggle Framerate Limit
-
+ تبديل حد معدل الإطارات
@@ -5389,9 +5437,14 @@ Debug Message:
- Toggle Status Bar
+ Toggle Renderdoc Capture
+
+
+ Toggle Status Bar
+ تبديل شريط الحالة
+ InstallDialog
@@ -5403,7 +5456,7 @@ Debug Message:
Installing an Update or DLC will overwrite the previously installed one.
-
+ إلى استبدال التحديث المثبت مسبقًا DLC سيؤدي تثبيت التحديث أو المحتوى القابل للتنزيل
@@ -5422,7 +5475,8 @@ Debug Message:
The text can't contain any of the following characters:
%1
-
+ لا يمكن أن يحتوي النص على أي من الأحرف التالية:
+%1
@@ -5430,17 +5484,17 @@ Debug Message:
Loading Shaders 387 / 1628
-
+ تحميل التظليل 1628 / 387Loading Shaders %v out of %m
-
+ %m من %v جاري تحميل التظليلEstimated Time 5m 4s
-
+ 5m 4s الوقت المقدر
@@ -5450,7 +5504,7 @@ Debug Message:
Loading Shaders %1 / %2
-
+ %1 / %2 جاري تحميل التظليل
@@ -5460,7 +5514,7 @@ Debug Message:
Estimated Time %1
-
+ %1 الوقت المقدر
@@ -5468,18 +5522,18 @@ Debug Message:
Public Room Browser
-
+ متصفح الغرفة العامةNickname
-
+ الاسم المستعارFilters
-
+ المرشحات
@@ -5514,7 +5568,7 @@ Debug Message:
Password:
- كلمة المرور:
+ :كلمة المرور
@@ -5544,7 +5598,7 @@ Debug Message:
Refresh List
- إنعاش القائمة
+ تحديث القائمة
@@ -5577,7 +5631,7 @@ Debug Message:
&Reset Window Size
- &إعادة تعيين حجم الشاشة
+ &إعادة ضبط حجم النافذة
@@ -5587,32 +5641,32 @@ Debug Message:
Reset Window Size to &720p
- اعادة تعيين حجم النافذة إلى &720p
+ 720p إعادة تعيين حجم النافذة إلىReset Window Size to 720p
- اعادة تعيين حجم النافذة إلى 720p
+ 720p إعادة تعيين حجم النافذة إلىReset Window Size to &900p
- اعادة تعيين حجم النافذة إلى &900p
+ 900p إعادة تعيين حجم النافذة إلىReset Window Size to 900p
- اعادة تعيين حجم النافذة إلى 900p
+ 900p إعادة تعيين حجم النافذة إلىReset Window Size to &1080p
- اعادة تعيين حجم النافذة إلى &1080p
+ 1080p إعادة تعيين حجم النافذة إلىReset Window Size to 1080p
- اعادة تعيين حجم النافذة إلى 1080p
+ 1080p إعادة تعيين حجم النافذة إلى
@@ -5626,186 +5680,216 @@ Debug Message:
+ &Amiibo
+ أميبو
+
+
+ &TAS
-
+ &Help&مساعدة
-
+ &Install Files to NAND...
- &تثبيت الملفات الى الذاكرة الداخلية...
+ &NAND تثبيت الملفات على
-
+ L&oad File...
- &تحميل ملف...
+ &تحميل ملف
-
+ Load &Folder...
- تحميل &مجلد...
+ تحميل &مجلد
-
+ E&xit&خروج
-
+ &Pause&إيقاف مؤقت
-
+ &Stop&إيقاف
-
+ &Reinitialize keys...
- &إعادة تهيئة المفاتيح...
+ &إعادة تهيئة المفاتيح
-
+ &Verify Installed Contents
-
+ التحقق من المحتويات المثبتة
-
+ &About yuzu
- &عن يوزو
+ &حول يوزو
-
+ Single &Window Mode
- وضع &الشاشة الواحدة
-
-
-
- Con&figure...
- &أعدادات...
+ وضع النافذة الواحدة
+ Con&figure...
+ &أعدادات
+
+
+ Display D&ock Widget Headers
-
+ 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
- &الاسئلة الاكثر شيوعا
+ &التعليمات
-
+ Open &yuzu Folderفتح مجلد &يوزو
-
+ &Capture Screenshot
- &لقط الشاشة
+ &التقاط لقطة للشاشة
-
+
+ Open &Album
+ افتح الألبوم
+
+
+
+ &Set Nickname and Owner
+ &تعيين الاسم المستعار والمالك
+
+
+
+ &Delete Game Data
+ حذف بيانات اللعبة
+
+
+
+ &Restore Amiibo
+ &استعادة أميبو
+
+
+
+ &Format Amiibo
+ &تنسيق أميبو
+
+
+ Open &Mii Editor
-
+ Mii فتح محرر
-
+ &Configure TAS...
-
+ Configure C&urrent Game...إعدادات &اللعبة الحالية
-
+ &Start
- &ابدأ
+ &بدء
-
+ &Reset&إعادة تعيين
-
+ R&ecord&تسجيل
@@ -5854,7 +5938,7 @@ Debug Message:
Forum Username
-
+ اسم المستخدم في المنتدى
@@ -5903,7 +5987,8 @@ Debug Message:
Failed to update the room information. Please check your Internet connection and try hosting the room again.
Debug Message:
-
+ فشل في تحديث معلومات الغرفة. يرجى التحقق من اتصالك بالإنترنت ومحاولة استضافة الغرفة مرة أخرى.
+رسالة التصحيح:
@@ -5936,37 +6021,37 @@ Debug Message:
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.
-
+ يجب عليك اختيار لعبة مفضلة لاستضافة غرفة. إذا لم يكن لديك أي ألعاب في قائمة الألعاب الخاصة بك حتى الآن، قم بإضافة مجلد الألعاب من خلال النقر على أيقونة الزائد في قائمة الألعاب.Unable to find an internet connection. Check your internet settings.
-
+ غير قادر على العثور على اتصال بالإنترنت. تحقق من إعدادات الإنترنت لديك.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.
-
+ غير قادر على الاتصال بالمضيف. تأكد من صحة إعدادات الاتصال. إذا كنت لا تزال غير قادر على الاتصال، فاتصل بمضيف الغرفة وتأكد من تكوين المضيف بشكل صحيح مع إعادة توجيه المنفذ الخارجي.Unable to connect to the room because it is already full.
-
+ غير قادر على الاتصال بالغرفة لأنها ممتلئة بالفعل.Creating a room failed. Please retry. Restarting yuzu might be necessary.
-
+ فشل إنشاء الغرفة. الرجاء اعادة المحاولة. قد تكون إعادة تشغيل يوزو ضرورية.The host of the room has banned you. Speak with the host to unban you or try a different room.
-
+ لقد قام مضيف الغرفة بحظرك. تحدث مع المضيف لإلغاء الحظر عليك أو تجربة غرفة مختلفة.Version mismatch! Please update to the latest version of yuzu. If the problem persists, contact the room host and ask them to update the server.
-
+ عدم تطابق إصدار! يرجى التحديث إلى أحدث إصدار من يوزو. إذا استمرت المشكلة، فاتصل بمضيف الغرفة واطلب منه تحديث الخادم.
@@ -6009,18 +6094,20 @@ They may have left the room.
No valid network interface is selected.
Please go to Configure -> System -> Network and make a selection.
-
+ لم يتم تحديد واجهة شبكة صالحة.
+يرجى الانتقال إلى التكوين -> النظام -> الشبكة وتحديد الاختيار.Game already running
- اللعبة تشتغل مسبقا
+ اللعبة قيد التشغيل بالفعلJoining a room when the game is already running is discouraged and can cause the room feature not to work correctly.
Proceed anyway?
-
+ لا يُنصح بالانضمام إلى غرفة عندما تكون اللعبة قيد التشغيل بالفعل وقد يؤدي ذلك إلى عدم عمل ميزة الغرفة بشكل صحيح.
+المتابعة على أية حال؟
@@ -6110,27 +6197,27 @@ p, li { white-space: pre-wrap; }
لا يلعب أي لعبة
-
+ Installed SD Titlesعناوين مثبته على بطاقة الذاكرة
-
+ Installed NAND Titlesعناوين مثبته على الذاكرة الداخلية
-
+ System Titlesعناوين النظام
-
+ Add New Game Directoryاضافة دليل ألعاب جديد
-
+ Favoritesالمفضلة
@@ -6272,7 +6359,7 @@ p, li { white-space: pre-wrap; }
Start
- ابدأ
+ Start
@@ -6602,17 +6689,17 @@ p, li { white-space: pre-wrap; }
The following amiibo data will be formatted:
- بيانات أمبيو التالية سيتم تهيئتها:
+ :بيانات أمبيو التالية سيتم تهيئتهاThe following game data will removed:
- بيانات الألعاب التالية سيتم إزالتها:
+ :بيانات الألعاب التالية سيتم إزالتهاSet nickname and owner:
-
+ تعيين الاسم المستعار والمالك
@@ -6630,12 +6717,12 @@ p, li { white-space: pre-wrap; }
Supported Controller Types:
- أنواع أداوت التحكم المدعومة:
+ :أنواع ذراع التحكم المدعومةPlayers:
- اللاعبين:
+ :اللاعبين
@@ -6645,7 +6732,7 @@ p, li { white-space: pre-wrap; }
P4
-
+ P4
@@ -6656,9 +6743,9 @@ p, li { white-space: pre-wrap; }
-
+ Pro Controller
-
+ Pro Controller
@@ -6669,9 +6756,9 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joycons
-
+ جوي كون ثنائي
@@ -6682,9 +6769,9 @@ p, li { white-space: pre-wrap; }
-
+ Left Joycon
-
+ جوي كون يسار
@@ -6695,9 +6782,9 @@ p, li { white-space: pre-wrap; }
-
+ Right Joycon
-
+ جوي كون يمين
@@ -6709,49 +6796,49 @@ p, li { white-space: pre-wrap; }
Use Current Config
-
+ استخدم التكوين الحاليP2
-
+ P2P1
-
+ P1
-
+ HandheldمحمولP3
-
+ P3P7
-
+ P7P8
-
+ P8P5
-
+ P5P6
-
+ P6
@@ -6766,7 +6853,7 @@ p, li { white-space: pre-wrap; }
Vibration
- إرتجاج
+ الاهتزاز
@@ -6792,7 +6879,7 @@ p, li { white-space: pre-wrap; }
Controllers
- أيادي التحكم
+ ذراع التحكم
@@ -6840,34 +6927,39 @@ p, li { white-space: pre-wrap; }
8
-
- GameCube Controller
- أداة تحكم GameCube
+
+ Not enough controllers
+ لا توجد اذرع تحكم كافية
-
+
+ GameCube Controller
+ ذراع تحكم GameCube
+
+
+ Poke Ball PlusPoke Ball Plus
-
+ NES Controller
- أداة تحكم NES
+ ذراع تحكم NES
-
+ SNES Controller
- أداة تحكم SNES
+ ذراع تحكم SNES
-
+ N64 Controller
- أداة تحكم N64
+ ذراع تحكم N64
-
+ Sega Genesis
-
+ Sega Genesis
@@ -6883,7 +6975,8 @@ p, li { white-space: pre-wrap; }
An error has occurred.
Please try again or contact the developer of the software.
-
+ حدث خطأ.
+يرجى المحاولة مرة أخرى أو الاتصال بمطور البرنامج.
@@ -6898,7 +6991,11 @@ Please try again or contact the developer of the software.
%1
%2
-
+ حدث خطأ.
+
+%1
+
+%2
@@ -6919,73 +7016,73 @@ Please try again or contact the developer of the software.
Profile Creator
-
+ منشئ الملف الشخصيProfile Selector
-
+ محدد الملف الشخصيProfile Icon Editor
-
+ محرر أيقونة الملف الشخصيProfile Nickname Editor
-
+ محرر الاسم المستعار للملف الشخصيWho will receive the points?
-
+ من سيحصل على النقاط؟Who is using Nintendo eShop?
-
+ ؟Nintendo eShop من يستخدمWho is making this purchase?
-
+ من يقوم بهذا الشراء؟Who is posting?
-
+ من ينشر؟Select a user to link to a Nintendo Account.
-
+ Nintendo حدد مستخدمًا لربطه بحسابChange settings for which user?
-
+ تغيير الإعدادات لأي مستخدم؟Format data for which user?
-
+ تنسيق البيانات لأي مستخدم؟Which user will be transferred to another console?
-
+ من هو المستخدم الذي سيتم نقله إلى وحدة تحكم أخرى؟Send save data for which user?
-
+ إرسال حفظ البيانات لأي مستخدم؟Select a user:
- اختر مستخدم:
+ :اختر مستخدم
@@ -7059,17 +7156,17 @@ p, li { white-space: pre-wrap; }
runnable
-
+ قابل للتشغيلpaused
-
+ متوقف مؤقتاsleeping
-
+ نائم
@@ -7109,7 +7206,7 @@ p, li { white-space: pre-wrap; }
terminated
-
+ تم إنهاؤه
@@ -7119,7 +7216,7 @@ p, li { white-space: pre-wrap; }
PC = 0x%1 LR = 0x%2
-
+ PC = 0x%1 LR = 0x%2
diff --git a/dist/languages/ca.ts b/dist/languages/ca.ts
index 0ececae42..65b8ca894 100644
--- a/dist/languages/ca.ts
+++ b/dist/languages/ca.ts
@@ -365,13 +365,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -882,49 +882,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**Activa els serveis d'informes detallats**
-
+ **This will be reset automatically when yuzu closes.**Això es restablirà automàticament quan es tanqui yuzu.
-
- Restart Required
-
-
-
-
- yuzu is required to restart in order to apply this setting.
-
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugController
@@ -1343,7 +1323,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceSeqüència de tecles en conflicte
@@ -1364,27 +1344,37 @@ This would ban both their forum username and their IP address.
Invàlid
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultRestaurar el valor predeterminat
-
+ ClearEsborrar
-
+ Conflicting Button SequenceSeqüència de botons en conflicte
-
+ The default button sequence is already assigned to: %1La seqüència de botons per defecte ja està assignada a: %1
-
+ The default key sequence is already assigned to: %1La seqüència de tecles predeterminada ja ha estat assignada a: %1
@@ -3360,67 +3350,72 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les
-
+
+ Show Play Time Column
+
+
+
+ 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:
-
+ ScreenshotsCaptures 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3738,612 +3733,616 @@ Arrossegui els punts per a canviar la posició, o faci doble clic a les cel·les
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Es recullen dades anònimes</a> per ajudar a millorar yuzu. <br/><br/>Desitja compartir les seves dades d'ús amb nosaltres?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation Detected
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Carregant Web applet...
-
-
+
+ Disable Web AppletDesactivar el 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.)Desactivar l'Applet Web pot provocar comportaments indefinits i només hauria d'utilitzar-se amb Super Mario 3D All-Stars. Estàs segur de que vols desactivar l'Applet Web?
(Això pot ser reactivat als paràmetres Debug.)
-
+ The amount of shaders currently being builtLa quantitat de shaders que s'estan compilant actualment
-
+ The current selected resolution scaling multiplier.El multiplicador d'escala de resolució seleccionat actualment.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Velocitat d'emulació actual. Valors superiors o inferiors a 100% indiquen que l'emulació s'està executant més ràpidament o més lentament que a la Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Quants fotogrames per segon està mostrant el joc actualment. Això variarà d'un joc a un altre i d'una escena a una altra.
-
+ 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.Temps que costa emular un fotograma de la Switch, sense tenir en compte la limitació de fotogrames o la sincronització vertical. Per a una emulació òptima, aquest valor hauria de ser com a màxim de 16.67 ms.
-
+ Unmute
-
+ Mute
-
+ Reset Volume
-
+ &Clear Recent Files&Esborrar arxius recents
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Continuar
-
+ &Pause&Pausar
-
+ Warning Outdated Game FormatAdvertència format del joc desfasat
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Està utilitzant el format de directori de ROM deconstruït per a aquest joc, que és un format desactualitzat que ha sigut reemplaçat per altres, com NCA, NAX, XCI o NSP. Els directoris de ROM deconstruïts careixen d'icones, metadades i suport d'actualitzacions.<br><br>Per a obtenir una explicació dels diversos formats de Switch que suporta yuzu,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>faci una ullada a la nostra wiki</a>. Aquest missatge no es tornarà a mostrar.
-
+ Error while loading ROM!Error carregant la ROM!
-
+ The ROM format is not supported.El format de la ROM no està suportat.
-
+ An error occurred initializing the video core.S'ha produït un error inicialitzant el nucli de vídeo.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu ha trobat un error mentre executava el nucli de vídeo. Això sol ser causat per controladors de la GPU obsolets, inclosos els integrats. Si us plau, consulti el registre per a més detalls. Per obtenir més informació sobre com accedir al registre, consulti la següent pàgina: <a href='https://yuzu-emu.org/help/reference/log-files/'>Com carregar el fitxer de registre</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Error al carregar la ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Si us plau, segueixi <a href='https://yuzu-emu.org/help/quickstart/'>la guia d'inici de yuzu</a> per a bolcar de nou els seus fitxers.<br>Pot consultar la wiki de yuzu wiki</a> o el Discord de yuzu</a> per obtenir ajuda.
-
+ An unknown error occurred. Please see the log for more details.S'ha produït un error desconegut. Si us plau, consulti el registre per a més detalls.
-
+ (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...S'està tancant el programari
-
+ Save DataDades de partides guardades
-
+ Mod DataDades de mods
-
+ Error Opening %1 FolderError obrint la carpeta %1
-
-
+
+ Folder does not exist!La carpeta no existeix!
-
+ Error Opening Transferable Shader CacheError obrint la cache transferible de shaders
-
+ Failed to create the shader cache directory for this title.No s'ha pogut crear el directori de la cache dels shaders per aquest títol.
-
+ Error Removing Contents
-
+ Error Removing Update
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ Remove Installed Game Update?
-
+ Remove Installed Game DLC?
-
+ Remove EntryEliminar entrada
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedS'ha eliminat correctament
-
+ Successfully removed the installed base game.S'ha eliminat correctament el joc base instal·lat.
-
+ The base game is not installed in the NAND and cannot be removed.El joc base no està instal·lat a la NAND i no pot ser eliminat.
-
+ Successfully removed the installed update.S'ha eliminat correctament l'actualització instal·lada.
-
+ There is no update installed for this title.No hi ha cap actualització instal·lada per aquest títol.
-
+ There are no DLC installed for this title.No hi ha cap DLC instal·lat per aquest títol.
-
+ Successfully removed %1 installed DLC.S'ha eliminat correctament %1 DLC instal·lat/s.
-
+ Delete OpenGL Transferable Shader Cache?Desitja eliminar la cache transferible de shaders d'OpenGL?
-
+ Delete Vulkan Transferable Shader Cache?Desitja eliminar la cache transferible de shaders de Vulkan?
-
+ Delete All Transferable Shader Caches?Desitja eliminar totes les caches transferibles de shaders?
-
+ Remove Custom Game Configuration?Desitja eliminar la configuració personalitzada del joc?
-
+ Remove Cache Storage?
-
+ Remove FileEliminar arxiu
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheError eliminant la cache transferible de shaders
-
-
+
+ A shader cache for this title does not exist.No existeix una cache de shaders per aquest títol.
-
+ Successfully removed the transferable shader cache.S'ha eliminat correctament la cache transferible de shaders.
-
+ Failed to remove the transferable shader cache.No s'ha pogut eliminar la cache transferible de shaders.
-
+ Error Removing Vulkan Driver Pipeline Cache
-
+ Failed to remove the driver pipeline cache.
-
-
+
+ Error Removing Transferable Shader CachesError al eliminar les caches de shaders transferibles
-
+ Successfully removed the transferable shader caches.Caches de shaders transferibles eliminades correctament.
-
+ Failed to remove the transferable shader cache directory.No s'ha pogut eliminar el directori de caches de shaders transferibles.
-
-
+
+ Error Removing Custom ConfigurationError eliminant la configuració personalitzada
-
+ A custom configuration for this title does not exist.No existeix una configuració personalitzada per aquest joc.
-
+ Successfully removed the custom game configuration.S'ha eliminat correctament la configuració personalitzada del joc.
-
+ Failed to remove the custom game configuration.No s'ha pogut eliminar la configuració personalitzada del joc.
-
-
+
+ RomFS Extraction Failed!La extracció de RomFS ha fallat!
-
+ There was an error copying the RomFS files or the user cancelled the operation.S'ha produït un error copiant els arxius RomFS o l'usuari ha cancel·lat la operació.
-
+ FullCompleta
-
+ SkeletonEsquelet
-
+ Select RomFS Dump ModeSeleccioni el mode de bolcat de 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.Si us plau, seleccioni la forma en que desitja bolcar la RomFS.<br>Completa copiarà tots els arxius al nou directori mentre que<br>esquelet només crearà l'estructura de directoris.
-
+ 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 RootNo hi ha suficient espai lliure a %1 per extreure el RomFS. Si us plau, alliberi espai o esculli un altre directori de bolcat a Emulació > Configuració > Sistema > Sistema d'arxius > Carpeta arrel de bolcat
-
+ Extracting RomFS...Extraient RomFS...
-
-
-
-
+
+
+
+ CancelCancel·la
-
+ RomFS Extraction Succeeded!Extracció de RomFS completada correctament!
-
-
-
+
+
+ The operation completed successfully.L'operació s'ha completat correctament.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ Error Opening %1Error obrint %1
-
+ Select DirectorySeleccionar directori
-
+ PropertiesPropietats
-
+ The game properties could not be loaded.Les propietats del joc no s'han pogut carregar.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Executable de Switch (%1);;Tots els Arxius (*.*)
-
+ Load FileCarregar arxiu
-
+ Open Extracted ROM DirectoryObrir el directori de la ROM extreta
-
+ Invalid Directory SelectedDirectori seleccionat invàlid
-
+ The directory you have selected does not contain a 'main' file.El directori que ha seleccionat no conté un arxiu 'main'.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Arxiu de Switch Instal·lable (*.nca *.nsp *.xci);;Arxiu de Continguts Nintendo (*.nca);;Paquet d'enviament Nintendo (*.nsp);;Imatge de Cartutx NX (*.xci)
-
+ Install FilesInstal·lar arxius
-
+ %n file(s) remaining%n arxiu(s) restants%n arxiu(s) restants
-
+ Installing file "%1"...Instal·lant arxiu "%1"...
-
-
+
+ Install ResultsResultats instal·lació
-
+ 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 evitar possibles conflictes, no recomanem als usuaris que instal·lin jocs base a la NAND.
Si us plau, utilitzi aquesta funció només per a instal·lar actualitzacions i DLCs.
-
+ %n file(s) were newly installed
%n nou(s) arxiu(s) s'ha(n) instal·lat
@@ -4351,7 +4350,7 @@ Si us plau, utilitzi aquesta funció només per a instal·lar actualitzacions i
-
+ %n file(s) were overwritten
%n arxiu(s) s'han sobreescrit
@@ -4359,7 +4358,7 @@ Si us plau, utilitzi aquesta funció només per a instal·lar actualitzacions i
-
+ %n file(s) failed to install
%n arxiu(s) no s'han instal·lat
@@ -4367,339 +4366,371 @@ Si us plau, utilitzi aquesta funció només per a instal·lar actualitzacions i
-
+ System ApplicationAplicació del sistema
-
+ System ArchiveArxiu del sistema
-
+ System Application UpdateActualització de l'aplicació del sistema
-
+ Firmware Package (Type A)Paquet de firmware (Tipus A)
-
+ Firmware Package (Type B)Paquet de firmware (Tipus B)
-
+ GameJoc
-
+ Game UpdateActualització de joc
-
+ Game DLCDLC del joc
-
+ Delta TitleTítol delta
-
+ Select NCA Install Type...Seleccioni el tipus d'instal·lació NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Seleccioni el tipus de títol que desitja instal·lar aquest NCA com a:
(En la majoria dels casos, el valor predeterminat 'Joc' està bé.)
-
+ Failed to InstallHa fallat la instal·lació
-
+ The title type you selected for the NCA is invalid.El tipus de títol seleccionat per el NCA és invàlid.
-
+ File not foundArxiu no trobat
-
+ File "%1" not foundArxiu "%1" no trobat
-
+ OKD'acord
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu AccountFalta el compte de yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Per tal d'enviar un cas de prova de compatibilitat de joc, ha de vincular el seu compte de yuzu.<br><br/>Per a vincular el seu compte de yuzu, vagi a Emulació & gt; Configuració & gt; Web.
-
+ Error opening URLError obrint URL
-
+ Unable to open the URL "%1".No es pot obrir la URL "%1".
-
+ TAS RecordingGravació TAS
-
+ Overwrite file of player 1?Sobreescriure l'arxiu del jugador 1?
-
+ Invalid config detectedConfiguració invàlida detectada
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.El controlador del mode portàtil no es pot fer servir en el mode acoblat. Es seleccionarà el controlador Pro en el seu lloc.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedL'amiibo actual ha sigut eliminat
-
+ ErrorError
-
-
+
+ The current game is not looking for amiibosEl joc actual no està buscant amiibos
-
+ Amiibo File (%1);; All Files (*.*)Arxiu Amiibo (%1);; Tots els Arxius (*.*)
-
+ Load AmiiboCarregar Amiibo
-
+ Error loading Amiibo dataError al carregar les dades d'Amiibo
-
+ The selected file is not a valid amiibo
-
+ The selected file is already on use
-
+ An unknown error occurred
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotCaptura de pantalla
-
+ PNG Image (*.png)Imatge PNG (*.png)
-
+ TAS state: Running %1/%2Estat TAS: executant %1/%2
-
+ TAS state: Recording %1Estat TAS: gravant %1
-
+ TAS state: Idle %1/%2Estat TAS: inactiu %1/%2
-
+ TAS State: InvalidEstat TAS: invàlid
-
+ &Stop Running&Parar l'execució
-
+ &Start&Iniciar
-
+ Stop R&ecordingParar g&ravació
-
+ R&ecordG&ravar
-
+ Building: %n shader(s)Construint: %n shader(s)Construint: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorEscala: %1x
-
+ Speed: %1% / %2%Velocitat: %1% / %2%
-
+ Speed: %1%Velocitat: %1%
-
+ Game: %1 FPS (Unlocked)Joc: %1 FPS (desbloquejat)
-
+ Game: %1 FPSJoc: %1 FPS
-
+ Frame: %1 msFotograma: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AASENSE AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key RederivationConfirmi la clau de rederivació
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4716,37 +4747,37 @@ i opcionalment faci còpies de seguretat.
Això eliminarà els arxius de les claus generats automàticament i tornarà a executar el mòdul de derivació de claus.
-
+ Missing fusesFalten fusibles
-
+ - Missing BOOT0 - Falta BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Falta BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Falta PRODINFO
-
+ Derivation Components MissingFalten components de derivació
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Falten les claus d'encriptació. <br>Si us plau, segueixi <a href='https://yuzu-emu.org/help/quickstart/'>la guia ràpida de yuzu</a> per a obtenir totes les seves claus, firmware i jocs.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4755,49 +4786,49 @@ Això pot prendre fins a un minut depenent
del rendiment del seu sistema.
-
+ Deriving KeysDerivant claus
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetSeleccioni el destinatari per a bolcar el RomFS
-
+ Please select which RomFS you would like to dump.Si us plau, seleccioni quin RomFS desitja bolcar.
-
+ Are you sure you want to close yuzu?Està segur de que vol tancar yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Està segur de que vol aturar l'emulació? Qualsevol progrés no guardat es perdrà.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4949,241 +4980,251 @@ Desitja tancar-lo de totes maneres?
GameList
-
+ FavoritePreferit
-
+ Start GameIniciar el joc
-
+ Start Game without Custom ConfigurationIniciar el joc sense la configuració personalitzada
-
+ Open Save Data LocationObrir la ubicació dels arxius de partides guardades
-
+ Open Mod Data LocationObrir la ubicació dels mods
-
+ Open Transferable Pipeline CacheObrir cache transferible de shaders de canonada
-
+ RemoveEliminar
-
+ Remove Installed UpdateEliminar actualització instal·lada
-
+ Remove All Installed DLCEliminar tots els DLC instal·lats
-
+ Remove Custom ConfigurationEliminar configuració personalitzada
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline CacheEliminar cache de canonada d'OpenGL
-
+ Remove Vulkan Pipeline CacheEliminar cache de canonada de Vulkan
-
+ Remove All Pipeline CachesEliminar totes les caches de canonada
-
+ Remove All Installed ContentsEliminar tots els continguts instal·lats
-
-
+
+ Dump RomFSBolcar RomFS
-
+ Dump RomFS to SDMCBolcar RomFS a SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardCopiar la ID del títol al porta-retalls
-
+ Navigate to GameDB entryNavegar a l'entrada de GameDB
-
+ Create Shortcut
-
+ Add to Desktop
-
+ Add to Applications Menu
-
+ PropertiesPropietats
-
+ Scan SubfoldersEscanejar subdirectoris
-
+ Remove Game DirectoryEliminar directori de jocs
-
+ ▲ Move Up▲ Moure amunt
-
+ ▼ Move Down▼ Move avall
-
+ Open Directory LocationObre ubicació del directori
-
+ ClearEsborrar
-
+ NameNom
-
+ CompatibilityCompatibilitat
-
+ Add-onsComplements
-
+ File typeTipus d'arxiu
-
+ SizeMida
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingame
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
+ PerfectPerfecte
-
+ Game can be played without issues.
-
+ Playable
-
+ Game functions with minor graphical or audio glitches and is playable from start to finish.
-
+ Intro/MenuIntro / Menú
-
+ Game loads, but is unable to progress past the Start Screen.
-
+ Won't BootNo engega
-
+ The game crashes when attempting to startup.El joc es bloqueja al intentar iniciar.
-
+ Not TestedNo provat
-
+ The game has not yet been tested.Aquest joc encara no ha estat provat.
@@ -5191,7 +5232,7 @@ Desitja tancar-lo de totes maneres?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listFaci doble clic per afegir un nou directori a la llista de jocs
@@ -5204,12 +5245,12 @@ Desitja tancar-lo de totes maneres?
%1 de %n resultat(s)%1 de %n resultat(s)
-
+ Filter:Filtre:
-
+ Enter pattern to filterIntrodueixi patró per a filtrar
@@ -5326,6 +5367,7 @@ Debug Message:
+ Main Window
@@ -5431,6 +5473,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5669,186 +5716,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &Help&Ajuda
-
+ &Install Files to NAND...&instal·lar arxius a la NAND...
-
+ L&oad File...C&arregar arxiu...
-
+ Load &Folder...Carregar &carpeta...
-
+ E&xitS&ortir
-
+ &Pause&Pausar
-
+ &Stop&Aturar
-
+ &Reinitialize keys...&Reinicialitzar claus...
-
+ &Verify Installed Contents
-
+ &About yuzu&Sobre yuzu
-
+ Single &Window ModeMode una sola &finestra
-
+ Con&figure...Con&figurar...
-
+ Display D&ock Widget HeadersMostrar complements de capçalera del D&ock
-
+ Show &Filter BarMostrar la barra de &filtre
-
+ Show &Status BarMostrar la barra d'&estat
-
+ Show Status BarMostrar barra d'estat
-
+ &Browse Public Game Lobby
-
+ &Create Room
-
+ &Leave Room
-
+ &Direct Connect to Room
-
+ &Show Current Room
-
+ F&ullscreenP&antalla completa
-
+ &Restart&Reiniciar
-
+ Load/Remove &Amiibo...Carregar/Eliminar &Amiibo...
-
+ &Report Compatibility&Informar de compatibilitat
-
+ Open &Mods PageObrir la pàgina de &mods
-
+ Open &Quickstart GuideObre la guia d'&inici ràpid
-
+ &FAQ&Preguntes freqüents
-
+ Open &yuzu FolderObrir la carpeta de &yuzu
-
+ &Capture Screenshot&Captura de pantalla
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...&Configurar TAS...
-
+ Configure C&urrent Game...Configurar joc a&ctual...
-
+ &Start&Iniciar
-
+ &Reset&Reiniciar
-
+ R&ecordE&nregistrar
@@ -6152,27 +6229,27 @@ p, li { white-space: pre-wrap; }
-
+ Installed SD TitlesTítols instal·lats a la SD
-
+ Installed NAND TitlesTítols instal·lats a la NAND
-
+ System TitlesTítols del sistema
-
+ Add New Game DirectoryAfegir un nou directori de jocs
-
+ FavoritesPreferits
@@ -6698,7 +6775,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerControlador Pro
@@ -6711,7 +6788,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoycons duals
@@ -6724,7 +6801,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon esquerra
@@ -6737,7 +6814,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon dret
@@ -6766,7 +6843,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldPortàtil
@@ -6882,32 +6959,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerControlador de GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerControlador NES
-
+ SNES ControllerControlador SNES
-
+ N64 ControllerControlador N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/cs.ts b/dist/languages/cs.ts
index 899725ed4..efe3559b6 100644
--- a/dist/languages/cs.ts
+++ b/dist/languages/cs.ts
@@ -365,13 +365,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -876,49 +876,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**
-
+ **This will be reset automatically when yuzu closes.
-
- Restart Required
-
-
-
-
- yuzu is required to restart in order to apply this setting.
-
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugController
@@ -1337,7 +1317,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceProtichůdné klávesové sekvence
@@ -1358,27 +1338,37 @@ This would ban both their forum username and their IP address.
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultVrátit výchozí nastavení
-
+ ClearVyčistit
-
+ Conflicting Button Sequence
-
+ The default button sequence is already assigned to: %1
-
+ The default key sequence is already assigned to: %1Výchozí klávesová sekvence je již přiřazena k: %1
@@ -3354,67 +3344,72 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:
-
+ Folder Icon Size:
-
+ Row 1 Text:Text řádku 1:
-
+ Row 2 Text:Text řádku 2:
-
+ ScreenshotsSní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:
-
+ Select Screenshots Path...Vyberte cestu ke snímkům obrazovky...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3732,961 +3727,997 @@ Táhněte body pro změnu pozice nebo dvojitě klikněte na buňky tabulky pro z
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymní data jsou sbírána</a> pro vylepšení yuzu. <br/><br/>Chcete s námi sdílet anonymní data?
-
+ TelemetryTelemetry
-
+ Broken Vulkan Installation Detected
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Načítání Web Appletu...
-
-
+
+ Disable Web AppletZakázat 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 builtPočet aktuálně sestavovaných shaderů
-
+ 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.Aktuální emulační rychlost. Hodnoty vyšší než 100% indikují, že emulace běží rychleji nebo pomaleji než na Switchi.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Kolik snímků za sekundu aktuálně hra zobrazuje. Tohle závisí na hře od hry a scény od scény.
-
+ 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.Čas potřebný na emulaci framu scény, nepočítá se limit nebo v-sync. Pro plnou rychlost by se tohle mělo pohybovat okolo 16.67 ms.
-
+ Unmute
-
+ Mute
-
+ Reset Volume
-
+ &Clear Recent Files&Vymazat poslední soubory
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Pokračovat
-
+ &Pause&Pauza
-
+ Warning Outdated Game FormatVarování Zastaralý Formát Hry
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Používáte rozbalený formát hry, který je zastaralý a byl nahrazen jinými jako NCA, NAX, XCI, nebo NSP. Rozbalená ROM nemá ikony, metadata, a podporu updatů.<br><br>Pro vysvětlení všech možných podporovaných typů, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>zkoukni naší wiki</a>. Tato zpráva se nebude znova zobrazovat.
-
+ Error while loading ROM!Chyba při načítání ROM!
-
+ The ROM format is not supported.Tento formát ROM není podporován.
-
+ An error occurred initializing the video core.Nastala chyba při inicializaci jádra videa.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Chyba při načítání ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Pro extrakci souborů postupujte podle <a href='https://yuzu-emu.org/help/quickstart/'>rychlého průvodce yuzu</a>. Nápovědu naleznete na <br>wiki</a> nebo na Discordu</a>.
-
+ An unknown error occurred. Please see the log for more details.Nastala chyba. Koukni do logu.
-
+ (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 DataUložit data
-
+ Mod DataMódovat Data
-
+ Error Opening %1 FolderChyba otevírání složky %1
-
-
+
+ Folder does not exist!Složka neexistuje!
-
+ Error Opening Transferable Shader CacheChyba při otevírání přenositelné mezipaměti shaderů
-
+ Failed to create the shader cache directory for this title.
-
+ Error Removing Contents
-
+ Error Removing Update
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ Remove Installed Game Update?
-
+ Remove Installed Game DLC?
-
+ Remove EntryOdebrat položku
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedÚspěšně odebráno
-
+ Successfully removed the installed base game.Úspěšně odebrán nainstalovaný základ hry.
-
+ The base game is not installed in the NAND and cannot be removed.Základ hry není nainstalovaný na NAND a nemůže být odstraněn.
-
+ Successfully removed the installed update.Úspěšně odebrána nainstalovaná aktualizace.
-
+ There is no update installed for this title.Není nainstalovaná žádná aktualizace pro tento titul.
-
+ There are no DLC installed for this title.Není nainstalované žádné DLC pro tento titul.
-
+ Successfully removed %1 installed DLC.Úspěšně odstraněno %1 nainstalovaných DLC.
-
+ Delete OpenGL Transferable Shader Cache?
-
+ Delete Vulkan Transferable Shader Cache?
-
+ Delete All Transferable Shader Caches?
-
+ Remove Custom Game Configuration?Odstranit vlastní konfiguraci hry?
-
+ Remove Cache Storage?
-
+ Remove FileOdstranit soubor
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheChyba při odstraňování přenositelné mezipaměti shaderů
-
-
+
+ A shader cache for this title does not exist.Mezipaměť shaderů pro tento titul neexistuje.
-
+ Successfully removed the transferable shader cache.Přenositelná mezipaměť shaderů úspěšně odstraněna
-
+ Failed to remove the transferable shader cache.Nepodařilo se odstranit přenositelnou mezipaměť shaderů
-
+ 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 ConfigurationChyba při odstraňování vlastní konfigurace hry
-
+ A custom configuration for this title does not exist.Vlastní konfigurace hry pro tento titul neexistuje.
-
+ Successfully removed the custom game configuration.Úspěšně odstraněna vlastní konfigurace hry.
-
+ Failed to remove the custom game configuration.Nepodařilo se odstranit vlastní konfiguraci hry.
-
-
+
+ RomFS Extraction Failed!Extrakce RomFS se nepovedla!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Nastala chyba při kopírování RomFS souborů, nebo uživatel operaci zrušil.
-
+ FullPlný
-
+ SkeletonKostra
-
+ Select RomFS Dump ModeVyber 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.Vyber jak by si chtěl RomFS vypsat.<br>Plné zkopíruje úplně všechno, ale<br>kostra zkopíruje jen strukturu složky.
-
+ 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...Extrahuji RomFS...
-
-
-
-
+
+
+
+ CancelZrušit
-
+ RomFS Extraction Succeeded!Extrakce RomFS se povedla!
-
-
-
+
+
+ The operation completed successfully.Operace byla dokončena úspěšně.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ Error Opening %1Chyba při otevírání %1
-
+ Select DirectoryVybraná Složka
-
+ PropertiesVlastnosti
-
+ The game properties could not be loaded.Herní vlastnosti nemohly být načteny.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch Executable (%1);;Všechny soubory (*.*)
-
+ Load FileNačíst soubor
-
+ Open Extracted ROM DirectoryOtevřít složku s extrahovanou ROM
-
+ Invalid Directory SelectedVybraná složka je neplatná
-
+ The directory you have selected does not contain a 'main' file.Složka kterou jste vybrali neobsahuje soubor "main"
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Instalovatelný soubor pro Switch (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstalovat Soubory
-
+ %n file(s) remaining
-
+ Installing file "%1"...Instalování souboru "%1"...
-
-
+
+ Install ResultsVýsledek instalace
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Abychom předešli možným konfliktům, nedoporučujeme uživatelům instalovat základní hry na paměť NAND.
Tuto funkci prosím používejte pouze k instalaci aktualizací a DLC.
-
+ %n file(s) were newly installed
-
+ %n file(s) were overwritten
-
+ %n file(s) failed to install
-
+ System ApplicationSystémová Aplikace
-
+ System ArchiveSystémový archív
-
+ System Application UpdateSystémový Update Aplikace
-
+ Firmware Package (Type A)Firmware-ový baliček (Typu A)
-
+ Firmware Package (Type B)Firmware-ový baliček (Typu B)
-
+ GameHra
-
+ Game UpdateUpdate Hry
-
+ Game DLCHerní DLC
-
+ Delta TitleDelta Title
-
+ Select NCA Install Type...Vyberte typ instalace NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Vyberte typ title-u, který chcete nainstalovat tenhle NCA jako:
(Většinou základní "game" stačí.)
-
+ Failed to InstallChyba v instalaci
-
+ The title type you selected for the NCA is invalid.Tento typ pro tento NCA není platný.
-
+ File not foundSoubor nenalezen
-
+ File "%1" not foundSoubor "%1" nenalezen
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu AccountChybí účet yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Pro přidání recenze kompatibility je třeba mít účet yuzu<br><br/>Pro nalinkování yuzu účtu jdi do Emulace > Konfigurace > Web.
-
+ Error opening URLChyba při otevírání URL
-
+ Unable to open the URL "%1".Nelze otevřít URL "%1".
-
+ TAS Recording
-
+ Overwrite file of player 1?
-
+ Invalid config detectedZjištěno neplatné nastavení
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Ruční ovladač nelze používat v dokovacím režimu. Bude vybrán ovladač Pro Controller.
-
-
+
+ Amiibo
-
-
+
+ The current amiibo has been removed
-
+ Error
-
-
+
+ The current game is not looking for amiibos
-
+ Amiibo File (%1);; All Files (*.*)Soubor Amiibo (%1);; Všechny Soubory (*.*)
-
+ Load AmiiboNačíst Amiibo
-
+ Error loading Amiibo dataChyba načítání Amiiba
-
+ The selected file is not a valid amiibo
-
+ The selected file is already on use
-
+ An unknown error occurred
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotPořídit Snímek Obrazovky
-
+ PNG Image (*.png)PNG Image (*.png)
-
+ TAS state: Running %1/%2
-
+ TAS state: Recording %1
-
+ TAS state: Idle %1/%2
-
+ TAS State: Invalid
-
+ &Stop Running
-
+ &Start&Start
-
+ Stop R&ecording
-
+ R&ecord
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factor
-
+ Speed: %1% / %2%Rychlost: %1% / %2%
-
+ Speed: %1%Rychlost: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPSHra: %1 FPS
-
+ Frame: %1 msFrame: %1 ms
-
+ %1 %2%1 %2
-
+ FSR
-
+ NO AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key RederivationPotvďte Rederivaci Klíčů
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4703,37 +4734,37 @@ a udělejte si zálohu.
Toto vymaže věechny vaše automaticky generované klíče a znova spustí modul derivace klíčů.
-
+ Missing fusesChybí Fuses
-
+ - Missing BOOT0- Chybí BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Chybí BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Chybí PRODINFO
-
+ Derivation Components MissingChybé odvozené komponenty
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4742,49 +4773,49 @@ Tohle může zabrat až minutu
podle výkonu systému.
-
+ Deriving KeysDerivuji Klíče
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetVyberte Cíl vypsaní RomFS
-
+ Please select which RomFS you would like to dump.Vyberte, kterou RomFS chcete vypsat.
-
+ Are you sure you want to close yuzu?Jste si jist, že chcete zavřít yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Jste si jist, že chcete ukončit emulaci? Jakýkolic neuložený postup bude ztracen.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4936,241 +4967,251 @@ Opravdu si přejete ukončit tuto aplikaci?
GameList
-
+ FavoriteOblíbené
-
+ Start GameSpustit hru
-
+ Start Game without Custom ConfigurationSpustit hru bez vlastní konfigurace
-
+ Open Save Data LocationOtevřít Lokaci Savů
-
+ Open Mod Data LocationOtevřít Lokaci Modifikací
-
+ Open Transferable Pipeline Cache
-
+ RemoveOdstranit
-
+ Remove Installed UpdateOdstranit nainstalovanou aktualizaci
-
+ Remove All Installed DLCOdstranit všechny nainstalované DLC
-
+ Remove Custom ConfigurationOdstranit vlastní konfiguraci hry
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline Caches
-
+ Remove All Installed ContentsOdstranit všechen nainstalovaný obsah
-
-
+
+ Dump RomFSVypsat RomFS
-
+ Dump RomFS to SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardZkopírovat ID Titulu do schránky
-
+ Navigate to GameDB entryNavigovat do GameDB
-
+ Create Shortcut
-
+ Add to Desktop
-
+ Add to Applications Menu
-
+ PropertiesVlastnosti
-
+ Scan SubfoldersProhledat podsložky
-
+ Remove Game DirectoryOdstranit složku se hrou
-
+ ▲ Move Up▲ Posunout nahoru
-
+ ▼ Move Down▼ Posunout dolů
-
+ Open Directory LocationOtevřít umístění složky
-
+ ClearVymazat
-
+ NameNázev
-
+ CompatibilityKompatibilita
-
+ Add-onsModifkace
-
+ File typeTyp-Souboru
-
+ SizeVelikost
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingame
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
+ PerfectPerfektní
-
+ Game can be played without issues.
-
+ Playable
-
+ Game functions with minor graphical or audio glitches and is playable from start to finish.
-
+ Intro/MenuIntro/Menu
-
+ Game loads, but is unable to progress past the Start Screen.
-
+ Won't BootNebootuje
-
+ The game crashes when attempting to startup.Hra crashuje při startu.
-
+ Not TestedNetestováno
-
+ The game has not yet been tested.Hra ještě nebyla testována
@@ -5178,7 +5219,7 @@ Opravdu si přejete ukončit tuto aplikaci?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDvojitým kliknutím přidáte novou složku do seznamu her
@@ -5191,12 +5232,12 @@ Opravdu si přejete ukončit tuto aplikaci?
-
+ Filter:Filtr:
-
+ Enter pattern to filterZadejte filtr
@@ -5313,6 +5354,7 @@ Debug Message:
+ Main Window
@@ -5418,6 +5460,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5655,186 +5702,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS
-
+ &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&xitE&xit
-
+ &Pause&Pauza
-
+ &Stop&Stop
-
+ &Reinitialize keys...&Znovu inicializovat klíče...
-
+ &Verify Installed Contents
-
+ &About yuzuO &aplikaci yuzu
-
+ Single &Window Mode&Režim jednoho okna
-
+ Con&figure...&Nastavení
-
+ Display D&ock Widget HeadersZobrazit záhlaví widgetů d&oku
-
+ Show &Filter BarZobrazit &filtrovací panel
-
+ Show &Status BarZobrazit &stavový řádek
-
+ Show Status BarZobrazit Staus Bar
-
+ &Browse Public Game Lobby
-
+ &Create Room
-
+ &Leave Room
-
+ &Direct Connect to Room
-
+ &Show Current Room
-
+ F&ullscreen&Celá obrazovka
-
+ &Restart&Restartovat
-
+ Load/Remove &Amiibo...
-
+ &Report Compatibility&Nahlásit kompatibilitu
-
+ Open &Mods PageOtevřít stránku s &modifikacemi
-
+ Open &Quickstart GuideOtevřít &rychlého průvodce
-
+ &FAQČasto &kladené otázky
-
+ Open &yuzu FolderOtevřít složku s &yuzu
-
+ &Capture ScreenshotZa&chytit snímek obrazovky
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
+
+ Open &Album
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+
+
+
+
+ &Configure TAS...
+
+
+
+ Configure C&urrent Game...Nastavení současné hry
-
+ &Start&Start
-
+ &Reset
-
+ R&ecord
@@ -6138,27 +6215,27 @@ p, li { white-space: pre-wrap; }
-
+ Installed SD TitlesNainstalované SD tituly
-
+ Installed NAND TitlesNainstalované NAND tituly
-
+ System TitlesSystémové tituly
-
+ Add New Game DirectoryPřidat novou složku s hrami
-
+ FavoritesOblíbené
@@ -6684,7 +6761,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6697,7 +6774,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsOba Joycony
@@ -6710,7 +6787,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconLevý Joycon
@@ -6723,7 +6800,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconPravý Joycon
@@ -6752,7 +6829,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6868,32 +6945,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerOvladač GameCube
-
+ Poke Ball Plus
-
+ NES Controller
-
+ SNES Controller
-
+ N64 Controller
-
+ Sega Genesis
diff --git a/dist/languages/da.ts b/dist/languages/da.ts
index 96fa73cc0..da4816f5b 100644
--- a/dist/languages/da.ts
+++ b/dist/languages/da.ts
@@ -373,13 +373,13 @@ Dette vil bandlyse både vedkommendes forum-brugernavn og IP-adresse.%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -890,49 +890,29 @@ Dette vil bandlyse både vedkommendes forum-brugernavn og IP-adresse.
- Create Minidump After Crash
- Opret Minidump Efter Nedbrud
-
-
- 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**
-
+ Enable Verbose Reporting Services**Aktivér Vitterlig Rapporteringstjeneste
-
+ **This will be reset automatically when yuzu closes.**Dette vil automatisk blive nulstillet, når yuzu lukkes.
-
- Restart Required
- Genstart Kræves
-
-
-
- yuzu is required to restart in order to apply this setting.
- Yuzu kræver en genstart, for at anvende denne indstilling.
-
-
-
+ Web applet not compiledNet-applet ikke kompileret
-
-
- MiniDump creation not compiled
- MiniDump oprettelse ikke kompileret
- ConfigureDebugController
@@ -1351,7 +1331,7 @@ Dette vil bandlyse både vedkommendes forum-brugernavn og IP-adresse.
-
+ Conflicting Key SequenceModstridende Tastesekvens
@@ -1372,27 +1352,37 @@ Dette vil bandlyse både vedkommendes forum-brugernavn og IP-adresse.
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultGendan Standard
-
+ ClearRyd
-
+ Conflicting Button Sequence
-
+ The default button sequence is already assigned to: %1
-
+ The default key sequence is already assigned to: %1Standard-tastesekvensen er allerede tilegnet: %1
@@ -3368,67 +3358,72 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r
-
+
+ Show Play Time Column
+
+
+
+ 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:
-
+ ScreenshotsSkæ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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3746,959 +3741,995 @@ Træk punkter, for at skifte position, eller dobbeltklik i tabelceller, for at r
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonym data indsamles</a>, for at hjælp med, at forbedre yuzu. <br/><br/>Kunne du tænke dig, at dele dine brugsdata med os?
-
+ TelemetryTelemetri
-
+ Broken Vulkan Installation Detected
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Indlæser Net-Applet...
-
-
+
+ Disable Web AppletDeaktivér Net-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.Aktuel emuleringshastighed. Værdier højere eller lavere end 100% indikerer, at emulering kører hurtigere eller langsommere end en 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
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue
-
+ &Pause
-
+ Warning Outdated Game FormatAdvarsel, Forældet Spilformat
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.
-
+ Error while loading ROM!Fejl under indlæsning af ROM!
-
+ The ROM format is not supported.ROM-formatet understøttes ikke.
-
+ An error occurred initializing the video core.Der skete en fejl under initialisering af video-kerne.
-
+ yuzu 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-emu.org/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 follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> 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 FolderFejl ved Åbning af %1 Mappe
-
-
+
+ Folder does not exist!Mappe eksisterer ikke!
-
+ Error Opening Transferable Shader Cache
-
+ Failed to create the shader cache directory for this title.
-
+ Error Removing Contents
-
+ Error Removing Update
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ Remove Installed Game Update?
-
+ Remove Installed Game DLC?
-
+ Remove Entry
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.
-
+ Successfully removed %1 installed DLC.
-
+ 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?
+
+
+
+
+ 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.
-
-
+
+ RomFS Extraction Failed!RomFS-Udpakning Mislykkedes!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Der skete en fejl ved kopiering af RomFS-filerne, eller brugeren afbrød opgaven.
-
+ FullFuld
-
+ SkeletonSkelet
-
+ Select RomFS Dump ModeVælg RomFS-Nedfældelsestilstand
-
+ 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...Udpakker RomFS...
-
-
-
-
+
+
+
+ CancelAfbryd
-
+ RomFS Extraction Succeeded!RomFS-Udpakning Lykkedes!
-
-
-
+
+
+ The operation completed successfully.Fuldførelse af opgaven lykkedes.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ Error Opening %1Fejl ved Åbning af %1
-
+ Select DirectoryVælg Mappe
-
+ PropertiesEgenskaber
-
+ The game properties could not be loaded.Spil-egenskaberne kunne ikke indlæses.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch-Eksekverbar (%1);;Alle filer (*.*)
-
+ Load FileIndlæs Fil
-
+ Open Extracted ROM DirectoryÅbn Udpakket ROM-Mappe
-
+ Invalid Directory SelectedUgyldig Mappe Valgt
-
+ 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ér fil "%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 ApplicationSystemapplikation
-
+ System ArchiveSystemarkiv
-
+ System Application UpdateSystemapplikationsopdatering
-
+ Firmware Package (Type A)Firmwarepakke (Type A)
-
+ Firmware Package (Type B)Firmwarepakke (Type B)
-
+ GameSpil
-
+ Game UpdateSpilopdatering
-
+ Game DLCSpiludvidelse
-
+ Delta TitleDelta-Titel
-
+ Select NCA Install Type...Vælg NCA-Installationstype...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)
-
+ Failed to InstallInstallation mislykkedes
-
+ The title type you selected for the NCA is invalid.
-
+ File not foundFil ikke fundet
-
+ File "%1" not foundFil "%1" ikke fundet
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu AccountManglende yuzu-Konto
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.
-
+ 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 (*.*)Amiibo-Fil (%1);; Alle Filer (*.*)
-
+ Load AmiiboIndlæs Amiibo
-
+ Error loading Amiibo dataFejl ved indlæsning af Amiibo-data
-
+ The selected file is not a valid amiibo
-
+ The selected file is already on use
-
+ An unknown error occurred
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotOptag Skærmbillede
-
+ PNG Image (*.png)PNG-Billede (*.png)
-
+ TAS state: Running %1/%2
-
+ TAS state: Recording %1
-
+ TAS state: Idle %1/%2
-
+ TAS State: Invalid
-
+ &Stop Running
-
+ &Start
-
+ Stop R&ecording
-
+ R&ecord
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factor
-
+ Speed: %1% / %2%Hastighed: %1% / %2%
-
+ Speed: %1%Hastighed: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPSSpil: %1 FPS
-
+ Frame: %1 msBillede: %1 ms
-
+ %1 %2
-
+ FSR
-
+ NO AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key Rederivation
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4709,86 +4740,86 @@ This will delete your autogenerated key files and re-run the key derivation modu
-
+ Missing fuses
-
+ - Missing BOOT0
-
+ - Missing BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO
-
+ Derivation Components Missing
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
-
+ Deriving Keys
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump Target
-
+ Please select which RomFS you would like to dump.
-
+ Are you sure you want to close yuzu?Er du sikker på, at du vil lukke yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Er du sikker på, at du vil stoppe emulereingen? Enhver ulagret data, vil gå tabt.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4938,241 +4969,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ 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
-
+ RemoveFjern
-
+ Remove Installed Update
-
+ Remove All Installed DLC
-
+ Remove Custom Configuration
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline Caches
-
+ Remove All Installed Contents
-
-
+
+ Dump RomFS
-
+ Dump RomFS to SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardKopiér Titel-ID til Udklipsholder
-
+ Navigate to GameDB entry
-
+ Create Shortcut
-
+ Add to Desktop
-
+ Add to Applications Menu
-
+ PropertiesEgenskaber
-
+ Scan Subfolders
-
+ Remove Game Directory
-
+ ▲ Move Up
-
+ ▼ Move Down
-
+ Open Directory Location
-
+ ClearRyd
-
+ NameNavn
-
+ CompatibilityKompatibilitet
-
+ Add-onsTilføjelser
-
+ File typeFiltype
-
+ SizeStørrelse
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingame
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
+ PerfectPerfekt
-
+ Game can be played without issues.
-
+ Playable
-
+ Game functions with minor graphical or audio glitches and is playable from start to finish.
-
+ Intro/MenuIntro/Menu
-
+ Game loads, but is unable to progress past the Start Screen.
-
+ Won't BootStarter Ikke Op
-
+ The game crashes when attempting to startup.
-
+ Not TestedIkke Afprøvet
-
+ The game has not yet been tested.Spillet er endnu ikke blevet afprøvet.
@@ -5180,7 +5221,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game list
@@ -5193,12 +5234,12 @@ Would you like to bypass this and exit anyway?
-
+ Filter:Filter:
-
+ Enter pattern to filter
@@ -5315,6 +5356,7 @@ Debug Message:
+ Main Window
@@ -5420,6 +5462,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5657,186 +5704,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS
-
+ &Help&Hjælp
-
+ &Install Files to NAND...
-
+ L&oad File...
-
+ Load &Folder...
-
+ E&xit
-
+ &Pause
-
+ &Stop
-
+ &Reinitialize keys...
-
+ &Verify Installed Contents
-
+ &About yuzu
-
+ Single &Window Mode
-
+ Con&figure...
-
+ Display D&ock Widget Headers
-
+ Show &Filter Bar
-
+ Show &Status Bar
-
+ Show Status BarVis 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
-
+ Open &yuzu Folder
-
+ &Capture Screenshot
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
+
+ Open &Album
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+
+
+
+
+ &Configure TAS...
+
+
+
+ Configure C&urrent Game...
-
+ &Start
-
+ &Reset
-
+ R&ecord
@@ -6136,27 +6213,27 @@ p, li { white-space: pre-wrap; }
-
+ Installed SD TitlesInstallerede SD-Titler
-
+ Installed NAND TitlesInstallerede NAND-Titler
-
+ System TitlesSystemtitler
-
+ Add New Game DirectoryTilføj Ny Spilmappe
-
+ Favorites
@@ -6682,7 +6759,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro-Styringsenhed
@@ -6695,7 +6772,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsDobbelt-Joycon
@@ -6708,7 +6785,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconVenstre Joycon
@@ -6721,7 +6798,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconHøjre Joycon
@@ -6750,7 +6827,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHåndholdt
@@ -6866,32 +6943,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube-Styringsenhed
-
+ Poke Ball Plus
-
+ NES Controller
-
+ SNES Controller
-
+ N64 Controller
-
+ Sega Genesis
diff --git a/dist/languages/de.ts b/dist/languages/de.ts
index 263c11158..e11d96da6 100644
--- a/dist/languages/de.ts
+++ b/dist/languages/de.ts
@@ -372,16 +372,16 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.%
-
+ Auto (%1)Auto select time zone
-
+ Automatisch (%1)
-
+ Default (%1)Default time zone
-
+ Standard (%1)
@@ -756,7 +756,7 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
Disable Loop safety checks
-
+ Loop-safety-checks deaktivieren
@@ -831,7 +831,7 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
Enable Renderdoc Hotkey
-
+ Renderdoc-Hotkey aktivieren
@@ -890,49 +890,29 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
- Create Minidump After Crash
- Minidump nach Absturz erstellen
-
-
- 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**
-
+ Enable Verbose Reporting Services** Ausführliche Berichtsdienste aktivieren**
-
+ **This will be reset automatically when yuzu closes.**Dies wird automatisch beim Schließen von yuzu zurückgesetzt.
-
- Restart Required
- Neustart erforderlich
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu muss neugestartet werden, damit diese Einstellungen übernommen werden können.
-
-
-
+ Web applet not compiledWeb-Applet nicht kompiliert
-
-
- MiniDump creation not compiled
- MiniDump-Erstellung nicht kompiliert
- ConfigureDebugController
@@ -1351,7 +1331,7 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
-
+ Conflicting Key SequenceTastensequenz bereits belegt
@@ -1372,27 +1352,37 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.Ungültig
-
+
+ Invalid hotkey settings
+ Ungültige Hotkey-Einstellungen
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultStandardwerte wiederherstellen
-
+ ClearLöschen
-
+ Conflicting Button SequenceWidersprüchliche Tastenfolge
-
+ The default button sequence is already assigned to: %1Die Standard Tastenfolge ist bereits belegt von: %1
-
+ The default key sequence is already assigned to: %1Die Standard-Sequenz ist bereits vergeben an: %1
@@ -1678,7 +1668,7 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
Debug Controller
- Debug Controller
+ Debug-Controller
@@ -2068,7 +2058,7 @@ Dies würde deren Forum Benutzernamen und deren IP-Adresse sperren.
Mouse panning
-
+ Maus-Panning
@@ -2366,7 +2356,7 @@ Um die Achsen umzukehren, bewege den Joystick zuerst vertikal und dann horizonta
Touch from button profile:
-
+ Berührung des Button-Profils:
@@ -2505,7 +2495,7 @@ Um die Achsen umzukehren, bewege den Joystick zuerst vertikal und dann horizonta
Can be toggled via a hotkey. Default hotkey is Ctrl + F9
-
+ Kann mit einem Hotkey umgeschaltet werden. Standard-Hotkey ist STRG + F9
@@ -2539,17 +2529,17 @@ Um die Achsen umzukehren, bewege den Joystick zuerst vertikal und dann horizonta
Counteracts a game's built-in deadzone
-
+ Überschreibt spieleigene DeadzoneDeadzone
-
+ DeadzoneStick decay
-
+ Stick Abklingzeit
@@ -2570,7 +2560,8 @@ Um die Achsen umzukehren, bewege den Joystick zuerst vertikal und dann horizonta
Mouse panning works better with a deadzone of 0% and a range of 100%.
Current values are %1% and %2% respectively.
-
+ Das Bewegen der Maus funktioniert mit einer Deadzone zwischen 0% und 100% besser.
+Aktuell liegen die Werte bei %1% bzw. %2%.
@@ -2889,7 +2880,8 @@ Current values are %1% and %2% respectively.
Name: %1
UUID: %2
-
+ Name: %1
+UUID: %2
@@ -2902,7 +2894,7 @@ UUID: %2
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.
-
+ Um einen Ring-Con zu nutzen, konfiguriere Spieler 1 als rechten Joy-Con (als Eingabegerät und emulierter Controller), und Spieler 2 als linken Joy-Con (linker Joy-Con als Eingabegerät und als zwei Joy-Cons emuliert) vor dem Starten des Spieles.
@@ -3002,7 +2994,7 @@ UUID: %2
The current mapped device doesn't have a ring attached
-
+ Das aktuell genutzte Gerät ist nicht mit dem Ring-Con verbunden
@@ -3036,7 +3028,7 @@ UUID: %2
Core
-
+ Kern
@@ -3084,7 +3076,7 @@ UUID: %2
Pause execution during loads
-
+ Pausiere Ausführung während des Ladens
@@ -3360,78 +3352,83 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf
Show Size Column
-
+ "Größe"-Spalte anzeigenShow File Types Column
-
+ "Dateityp"-Spalte anzeigen
-
+
+ Show Play Time Column
+ "Spielzeit"-Spalte anzeigen
+
+
+ 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:
-
+ ScreenshotsScreenshots
-
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
-
+ Auto (%1 x %2, %3 x %4)
@@ -3565,7 +3562,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf
Web Service configuration can only be changed when a public room isn't being hosted.
-
+ Die Konfiguration des Webservice kann nur geändert werden, wenn kein öffentlicher Raum gehostet wird.
@@ -3643,7 +3640,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf
Unverified, please click Verify before saving configurationTooltip
-
+ Nicht verifiziert, vor dem Speichern Verifizieren wählen
@@ -3712,7 +3709,7 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf
<html><head/><body><p>Port number the host is listening on</p></body></html>
-
+ <html><head/><body><p>Port, welcher vom Host zum Empfangen verwendet wird</p></body></html>
@@ -3746,613 +3743,618 @@ Ziehe die Punkte mit deiner Maus, um ihre Position zu ändern. Doppelklicke auf
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonyme Daten werden gesammelt,</a> um yuzu zu verbessern.<br/><br/>Möchstest du deine Nutzungsdaten mit uns teilen?
-
+ TelemetryTelemetrie
-
+ Broken Vulkan Installation DetectedDefekte Vulkan-Installation erkannt
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Vulkan Initialisierung fehlgeschlagen.<br><br>Klicken Sie auf <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>für Instruktionen zur Problembehebung.</a>.
-
+ Running a gameTRANSLATORS: 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...Lade Web-Applet...
-
-
+
+ Disable Web AppletDeaktiviere die Web Applikation
-
+ 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.)
-
+ Deaktivieren des Web-Applets kann zu undefiniertem Verhalten führen, und sollte nur mit Super Mario 3D All-Stars benutzt werden. Bist du sicher, dass du das Web-Applet deaktivieren möchtest?
+(Dies kann in den Debug-Einstellungen wieder aktiviert werden.)
-
+ The amount of shaders currently being builtWie viele Shader im Moment kompiliert werden
-
+ The current selected resolution scaling multiplier.Der momentan ausgewählte Auflösungsskalierung Multiplikator.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Derzeitige Emulations-Geschwindigkeit. Werte höher oder niedriger als 100% zeigen, dass die Emulation scheller oder langsamer läuft als auf einer Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Wie viele Bilder pro Sekunde angezeigt werden variiert von Spiel zu Spiel und von Szene zu Szene.
-
+ 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.Zeit, die gebraucht wurde, um einen Switch-Frame zu emulieren, ohne Framelimit oder V-Sync. Für eine Emulation bei voller Geschwindigkeit sollte dieser Wert bei höchstens 16.67ms liegen.
-
+ UnmuteTon aktivieren
-
+ MuteStummschalten
-
+ Reset VolumeTon zurücksetzen
-
+ &Clear Recent Files&Zuletzt geladene Dateien leeren
-
+ Emulated mouse is enabledEmulierte Maus ist aktiviert
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Echte Mauseingabe und Mausschwenken sind nicht kompatibel. Bitte deaktivieren Sie die emulierte Maus in den erweiterten Eingabeeinstellungen, um das Schwenken der Maus zu ermöglichen.
-
+ &Continue&Fortsetzen
-
+ &Pause&Pause
-
+ Warning Outdated Game FormatWarnung veraltetes Spielformat
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Du nutzt eine entpackte ROM-Ordnerstruktur für dieses Spiel, welches ein veraltetes Format ist und von anderen Formaten wie NCA, NAX, XCI oder NSP überholt wurde. Entpackte ROM-Ordner unterstützen keine Icons, Metadaten oder Updates.<br><br><a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>Unser Wiki</a> enthält eine Erklärung der verschiedenen Formate, die yuzu unterstützt. Diese Nachricht wird nicht noch einmal angezeigt.
-
+ Error while loading ROM!ROM konnte nicht geladen werden!
-
+ The ROM format is not supported.ROM-Format wird nicht unterstützt.
-
+ An error occurred initializing the video core.Beim Initialisieren des Video-Kerns ist ein Fehler aufgetreten.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. Yuzu ist auf einen Fehler gestoßen beim Ausführen des Videokerns.
Dies ist in der Regel auf veraltete GPU Treiber zurückzuführen, integrierte GPUs eingeschlossen.
Bitte öffnen Sie die Log Datei für weitere Informationen. Für weitere Informationen wie Sie auf die Log Datei zugreifen, öffnen Sie bitte die folgende Seite: <a href='https://yuzu-emu.org/help/reference/log-files/'>Wie wird eine Log Datei hochgeladen?</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.ROM konnte nicht geladen werden! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Bitte folge der <a href='https://yuzu-emu.org/help/quickstart/'>yuzu-Schnellstart-Anleitung</a> um deine Dateien zu extrahieren.<br>Hilfe findest du im yuzu-Wiki</a> oder dem yuzu-Discord</a>.
-
+ An unknown error occurred. Please see the log for more details.Ein unbekannter Fehler ist aufgetreten. Bitte prüfe die Log-Dateien auf mögliche Fehlermeldungen.
-
+ (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...Schließe Software...
-
+ Save DataSpeicherdaten
-
+ Mod DataMod-Daten
-
+ Error Opening %1 FolderKonnte Verzeichnis %1 nicht öffnen
-
-
+
+ Folder does not exist!Verzeichnis existiert nicht!
-
+ Error Opening Transferable Shader CacheFehler beim Öffnen des transferierbaren Shader-Caches
-
+ Failed to create the shader cache directory for this title.Fehler beim erstellen des Shader-Cache-Ordner für den ausgewählten Titel.
-
+ Error Removing ContentsFehler beim Entfernen des Inhalts
-
+ Error Removing UpdateFehler beim Entfernen des Updates
-
+ Error Removing DLCFehler beim Entfernen des DLCs
-
+ Remove Installed Game Contents?Installierten Spiele-Content entfernen?
-
+ Remove Installed Game Update?Installierte Spiele-Updates entfernen?
-
+ Remove Installed Game DLC?Installierte Spiele-DLCs entfernen?
-
+ Remove EntryEintrag entfernen
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedErfolgreich entfernt
-
+ Successfully removed the installed base game.Das Spiel wurde entfernt.
-
+ The base game is not installed in the NAND and cannot be removed.Das Spiel ist nicht im NAND installiert und kann somit nicht entfernt werden.
-
+ Successfully removed the installed update.Das Update wurde entfernt.
-
+ There is no update installed for this title.Es ist kein Update für diesen Titel installiert.
-
+ There are no DLC installed for this title.Es sind keine DLC für diesen Titel installiert.
-
+ Successfully removed %1 installed DLC.%1 DLC entfernt.
-
+ Delete OpenGL Transferable Shader Cache?Transferierbaren OpenGL Shader Cache löschen?
-
+ Delete Vulkan Transferable Shader Cache?Transferierbaren Vulkan Shader Cache löschen?
-
+ Delete All Transferable Shader Caches?Alle transferierbaren Shader Caches löschen?
-
+ Remove Custom Game Configuration?Spiel-Einstellungen entfernen?
-
+ Remove Cache Storage?Cache-Speicher entfernen?
-
+ Remove FileDatei entfernen
-
-
+
+ Remove Play Time Data
+ Spielzeit-Daten enfernen
+
+
+
+ Reset play time?
+ Spielzeit zurücksetzen?
+
+
+
+ Error Removing Transferable Shader CacheFehler beim Entfernen
-
-
+
+ A shader cache for this title does not exist.Es existiert kein Shader-Cache für diesen Titel.
-
+ Successfully removed the transferable shader cache.Der transferierbare Shader-Cache wurde entfernt.
-
+ Failed to remove the transferable shader cache.Konnte den transferierbaren Shader-Cache nicht entfernen.
-
+ Error Removing Vulkan Driver Pipeline CacheFehler beim Entfernen des Vulkan-Pipeline-Cache
-
+ Failed to remove the driver pipeline cache.Fehler beim Entfernen des Driver-Pipeline-Cache
-
-
+
+ Error Removing Transferable Shader CachesFehler beim Entfernen der transferierbaren Shader Caches
-
+ Successfully removed the transferable shader caches.Die übertragbaren Shader-Caches wurden erfolgreich entfernt.
-
+ Failed to remove the transferable shader cache directory.
-
+ Entfernen des transferierbaren Shader-Cache-Verzeichnisses fehlgeschlagen.
-
-
+
+ Error Removing Custom ConfigurationFehler beim Entfernen
-
+ A custom configuration for this title does not exist.Es existieren keine Spiel-Einstellungen für dieses Spiel.
-
+ Successfully removed the custom game configuration.Die Spiel-Einstellungen wurden entfernt.
-
+ Failed to remove the custom game configuration.Die Spiel-Einstellungen konnten nicht entfernt werden.
-
-
+
+ RomFS Extraction Failed!RomFS-Extraktion fehlgeschlagen!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Das RomFS konnte wegen eines Fehlers oder Abbruchs nicht kopiert werden.
-
+ FullKomplett
-
+ SkeletonNur Ordnerstruktur
-
+ Select RomFS Dump ModeRomFS Extraktions-Modus auswählen
-
+ 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.Bitte wähle, wie das RomFS gespeichert werden soll.<br>"Full" wird alle Dateien des Spiels extrahieren, während <br>"Skeleton" nur die Ordnerstruktur erstellt.
-
+ 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 RootEs ist nicht genügend Speicher (%1) vorhanden um das RomFS zu entpacken. Bitte sorge für genügend Speicherplatze oder wähle ein anderes Verzeichnis aus. (Emulation > Konfiguration > System > Dateisystem > Dump Root)
-
+ Extracting RomFS...RomFS wird extrahiert...
-
-
-
-
+
+
+
+ CancelAbbrechen
-
+ RomFS Extraction Succeeded!RomFS wurde extrahiert!
-
-
-
+
+
+ The operation completed successfully.Der Vorgang wurde erfolgreich abgeschlossen.
-
+ Integrity verification couldn't be performed!
-
+ Integritätsüberprüfung konnte nicht durchgeführt werden!
-
+ File contents were not checked for validity.
-
+ Datei-Inhalte wurden nicht auf Gültigkeit überprüft.
-
-
+
+ Integrity verification failed!
-
+ Integritätsüberprüfung fehlgeschlagen!
-
+ File contents may be corrupt.
-
+ Datei-Inhalte könnten defekt sein.
-
-
+
+ Verifying integrity...
-
+ Überprüfe Integrität…
-
-
+
+ Integrity verification succeeded!
-
+ Integritätsüberprüfung erfolgreich!
-
-
-
-
-
+
+
+
+ Create ShortcutVerknüpfung erstellen
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
+ Dies wird eine Verknüpfung zum aktuellen AppImage erstellen. Dies könnte nicht gut funktionieren falls du aktualisierst. Fortfahren?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
-
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Verknüpfung kann nicht erstellt werden. Pfad "%1" existiert nicht.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create IconIcon erstellen
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Symboldatei konnte nicht erstellt werden. Der Pfad "%1" existiert nicht oder kann nicht erstellt werden.
-
+ Start %1 with the yuzu Emulator
-
+ Starte %1 mit dem yuzu Emulator
-
+ Failed to create a shortcut at %1Verknüpfung konnte nicht unter %1 erstellt werden.
-
+ Successfully created a shortcut to %1Verknüpfung wurde erfolgreich erstellt unter %1
-
+ Error Opening %1Fehler beim Öffnen von %1
-
+ Select DirectoryVerzeichnis auswählen
-
+ PropertiesEinstellungen
-
+ The game properties could not be loaded.Spiel-Einstellungen konnten nicht geladen werden.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch-Programme (%1);;Alle Dateien (*.*)
-
+ Load FileDatei laden
-
+ Open Extracted ROM DirectoryÖffne das extrahierte ROM-Verzeichnis
-
+ Invalid Directory SelectedUngültiges Verzeichnis ausgewählt
-
+ The directory you have selected does not contain a 'main' file.Das Verzeichnis, das du ausgewählt hast, enthält keine 'main'-Datei.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Installierbares Switch-Programm (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submissions Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesDateien installieren
-
+ %n file(s) remaining%n Datei verbleibend%n Dateien verbleibend
-
+ Installing file "%1"...Datei "%1" wird installiert...
-
-
+
+ Install ResultsNAND-Installation
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Um Konflikte zu vermeiden, raten wir Nutzern davon ab, Spiele im NAND zu installieren.
Bitte nutze diese Funktion nur zum Installieren von Updates und DLC.
-
+ %n file(s) were newly installed
%n file was newly installed
@@ -4360,351 +4362,389 @@ Bitte nutze diese Funktion nur zum Installieren von Updates und DLC.
-
+ %n file(s) were overwritten
-
+ %n Datei wurde überschrieben
+%n Dateien wurden überschrieben
+
-
+ %n file(s) failed to install
-
+ %n Datei konnte nicht installiert werden
+%n Dateien konnten nicht installiert werden
+
-
+ System ApplicationSystemanwendung
-
+ System ArchiveSystemarchiv
-
+ System Application UpdateSystemanwendungsupdate
-
+ Firmware Package (Type A)Firmware-Paket (Typ A)
-
+ Firmware Package (Type B)Firmware-Paket (Typ B)
-
+ GameSpiel
-
+ Game UpdateSpiel-Update
-
+ Game DLCSpiel-DLC
-
+ Delta TitleDelta-Titel
-
+ Select NCA Install Type...Wähle den NCA-Installationstyp aus...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Bitte wähle, als was diese NCA installiert werden soll:
(In den meisten Fällen sollte die Standardeinstellung 'Spiel' ausreichen.)
-
+ Failed to InstallInstallation fehlgeschlagen
-
+ The title type you selected for the NCA is invalid.Der Titel-Typ, den du für diese NCA ausgewählt hast, ist ungültig.
-
+ File not foundDatei nicht gefunden
-
+ File "%1" not foundDatei "%1" nicht gefunden
-
+ OKOK
-
-
+
+ Hardware requirements not metHardwareanforderungen nicht erfüllt
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Dein System erfüllt nicht die empfohlenen Mindestanforderungen der Hardware. Meldung der Komptabilität wurde deaktiviert.
-
+ Missing yuzu AccountFehlender yuzu-Account
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Um einen Kompatibilitätsbericht abzuschicken, musst du einen yuzu-Account mit yuzu verbinden.<br><br/>Um einen yuzu-Account zu verbinden, prüfe die Einstellungen unter Emulation > Konfiguration > Web.
-
+ Error opening URLFehler beim Öffnen der URL
-
+ Unable to open the URL "%1".URL "%1" kann nicht geöffnet werden.
-
+ TAS RecordingTAS Aufnahme
-
+ Overwrite file of player 1?Datei von Spieler 1 überschreiben?
-
+ Invalid config detectedUngültige Konfiguration erkannt
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Handheld-Controller können nicht im Dock verwendet werden. Der Pro-Controller wird verwendet.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedDas aktuelle Amiibo wurde entfernt
-
+ ErrorFehler
-
-
+
+ The current game is not looking for amiibosDas aktuelle Spiel sucht nicht nach Amiibos
-
+ Amiibo File (%1);; All Files (*.*)Amiibo-Datei (%1);; Alle Dateien (*.*)
-
+ Load AmiiboAmiibo laden
-
+ Error loading Amiibo dataFehler beim Laden der Amiibo-Daten
-
+ The selected file is not a valid amiiboDie ausgewählte Datei ist keine gültige Amiibo
-
+ The selected file is already on useDie ausgewählte Datei wird bereits verwendet
-
+ An unknown error occurredEin unbekannter Fehler ist aufgetreten
-
+ Verification failed for the following files:
%1
-
+ Überprüfung für die folgenden Dateien ist fehlgeschlagen:
+
+%1
-
+
+
+ No firmware available
-
+ Keine Firmware verfügbar
-
+
+ Please install the firmware to use the Album applet.
+ Bitte installiere die Firmware um das Album-Applet zu nutzen.
+
+
+
+ Album Applet
+ Album-Applet
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ Album-Applet ist nicht verfügbar. Bitte Firmware erneut installieren.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Bitte installiere die Firmware um das Cabinet-Applet zu nutzen.
+
+
+
+ Cabinet Applet
+ Cabinet-Applet
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ Cabinet-Applet ist nicht verfügbar. Bitte Firmware erneut installieren.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Bitte installiere die Firmware um den Mii-Editor zu nutzen.
-
+ Mii Edit Applet
-
+ Mii-Edit-Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Mii-Editor ist nicht verfügbar. Bitte Firmware erneut installieren.
-
+ Capture ScreenshotScreenshot aufnehmen
-
+ PNG Image (*.png)PNG Bild (*.png)
-
+ TAS state: Running %1/%2TAS Zustand: Läuft %1/%2
-
+ TAS state: Recording %1TAS Zustand: Aufnahme %1
-
+ TAS state: Idle %1/%2
-
+ TAS Status: Untätig %1/%2
-
+ TAS State: InvalidTAS Zustand: Ungültig
-
+ &Stop Running
-
+ &Stoppe Ausführung
-
+ &Start&Start
-
+ Stop R&ecordingAufnahme stoppen
-
+ R&ecordAufnahme
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorSkalierung: %1x
-
+ Speed: %1% / %2%Geschwindigkeit: %1% / %2%
-
+ Speed: %1%Geschwindigkeit: %1%
-
+ Game: %1 FPS (Unlocked)Spiel: %1 FPS (Unbegrenzt)
-
+ Game: %1 FPSSpiel: %1 FPS
-
+ Frame: %1 msFrame: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAKEIN AA
-
+ VOLUME: MUTELAUTSTÄRKE: STUMM
-
+ VOLUME: %1%Volume percentage (e.g. 50%)LAUTSTÄRKE: %1%
-
+ Confirm Key RederivationSchlüsselableitung bestätigen
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4717,37 +4757,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
Dieser Prozess wird die generierten Schlüsseldateien löschen und die Schlüsselableitung neu starten.
-
+ Missing fusesFuses fehlen
-
+ - Missing BOOT0 - BOOT0 fehlt
-
+ - Missing BCPKG2-1-Normal-Main - BCPKG2-1-Normal-Main fehlt
-
+ - Missing PRODINFO - PRODINFO fehlt
-
+ Derivation Components MissingDerivationskomponenten fehlen
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Die Verschlüsselungsschlüssel fehlen. <br>Bitte folgen Sie <a href='https://yuzu-emu.org/help/quickstart/'>dem Yuzu Schnellstart Guide</a> um ihre benötigten Schlüssel, Firmware und Spiele zu erhalten.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4755,49 +4795,49 @@ on your system's performance.
Dies könnte, je nach Leistung deines Systems, bis zu einer Minute dauern.
-
+ Deriving KeysSchlüsselableitung
-
+ System Archive Decryption FailedDie Systemarchiventschlüsselung ist gescheitert.
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Verschlüsselungsschlüssel konnten die Firmware nicht entschlüsseln. <br>Bitte befolge <a href='https://yuzu-emu.org/help/quickstart/'>den yuzu-Quickstart-Guide</a> um alle deine Schlüssel (Keys), Firmware, und Spiele zu erhalten.
-
+ Select RomFS Dump TargetRomFS wählen
-
+ Please select which RomFS you would like to dump.Wähle, welches RomFS du speichern möchtest.
-
+ Are you sure you want to close yuzu?Bist du sicher, dass du yuzu beenden willst?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Bist du sicher, dass du die Emulation stoppen willst? Jeder nicht gespeicherte Fortschritt geht verloren.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4823,7 +4863,7 @@ Möchtest du dies umgehen und sie trotzdem beenden?
Nearest
-
+ Nächster
@@ -4883,22 +4923,22 @@ Möchtest du dies umgehen und sie trotzdem beenden?
Null
-
+ NullGLSL
-
+ GLSLGLASM
-
+ GLASMSPIRV
-
+ SPIRV
@@ -4949,241 +4989,251 @@ Möchtest du dies umgehen und sie trotzdem beenden?
GameList
-
+ FavoriteFavorit
-
+ Start GameSpiel starten
-
+ Start Game without Custom ConfigurationSpiel ohne benutzerdefinierte Spiel-Einstellungen starten
-
+ Open Save Data LocationSpielstand-Verzeichnis öffnen
-
+ Open Mod Data LocationMod-Verzeichnis öffnen
-
+ Open Transferable Pipeline Cache
-
+ Transferierbaren Pipeline-Cache öffnen
-
+ RemoveEntfernen
-
+ Remove Installed UpdateInstalliertes Update entfernen
-
+ Remove All Installed DLCAlle installierten DLCs entfernen
-
+ Remove Custom ConfigurationSpiel-Einstellungen entfernen
-
+
+ Remove Play Time Data
+ Spielzeit-Daten entfernen
+
+
+ Remove Cache StorageCache-Speicher entfernen
-
+ Remove OpenGL Pipeline CacheOpenGL-Pipeline-Cache entfernen
-
+ Remove Vulkan Pipeline CacheVulkan-Pipeline-Cache entfernen
-
+ Remove All Pipeline CachesAlle Pipeline-Caches entfernen
-
+ Remove All Installed ContentsAlle installierten Inhalte entfernen
-
-
+
+ Dump RomFSRomFS speichern
-
+ Dump RomFS to SDMCRomFS nach SDMC dumpen
-
+ Verify Integrity
-
+ Integrität überprüfen
-
+ Copy Title ID to ClipboardTitle-ID in die Zwischenablage kopieren
-
+ Navigate to GameDB entryGameDB-Eintrag öffnen
-
+ Create ShortcutVerknüpfung erstellen
-
+ Add to DesktopZum Desktop hinzufügen
-
+ Add to Applications MenuZum Menü "Anwendungen" hinzufügen
-
+ PropertiesEigenschaften
-
+ Scan SubfoldersUnterordner scannen
-
+ Remove Game DirectorySpieleverzeichnis entfernen
-
+ ▲ Move Up▲ Nach Oben
-
+ ▼ Move Down▼ Nach Unten
-
+ Open Directory LocationVerzeichnis öffnen
-
+ ClearLöschen
-
+ NameName
-
+ CompatibilityKompatibilität
-
+ Add-onsAdd-ons
-
+ File typeDateityp
-
+ SizeGröße
+
+
+ Play time
+ Spielzeit
+ GameListItemCompat
-
+ IngameIm 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.
-
+ PerfectPerfekt
-
+ Game can be played without issues.Das Spiel kann ohne Probleme gespielt werden.
-
+ PlayableSpielbar
-
+ 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/MenuIntro/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 BootStartet nicht
-
+ The game crashes when attempting to startup.Das Spiel stürzt beim Versuch zu starten ab.
-
+ Not TestedNicht getestet
-
+ The game has not yet been tested.Spiel wurde noch nicht getestet.
@@ -5191,7 +5241,7 @@ Möchtest du dies umgehen und sie trotzdem beenden?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDoppelklicke, um einen neuen Ordner zur Spieleliste hinzuzufügen.
@@ -5204,12 +5254,12 @@ Möchtest du dies umgehen und sie trotzdem beenden?
%1 von %n Ergebnis%1 von %n Ergebnisse(n)
-
+ Filter:Filter:
-
+ Enter pattern to filterWörter zum Filtern eingeben
@@ -5293,7 +5343,8 @@ Möchtest du dies umgehen und sie trotzdem beenden?
Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid yuzu 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:
-
+ Ankündigen des Raums in der öffentlichen Lobby fehlgeschlagen. Um einen öffentlichen Raum zu erstellen, muss ein gültiges yuzu-Konto in Emulation -> Konfigurieren -> Web hinterlegt sein. Falls der Raum nicht in der öffentlichen Lobby angezeigt werden soll, wähle "Nicht gelistet".
+Debug Nachricht:
@@ -5326,6 +5377,7 @@ Debug Message:
+ Main WindowHauptfenster
@@ -5352,7 +5404,7 @@ Debug Message:
Change Docked Mode
-
+ Dockmodus ändern
@@ -5431,6 +5483,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarStatusleiste umschalten
@@ -5668,186 +5725,216 @@ Debug Message:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Help&Hilfe
-
+ &Install Files to NAND...&Dateien im NAND installieren...
-
+ L&oad File...Datei &laden...
-
+ Load &Folder...&Verzeichnis laden...
-
+ E&xitS&chließen
-
+ &Pause&Pause
-
+ &Stop&Stop
-
+ &Reinitialize keys...&Schlüssel neu initialisieren...
-
+ &Verify Installed Contents
-
+ Installierte Inhalte &überprüfen
-
+ &About yuzu&Über yuzu
-
+ Single &Window Mode&Einzelfenster-Modus
-
+ Con&figure...Kon&figurieren
-
+ Display D&ock Widget HeadersD&ock-Widget-Header anzeigen
-
+ Show &Filter Bar&Filterleiste anzeigen
-
+ Show &Status Bar&Statusleiste anzeigen
-
+ Show Status BarStatusleiste 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&ullscreenVollbild (&u)
-
+ &RestartNeusta&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
-
+ Open &yuzu Folder&yuzu-Verzeichnis öffnen
-
+ &Capture Screenshot&Bildschirmfoto aufnehmen
-
- Open &Mii Editor
-
+
+ Open &Album
+ &Album öffnen
-
+
+ &Set Nickname and Owner
+ Spitzname und Besitzer &festlegen
+
+
+
+ &Delete Game Data
+ Spiel-Daten &löschen
+
+
+
+ &Restore Amiibo
+ Amiibo &wiederherstellen
+
+
+
+ &Format Amiibo
+ Amiibo &formatieren
+
+
+
+ Open &Mii Editor
+ &Mii-Editor öffnen
+
+
+ &Configure TAS...&TAS &konfigurieren...
-
+ Configure C&urrent Game...&Spiel-Einstellungen ändern...
-
+ &Start&Start
-
+ &Reset&Zurücksetzen
-
+ R&ecordAufnahme
@@ -5945,7 +6032,8 @@ Debug Message:
Failed to update the room information. Please check your Internet connection and try hosting the room again.
Debug Message:
-
+ Aktualisieren der Rauminformationen fehlgeschlagen. Überprüfe deine Internetverbindung und versuche erneut einen Raum zu erstellen.
+Debug Message:
@@ -5978,7 +6066,7 @@ Debug Message:
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.
-
+ Es muss ein bevorzugtes Spiel ausgewählt werden um einen Raum zu erstellen. Sollten keine Spiele in der Spieleliste vorhanden sein, kann ein Spielordner mittels des Plus-Symbols in der Spieleliste hinzugefügt werden.
@@ -6010,7 +6098,7 @@ Wenn Sie immer noch keine Verbindung herstellen können, wenden Sie sich an den
Version mismatch! Please update to the latest version of yuzu. If the problem persists, contact the room host and ask them to update the server.
-
+ Keine Übereinstimmung der Versionen! Bitte zur neuesten Version von yuzu aktualisieren. Sollte das Problem weiterhin vorhanden sein, kontaktiere den Raumersteller und bitte ihn den Server zu aktualisieren.
@@ -6155,27 +6243,27 @@ p, li { white-space: pre-wrap; }
Spielt kein Spiel
-
+ Installed SD TitlesInstallierte SD-Titel
-
+ Installed NAND TitlesInstallierte NAND-Titel
-
+ System TitlesSystemtitel
-
+ Add New Game DirectoryNeues Spieleverzeichnis hinzufügen
-
+ FavoritesFavoriten
@@ -6412,7 +6500,7 @@ p, li { white-space: pre-wrap; }
%1%2Hat %3
-
+ %1%2Hat %3
@@ -6531,25 +6619,25 @@ p, li { white-space: pre-wrap; }
%1%2%3%4
-
+ %1%2%3%4%1%2%3Hat %4
-
+ %1%2%3Hat %4%1%2%3Axis %4
-
+ %1%2%3Achse %4%1%2%3Button %4
-
+ %1%2%3Knopf %4
@@ -6701,7 +6789,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro-Controller
@@ -6714,7 +6802,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsZwei Joycons
@@ -6727,7 +6815,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconLinker Joycon
@@ -6740,7 +6828,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconRechter Joycon
@@ -6769,7 +6857,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6885,32 +6973,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Nicht genügend Controller
+
+
+ GameCube ControllerGameCube-Controller
-
+ Poke Ball PlusPoke-Ball Plus
-
+ NES ControllerNES Controller
-
+ SNES ControllerSNES Controller
-
+ N64 ControllerN64 Controller
-
+ Sega GenesisSega Genesis
@@ -7031,7 +7124,7 @@ Bitte versuche es noch einmal oder kontaktiere den Entwickler der Software.
Send save data for which user?
-
+ Speicherdaten für welchen Nutzer senden?
@@ -7097,7 +7190,7 @@ p, li { white-space: pre-wrap; }
[%1] %2
-
+ [%1] %2
diff --git a/dist/languages/el.ts b/dist/languages/el.ts
index cb6cb9c9a..d421be61d 100644
--- a/dist/languages/el.ts
+++ b/dist/languages/el.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -882,49 +882,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- Δημιουργία Minidump μετά από κατάρρευση
-
-
- 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**
-
+ Enable Verbose Reporting Services**
-
+ **This will be reset automatically when yuzu closes.**Αυτό θα μηδενιστεί αυτόματα όταν το yuzu κλείσει.
-
- Restart Required
- Απαιτείται επανεκκίνηση
-
-
-
- yuzu is required to restart in order to apply this setting.
- το yuzu πρέπει να επανεκκινηθεί για να εφαρμοστεί αυτή η ρύθμιση.
-
-
-
+ Web applet not compiledΤο web applet δεν έχει συσταθεί
-
-
- MiniDump creation not compiled
- Δημιουργία MiniDump που δεν έχει συσταθεί
- ConfigureDebugController
@@ -1343,7 +1323,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceΑντικρουόμενη Ακολουθία Πλήκτρων
@@ -1364,27 +1344,37 @@ This would ban both their forum username and their IP address.
Μη Έγκυρο
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultΕπαναφορά Προκαθορισμένων
-
+ ClearΚαθαρισμός
-
+ Conflicting Button SequenceΑντικρουόμενη Ακολουθία Κουμπιών
-
+ The default button sequence is already assigned to: %1Η προεπιλεγμένη ακολουθία κουμπιών έχει ήδη αντιστοιχιστεί στο: %1
-
+ The default key sequence is already assigned to: %1Η προεπιλεγμένη ακολουθία πλήκτρων έχει ήδη αντιστοιχιστεί στο: %1
@@ -3359,67 +3349,72 @@ Drag points to change position, or double-click table cells to edit values.
-
+
+ Show Play Time Column
+
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3737,120 +3732,120 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?
-
+ TelemetryΤηλεμετρία
-
+ Broken Vulkan Installation Detected
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: 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
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Συνέχεια
-
+ &Pause&Παύση
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Μη μεταφρασμένη συμβολοσειρά
@@ -3858,843 +3853,879 @@ Drag points to change position, or double-click table cells to edit values.
-
+ Error while loading ROM!Σφάλμα κατά τη φόρτωση της ROM!
-
+ The ROM format is not supported.
-
+ An error occurred initializing the video core.
-
+ yuzu 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-emu.org/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 follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> 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%1 %2
-
+ Closing software...
-
+ Save DataΑποθήκευση δεδομένων
-
+ Mod Data
-
+ Error Opening %1 Folder
-
-
+
+ Folder does not exist!Ο φάκελος δεν υπάρχει!
-
+ Error Opening Transferable Shader Cache
-
+ Failed to create the shader cache directory for this title.
-
+ Error Removing Contents
-
+ Error Removing Update
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ Remove Installed Game Update?
-
+ Remove Installed Game DLC?
-
+ Remove Entry
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.
-
+ Successfully removed %1 installed DLC.
-
+ 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?
+
+
+
+
+ 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.
-
-
+
+ RomFS Extraction Failed!
-
+ There was an error copying the RomFS files or the user cancelled the operation.
-
+ 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
-
+ Extracting RomFS...
-
-
-
-
+
+
+
+ CancelΑκύρωση
-
+ RomFS Extraction Succeeded!
-
-
-
+
+
+ The operation completed successfully.Η επέμβαση ολοκληρώθηκε με επιτυχία.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ 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 DLCDLC παιχνιδιού
-
+ 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.)
-
+ Failed to Install
-
+ The title type you selected for the NCA is invalid.
-
+ File not foundΤο αρχείο δεν βρέθηκε
-
+ File "%1" not foundΤο αρχείο "%1" δεν βρέθηκε
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu Account
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.
-
+ Error opening URLΣφάλμα κατα το άνοιγμα του URL
-
+ Unable to open the URL "%1".Αδυναμία ανοίγματος του 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.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removed
-
+ ErrorΣφάλμα
-
-
+
+ The current game is not looking for amiibos
-
+ Amiibo File (%1);; All Files (*.*)
-
+ 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
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotΛήψη στιγμιότυπου οθόνης
-
+ PNG Image (*.png)Εικόνα PBG (*.png)
-
+ TAS state: Running %1/%2
-
+ TAS state: Recording %1
-
+ TAS state: Idle %1/%2
-
+ TAS State: Invalid
-
+ &Stop Running
-
+ &Start&Έναρξη
-
+ Stop R&ecording
-
+ R&ecord
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorΚλίμακα: %1x
-
+ Speed: %1% / %2%Ταχύτητα: %1% / %2%
-
+ Speed: %1%Ταχύτητα: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPS
-
+ Frame: %1 msΚαρέ: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key Rederivation
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4705,86 +4736,86 @@ This will delete your autogenerated key files and re-run the key derivation modu
-
+ Missing fuses
-
+ - Missing BOOT0- Λείπει το BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Λείπει το BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- Λείπει το PRODINFO
-
+ Derivation Components Missing
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
-
+ Deriving Keys
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump Target
-
+ Please select which RomFS you would like to dump.
-
+ Are you sure you want to close yuzu?Είστε σίγουροι ότι θέλετε να κλείσετε το yuzu;
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4934,241 +4965,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ FavoriteΑγαπημένο
-
+ Start GameΈναρξη παιχνιδιού
-
+ Start Game without Custom Configuration
-
+ Open Save Data LocationΆνοιγμα Τοποθεσίας Αποθήκευσης Δεδομένων
-
+ Open Mod Data LocationΆνοιγμα Τοποθεσίας Δεδομένων Mod
-
+ Open Transferable Pipeline Cache
-
+ RemoveΑφαίρεση
-
+ Remove Installed UpdateΑφαίρεση Εγκατεστημένης Ενημέρωσης
-
+ Remove All Installed DLCΑφαίρεση Όλων των Εγκατεστημένων DLC
-
+ Remove Custom Configuration
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline CachesΚαταργήστε Όλη την Κρυφή μνήμη του Pipeline
-
+ Remove All Installed ContentsΚαταργήστε Όλο το Εγκατεστημένο Περιεχόμενο
-
-
+
+ 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
-
+ PropertiesΙδιότητες
-
+ Scan SubfoldersΣκανάρισμα Υποφακέλων
-
+ Remove Game DirectoryΑφαίρεση Φακέλου Παιχνιδιών
-
+ ▲ Move Up▲ Μετακίνηση Επάνω
-
+ ▼ Move Down▼ Μετακίνηση Κάτω
-
+ Open Directory LocationΑνοίξτε την Τοποθεσία Καταλόγου
-
+ ClearΚαθαρισμός
-
+ NameΌνομα
-
+ CompatibilityΣυμβατότητα
-
+ Add-onsΠρόσθετα
-
+ File typeΤύπος αρχείου
-
+ SizeΜέγεθος
+
+
+ Play time
+
+ 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.Το παιχνίδι δεν έχει ακόμα τεσταριστεί.
@@ -5176,7 +5217,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listΔιπλο-κλικ για προσθήκη νεου φακέλου στη λίστα παιχνιδιών
@@ -5189,12 +5230,12 @@ Would you like to bypass this and exit anyway?
-
+ Filter:Φίλτρο:
-
+ Enter pattern to filterΕισαγάγετε μοτίβο για φιλτράρισμα
@@ -5311,6 +5352,7 @@ Debug Message:
+ Main Window
@@ -5416,6 +5458,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5653,186 +5700,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &Help
-
+ &Install Files to NAND...
-
+ L&oad File...
-
+ Load &Folder...
-
+ E&xit
-
+ &Pause&Παύση
-
+ &Stop&Σταμάτημα
-
+ &Reinitialize keys...
-
+ &Verify Installed Contents
-
+ &About yuzu
-
+ Single &Window Mode
-
+ Con&figure...
-
+ Display D&ock Widget Headers
-
+ 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
-
+ Open &yuzu Folder
-
+ &Capture Screenshot
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
+
+ Open &Album
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+
+
+
+
+ &Configure TAS...
+
+
+
+ Configure C&urrent Game...
-
+ &Start&Έναρξη
-
+ &Reset
-
+ R&ecord
@@ -6135,27 +6212,27 @@ p, li { white-space: pre-wrap; }
Δεν παίζει παιχνίδι
-
+ Installed SD Titles
-
+ Installed NAND Titles
-
+ System TitlesΤίτλοι Συστήματος
-
+ Add New Game DirectoryΠροσθήκη Νέας Τοποθεσίας Παιχνιδιών
-
+ FavoritesΑγαπημένα
@@ -6681,7 +6758,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6694,7 +6771,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsΔιπλά Joycons
@@ -6707,7 +6784,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconΑριστερό Joycon
@@ -6720,7 +6797,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconΔεξί Joycon
@@ -6749,7 +6826,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6865,32 +6942,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerΧειριστήριο GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerΧειριστήριο NES
-
+ SNES ControllerΧειριστήριο SNES
-
+ N64 ControllerΧειριστήριο N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/es.ts b/dist/languages/es.ts
index 608f9b399..4adeb599f 100644
--- a/dist/languages/es.ts
+++ b/dist/languages/es.ts
@@ -277,7 +277,7 @@ Esto banearía su nombre del foro y su dirección IP.
No The game crashes or freezes during gameplay
- No El juego se bloquea o se congela durante el juego
+ No El juego se bloquea o se congela durante la ejecución
@@ -312,7 +312,7 @@ Esto banearía su nombre del foro y su dirección IP.
None Everything is rendered as it looks on the Nintendo Switch
- Ninguno Todo está renderizado conforme se ve en la Nintendo Switch
+ Ninguno Todo está renderizado conforme se muestra en la Nintendo Switch
@@ -322,22 +322,22 @@ Esto banearía su nombre del foro y su dirección IP.
Major The game has major audio errors
- Importantes El juego tiene grandes problemas de sonido
+ Importantes El juego tiene bastantes problemas de audioMinor The game has minor audio errors
- Menores El juego tiene pequeños problemas de sonido
+ Menores El juego tiene pequeños problemas de audioNone Audio is played perfectly
- Ninguno El sonido se reproduce perfectamente
+ Ninguno El audio se reproduce perfectamente<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 sonido o falta de algunos efectos?</p></body></html>
+ <html><head/><body><p>¿El juego tiene algún problema de audio o falta de efectos de sonido?</p></body></html>
@@ -352,7 +352,7 @@ Esto banearía su nombre del foro y su dirección IP.
Communication error
- Error de comunicación.
+ Error de comunicación
@@ -373,13 +373,13 @@ Esto banearía su nombre del foro y su dirección IP.
%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zonePredeterminada (%1)
@@ -893,49 +893,29 @@ Esto banearía su nombre del foro y su dirección IP.
- Create Minidump After Crash
- Crear mini volcado tras un crash
-
-
- 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**
-
+ Enable Verbose Reporting Services**Activar servicios de reporte detallados**
-
+ **This will be reset automatically when yuzu closes.**Esto se reiniciará automáticamente cuando yuzu se cierre.
-
- Restart Required
- Reinicio requerido
-
-
-
- yuzu is required to restart in order to apply this setting.
- Para aplicar estos ajustes es necesario reiniciar yuzu.
-
-
-
+ Web applet not compiledLa web applet no se ha compilado
-
-
- MiniDump creation not compiled
- La creación del mini volcado no se ha compilado
- ConfigureDebugController
@@ -984,7 +964,7 @@ Esto banearía su nombre del foro y su dirección IP.
Some settings are only available when a game is not running.
- Algunos ajustes sólo están disponibles cuando no se esté ejecutando ningún juego.
+ Algunos ajustes sólo están disponibles cuando no se estén ejecutando los juegos.
@@ -1354,7 +1334,7 @@ Esto banearía su nombre del foro y su dirección IP.
-
+ Conflicting Key SequenceCombinación de teclas en conflicto
@@ -1375,27 +1355,37 @@ Esto banearía su nombre del foro y su dirección IP.
No válido
-
+
+ Invalid hotkey settings
+ Configuración de teclas de atajo no válida
+
+
+
+ An error occurred. Please report this issue on github.
+ Ha ocurrido un error. Por favor, repórtelo en Github.
+
+
+ Restore DefaultRestaurar valor predeterminado
-
+ ClearEliminar
-
+ Conflicting Button SequenceSecuencia de botones en conflicto
-
+ The default button sequence is already assigned to: %1La secuencia de botones por defecto ya esta asignada a: %1
-
+ The default key sequence is already assigned to: %1La combinación de teclas predeterminada ya ha sido asignada a: %1
@@ -2670,7 +2660,7 @@ 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é ejecutando ningún juego.
+ Algunos ajustes sólo están disponibles cuando no se estén ejecutando los juegos.
@@ -2786,7 +2776,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é ejecutando ningún juego.
+ El sistema de perfiles sólo se encuentra disponible cuando no se estén ejecutando los juegos.
@@ -3373,67 +3363,72 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de
Mostrar columna de tipos de archivo
-
+
+ Show Play Time Column
+ Mostrar columna de tiempo de juego
+
+
+ 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:
-
+ ScreenshotsCapturas de pantalla
-
+ Ask Where To Save Screenshots (Windows Only)Preguntar dónde guardar las capturas de pantalla (sólo en Windows)
-
+ Screenshots Path: Ruta de las capturas de pantalla:
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Resolución:
-
+ Select Screenshots Path...Selecciona la ruta de las capturas de pantalla:
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3751,612 +3746,616 @@ Arrastra los puntos para cambiar de posición, o haz doble clic en las celdas de
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Los datos de uso anónimos se recogen</a> para ayudar a mejorar yuzu. <br/><br/>¿Deseas compartir tus datos de uso con nosotros?
-
+ TelemetryTelemetría
-
+ Broken Vulkan Installation DetectedSe ha detectado una instalación corrupta de Vulkan
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.La inicialización de Vulkan ha fallado durante la ejecución. Haz clic <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>aquí para más información sobre como arreglar el problema</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingEjecutando un juego
-
+ Loading Web Applet...Cargando Web applet...
-
-
+
+ Disable Web AppletDesactivar 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.)Deshabilitar el Applet Web puede causar comportamientos imprevistos y debería solo ser usado con Super Mario 3D All-Stars. ¿Estas seguro que quieres deshabilitar el Applet Web?
(Puede ser reactivado en las configuraciones de Depuración.)
-
+ The amount of shaders currently being builtLa cantidad de shaders que se están construyendo actualmente
-
+ The current selected resolution scaling multiplier.El multiplicador de escala de resolución seleccionado actualmente.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.La velocidad de emulación actual. Los valores superiores o inferiores al 100% indican que la emulación se está ejecutando más rápido o más lento 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 se está mostrando el juego actualmente. Esto variará de un juego a otro y de una escena a otra.
-
+ 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 que lleva emular un fotograma de la Switch, sin tener en cuenta la limitación de fotogramas o sincronización vertical. Para una emulación óptima, este valor debería ser como máximo de 16.67 ms.
-
+ UnmuteDesmutear
-
+ MuteMutear
-
+ Reset VolumeRestablecer Volumen
-
+ &Clear Recent Files&Eliminar archivos recientes
-
+ Emulated mouse is enabledEl ratón emulado está activado
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.La entrada de un ratón real y la panoramización del ratón son incompatibles. Por favor, desactive el ratón emulado en la configuración avanzada de entrada para permitir así la panoramización del ratón.
-
+ &Continue&Continuar
-
+ &Pause&Pausar
-
+ Warning Outdated Game FormatAdvertencia: 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Está utilizando el formato de directorio de ROM deconstruido para este juego, que es un formato desactualizado que ha sido reemplazado por otros, como los NCA, NAX, XCI o NSP. Los directorios de ROM deconstruidos carecen de íconos, metadatos y soporte de actualizaciones.<br><br>Para ver una explicación de los diversos formatos de Switch que soporta yuzu,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>echa un vistazo a nuestra wiki</a>. Este mensaje no se volverá a mostrar.
-
+ Error while loading ROM!¡Error al cargar la ROM!
-
+ The ROM format is not supported.El formato de la ROM no es compatible.
-
+ An error occurred initializing the video core.Se ha producido un error al inicializar el núcleo de video.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu ha encontrado un error al ejecutar el núcleo de video. Esto suele ocurrir al no tener los controladores de la GPU actualizados, incluyendo los integrados. Por favor, revisa el registro para más detalles. Para más información sobre cómo acceder al registro, por favor, consulta la siguiente página: <a href='https://yuzu-emu.org/help/reference/log-files/'>Como cargar 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 follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Por favor, sigue <a href='https://yuzu-emu.org/help/quickstart/'>la guía de inicio rápido de yuzu</a> para revolcar los archivos.<br>Puedes consultar la wiki de yuzu</a> o el Discord de yuzu</a> para obtener ayuda.
-
+ An unknown error occurred. Please see the log for more details.Error desconocido. Por favor, consulte el archivo de registro para ver 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 software...
-
+ Save DataDatos de guardado
-
+ Mod DataDatos de mods
-
+ Error Opening %1 FolderError al abrir la carpeta %1
-
-
+
+ Folder does not exist!¡La carpeta no existe!
-
+ Error Opening Transferable Shader CacheError al abrir el caché transferible de shaders
-
+ Failed to create the shader cache directory for this title.No se pudo crear el directorio de la caché de los shaders para este título.
-
+ Error Removing ContentsError al eliminar el contenido
-
+ Error Removing UpdateError al eliminar la actualización
-
+ Error Removing DLCError al eliminar el DLC
-
+ Remove Installed Game Contents?¿Eliminar contenido del juego instalado?
-
+ Remove Installed Game Update?¿Eliminar actualización del juego instalado?
-
+ Remove Installed Game DLC?¿Eliminar el DLC del juego instalado?
-
+ Remove EntryEliminar entrada
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedSe ha eliminado con éxito
-
+ Successfully removed the installed base game.Se ha eliminado con éxito el juego base instalado.
-
+ 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.Se ha eliminado con éxito la actualización instalada.
-
+ There is no update installed for this title.No hay ninguna actualización instalada para este título.
-
+ There are no DLC installed for this title.No hay ningún DLC instalado para este título.
-
+ Successfully removed %1 installed DLC.Se ha eliminado con éxito %1 DLC instalado(s).
-
+ Delete OpenGL Transferable Shader Cache?¿Deseas eliminar el caché transferible de shaders de OpenGL?
-
+ Delete Vulkan Transferable Shader Cache?¿Deseas eliminar el caché transferible de shaders de Vulkan?
-
+ Delete All Transferable Shader Caches?¿Deseas eliminar todo el caché transferible de shaders?
-
+ Remove Custom Game Configuration?¿Deseas eliminar la configuración personalizada del juego?
-
+ Remove Cache Storage?¿Quitar almacenamiento de caché?
-
+ Remove FileEliminar archivo
-
-
+
+ Remove Play Time Data
+ Eliminar información del tiempo de juego
+
+
+
+ Reset play time?
+ ¿Reestablecer tiempo de juego?
+
+
+
+ Error Removing Transferable Shader CacheError al eliminar 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.No se ha podido eliminar la caché de shaders transferibles.
-
+ Error Removing Vulkan Driver Pipeline CacheError al eliminar la caché de canalización del controlador Vulkan
-
+ Failed to remove the driver pipeline cache.No se ha podido eliminar la caché de canalización del controlador.
-
-
+
+ Error Removing Transferable Shader CachesError al 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.No se ha podido eliminar el directorio de cachés de shaders transferibles.
-
-
+
+ Error Removing Custom ConfigurationError al eliminar 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.No se ha podido eliminar la configuración personalizada del juego.
-
-
+
+ RomFS Extraction Failed!¡La extracción de RomFS ha fallado!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Se ha producido un error al copiar los archivos RomFS o el usuario ha cancelado la operación.
-
+ FullCompleto
-
+ SkeletonEn secciones
-
+ Select RomFS Dump ModeElegir método de volcado de 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, selecciona el método en que quieres volcar el RomFS.<br>Completo copiará todos los archivos al nuevo directorio <br> mientras que en secciones solo creará la estructura del directorio.
-
+ 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 RootNo hay suficiente espacio en %1 para extraer el RomFS. Por favor, libera espacio o elige otro directorio de volcado en Emulación > Configuración > Sistema > Sistema de archivos > Raíz de volcado
-
+ Extracting RomFS...Extrayendo RomFS...
-
-
-
-
+
+
+
+ CancelCancelar
-
+ RomFS Extraction Succeeded!¡La extracción RomFS ha tenido éxito!
-
-
-
+
+
+ The operation completed successfully.La operación se completó con éxito.
-
+ Integrity verification couldn't be performed!¡No se pudo ejecutar la verificación de integridad!
-
+ File contents were not checked for validity.No se ha podido comprobar la validez de los contenidos del archivo.
-
-
+
+ Integrity verification failed!¡Verificación de integridad fallida!
-
+ File contents may be corrupt.Los contenidos del archivo pueden estar corruptos.
-
-
+
+ Verifying integrity...Verificando integridad...
-
-
+
+ Integrity verification succeeded!¡La verificación de integridad ha sido un éxito!
-
-
-
-
-
+
+
+
+ Create ShortcutCrear acceso directo
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Esto creará un acceso directo a la AppImage actual. Esto puede no funcionar bien si se actualiza. ¿Continuar?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- No se puede crear un acceso directo en el escritorio. La ruta "%1" no existe.
+
+ Cannot create shortcut. Path "%1" does not exist.
+ No se puede crear un acceso directo. La ruta "%1" no existe.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- No se puede crear un acceso directo en el menú de aplicaciones. La ruta "%1" no existe y no se puede crear.
-
-
-
+ Create IconCrear 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 ha podido crear.
-
+ Start %1 with the yuzu EmulatorIniciar %1 con el Emulador yuzu
-
+ Failed to create a shortcut at %1Error al crear un acceso directo en %1
-
+ Successfully created a shortcut to %1Se ha creado un acceso directo a %1
-
+ Error Opening %1Error al intentar abrir %1
-
+ Select DirectorySeleccionar directorio
-
+ PropertiesPropiedades
-
+ The game properties could not be loaded.No se pueden 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 FileCargar archivo
-
+ Open Extracted ROM DirectoryAbrir el directorio de la ROM extraída
-
+ Invalid Directory SelectedDirectorio seleccionado no válido
-
+ The directory you have selected does not contain a 'main' file.El directorio que ha seleccionado no contiene ningún 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 contenidos de Nintendo (*.nca);;Paquete de envío de Nintendo (*.nsp);;Imagen de cartucho NX (*.xci)
-
+ Install FilesInstalar 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 ResultsInstalar resultados
-
+ 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, no se recomienda a los usuarios que instalen juegos base en el NAND.
Por favor, utiliza esta función sólo para instalar actualizaciones y DLCs.
-
+ %n file(s) were newly installed
%n archivo(s) recién instalado/s
@@ -4365,7 +4364,7 @@ Por favor, utiliza esta función sólo para instalar actualizaciones y DLCs.
-
+ %n file(s) were overwritten
%n archivo(s) recién sobreescrito/s
@@ -4374,7 +4373,7 @@ Por favor, utiliza esta función sólo para instalar actualizaciones y DLCs.
-
+ %n file(s) failed to install
%n archivo(s) no se instaló/instalaron
@@ -4383,194 +4382,194 @@ Por favor, utiliza esta función sólo para instalar actualizaciones y DLCs.
-
+ System ApplicationAplicación del sistema
-
+ System ArchiveArchivo del sistema
-
+ System Application UpdateActualización de la aplicación del sistema
-
+ Firmware Package (Type A)Paquete de firmware (Tipo A)
-
+ Firmware Package (Type B)Paquete de firmware (Tipo B)
-
+ GameJuego
-
+ Game UpdateActualización de juego
-
+ Game DLCDLC del juego
-
+ Delta TitleTitulo 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 deseas instalar este NCA como:
(En la mayoría de los casos, el 'Juego' predeterminado está bien).
-
+ Failed to InstallFallo en la instalación
-
+ The title type you selected for the NCA is invalid.El tipo de título que seleccionó para el NCA no es válido.
-
+ File not foundArchivo no encontrado
-
+ File "%1" not foundArchivo "%1" no encontrado
-
+ OKAceptar
-
-
+
+ Hardware requirements not metNo se cumplen los requisitos de hardware
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.El sistema no cumple con los requisitos de hardware recomendados. Los informes de compatibilidad se han desactivado.
-
+ Missing yuzu AccountFalta la cuenta de Yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Para enviar un caso de prueba de compatibilidad de juegos, debes vincular tu cuenta de yuzu.<br><br/> Para vincular tu cuenta de yuzu, ve a Emulación > Configuración > Web.
-
+ Error opening URLError al abrir la URL
-
+ Unable to open the URL "%1".No se puede abrir la URL "%1".
-
+ TAS RecordingGrabación TAS
-
+ Overwrite file of player 1?¿Sobrescribir archivo del jugador 1?
-
+ Invalid config detectedConfiguración no válida detectada
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.El controlador del modo portátil no puede ser usado en el modo sobremesa. Se seleccionará el controlador Pro en su lugar.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedEl amiibo actual ha sido eliminado
-
+ ErrorError
-
-
+
+ The current game is not looking for amiibosEl juego actual no está buscando amiibos
-
+ Amiibo File (%1);; All Files (*.*)Archivo amiibo (%1);; Todos los archivos (*.*)
-
+ Load AmiiboCargar amiibo
-
+ Error loading Amiibo dataError al cargar los datos Amiibo
-
+ The selected file is not a valid amiiboEl archivo seleccionado no es un amiibo válido
-
+ The selected file is already on useEl archivo seleccionado ya se encuentra en uso
-
+ An unknown error occurredHa ocurrido un error inesperado
-
+ Verification failed for the following files:
%1
@@ -4579,145 +4578,177 @@ Por favor, utiliza esta función sólo para instalar actualizaciones y DLCs.
-
+
+
+ No firmware available
-
+ No hay firmware disponible
-
+
+ Please install the firmware to use the Album applet.
+ Por favor, instala el firmware para usar la aplicación del Álbum.
+
+
+
+ Album Applet
+ Applet de Álbum
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ La aplicación del Álbum no esta disponible. Por favor, reinstala el firmware.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Por favor, instala el firmware para usar la applet de Cabinet.
+
+
+
+ Cabinet Applet
+ Applet de Cabinet
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ La applet de Cabinet no está disponible. Por favor, reinstale el firmware.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Por favor, instala el firmware para usar el editor de Mii.
-
+ Mii Edit Applet
-
+ Applet de Editor de Mii
-
+ Mii editor is not available. Please reinstall firmware.
-
+ El editor de Mii no está disponible. Por favor, reinstala el firmware.
-
+ Capture ScreenshotCaptura de pantalla
-
+ PNG Image (*.png)Imagen PNG (*.png)
-
+ TAS state: Running %1/%2Estado TAS: ejecutando %1/%2
-
+ TAS state: Recording %1Estado TAS: grabando %1
-
+ TAS state: Idle %1/%2Estado TAS: inactivo %1/%2
-
+ TAS State: InvalidEstado TAS: nulo
-
+ &Stop Running&Parar de ejecutar
-
+ &Start&Iniciar
-
+ Stop R&ecordingPausar g&rabación
-
+ R&ecordG&rabar
-
+ Building: %n shader(s)Creando: %n shader(s)Construyendo: %n shader(s)Construyendo: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorEscalado: %1x
-
+ Speed: %1% / %2%Velocidad: %1% / %2%
-
+ Speed: %1%Velocidad: %1%
-
+ Game: %1 FPS (Unlocked)Juego: %1 FPS (desbloqueado)
-
+ Game: %1 FPSJuego: %1 FPS
-
+ Frame: %1 msFotogramas: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANO AA
-
+ VOLUME: MUTEVOLUMEN: SILENCIO
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUMEN: %1%
-
+ Confirm Key RederivationConfirmar la clave de rederivación
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4734,37 +4765,37 @@ es lo que quieres hacer si es necesario.
Esto eliminará los archivos de las claves generadas automáticamente y volverá a ejecutar el módulo de derivación de claves.
-
+ Missing fusesFaltan fuses
-
+ - Missing BOOT0- Falta BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Falta BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Falta PRODINFO
-
+ Derivation Components MissingFaltan componentes de derivación
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Faltan las claves de encriptación. <br>Por favor, sigue <a href='https://yuzu-emu.org/help/quickstart/'>la guía rápida de yuzu</a> para obtener todas tus claves, firmware y juegos.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4773,49 +4804,49 @@ Esto puede llevar unos minutos dependiendo
del rendimiento de su sistema.
-
+ Deriving KeysObtención de claves
-
+ System Archive Decryption FailedDesencriptación del Sistema de Archivos Fallida
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Las claves de encriptación no han podido desencriptar el firmware. <br>Por favor, siga<a href='https://yuzu-emu.org/help/quickstart/'>la guía de inicio rápido de yuzu</a> para obtener todas tus claves, firmware y juegos.
-
+ Select RomFS Dump TargetSelecciona el destinatario para volcar el RomFS
-
+ Please select which RomFS you would like to dump.Por favor, seleccione los RomFS que deseas volcar.
-
+ Are you sure you want to close yuzu?¿Estás seguro de que quieres cerrar yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.¿Estás seguro de que quieres detener la emulación? Cualquier progreso no guardado se perderá.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4967,241 +4998,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ FavoriteFavorito
-
+ Start GameIniciar juego
-
+ Start Game without Custom ConfigurationIniciar juego sin la configuración personalizada
-
+ Open Save Data LocationAbrir ubicación de los archivos de guardado
-
+ Open Mod Data LocationAbrir ubicación de los mods
-
+ Open Transferable Pipeline CacheAbrir caché de canalización de shaders transferibles
-
+ RemoveEliminar
-
+ Remove Installed UpdateEliminar la actualización instalada
-
+ Remove All Installed DLCEliminar todos los DLC instalados
-
+ Remove Custom ConfigurationEliminar la configuración personalizada
-
+
+ Remove Play Time Data
+ Eliminar información del tiempo de juego
+
+
+ Remove Cache StorageQuitar almacenamiento de caché
-
+ Remove OpenGL Pipeline CacheEliminar caché de canalización de OpenGL
-
+ Remove Vulkan Pipeline CacheEliminar caché de canalización de Vulkan
-
+ Remove All Pipeline CachesEliminar todas las cachés de canalización
-
+ Remove All Installed ContentsEliminar todo el contenido instalado
-
-
+
+ Dump RomFSVolcar RomFS
-
+ Dump RomFS to SDMCVolcar RomFS a SDMC
-
+ Verify IntegrityVerificar Integridad
-
+ Copy Title ID to ClipboardCopiar la ID del título al portapapeles
-
+ Navigate to GameDB entryIr a la sección de bases de datos del juego
-
+ Create ShortcutCrear Acceso directo
-
+ Add to DesktopAñadir al Escritorio
-
+ Add to Applications MenuAñadir al menú de Aplicaciones
-
+ PropertiesPropiedades
-
+ Scan SubfoldersEscanear subdirectorios
-
+ Remove Game DirectoryEliminar directorio de juegos
-
+ ▲ Move Up▲ Mover hacia arriba
-
+ ▼ Move Down▼ Mover hacia abajo
-
+ Open Directory LocationAbrir ubicación del directorio
-
+ ClearLimpiar
-
+ NameNombre
-
+ CompatibilityCompatibilidad
-
+ Add-onsExtras/Add-ons
-
+ File typeTipo de archivo
-
+ SizeTamaño
+
+
+ Play time
+ Tiempo de juego
+ GameListItemCompat
-
+ IngameInicia
-
+ 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.
-
+ PerfectPerfecta
-
+ Game can be played without issues.El juego se puede jugar sin problemas.
-
+ PlayableJugable
-
+ Game functions with minor graphical or audio glitches and is playable from start to finish.El juego funciona con pequeños errores gráficos o de sonido y es jugable de principio a fin.
-
+ Intro/MenuInicio/Menu
-
+ Game loads, but is unable to progress past the Start Screen.El juego se ejecuta, pero no puede pasar de la pantalla de inicio.
-
+ Won't BootNo funciona
-
+ The game crashes when attempting to startup.El juego se bloquea al intentar iniciar.
-
+ Not TestedSin testear
-
+ The game has not yet been tested.El juego todavía no ha sido testeado todavía.
@@ -5209,7 +5250,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listHaz doble clic para agregar un nuevo directorio a la lista de juegos.
@@ -5222,12 +5263,12 @@ Would you like to bypass this and exit anyway?
%1 de %n resultado(s)%1 de %n resultado(s)%1 de %n resultado(s)
-
+ Filter:Búsqueda:
-
+ Enter pattern to filterIntroduce un patrón para buscar
@@ -5345,6 +5386,7 @@ Mensaje de depuración:
+ Main WindowVentana principal
@@ -5450,6 +5492,11 @@ Mensaje de depuración:
+ Toggle Renderdoc Capture
+ Alternar Captura de Renderdoc
+
+
+ Toggle Status BarAlternar barra de estado
@@ -5688,186 +5735,216 @@ Mensaje de depuración:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Help&Ayuda
-
+ &Install Files to NAND...&Instalar archivos en NAND...
-
+ L&oad File...C&argar archivo...
-
+ Load &Folder...Cargar &carpeta
-
+ E&xitS&alir
-
+ &Pause&Pausar
-
+ &Stop&Detener
-
+ &Reinitialize keys...&Reiniciar claves...
-
+ &Verify Installed Contents
-
+ &Verificar contenidos instalados
-
+ &About yuzu&Acerca de yuzu
-
+ Single &Window ModeModo &ventana
-
+ Con&figure...Con&figurar...
-
+ Display D&ock Widget HeadersMostrar complementos de cabecera del D&ock
-
+ Show &Filter BarMostrar barra de &búsqueda
-
+ Show &Status BarMostrar barra de &estado
-
+ Show Status BarMostrar barra de estado
-
+ &Browse Public Game Lobby&Buscar en el lobby 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&ullscreenP&antalla completa
-
+ &Restart&Reiniciar
-
+ Load/Remove &Amiibo...Cargar/Eliminar &Amiibo...
-
+ &Report Compatibility&Reporte de compatibilidad
-
+ Open &Mods PageAbrir página de &mods
-
+ Open &Quickstart GuideAbrir guía de &inicio rápido
-
+ &FAQ&Preguntas frecuentes
-
+ Open &yuzu FolderAbrir la carpeta de &yuzu
-
+ &Capture Screenshot&Captura de pantalla
-
- Open &Mii Editor
-
+
+ Open &Album
+ Abrir &Álbum
-
+
+ &Set Nickname and Owner
+ &Darle Nombre y Propietario
+
+
+
+ &Delete Game Data
+ &Borrar Datos de Juego
+
+
+
+ &Restore Amiibo
+ &Restaurar Amiibo
+
+
+
+ &Format Amiibo
+ &Formatear Amiibo
+
+
+
+ Open &Mii Editor
+ Abrir Editor de &Mii
+
+
+ &Configure TAS...&Configurar TAS...
-
+ Configure C&urrent Game...Configurar j&uego actual...
-
+ &Start&Iniciar
-
+ &Reset&Reiniciar
-
+ R&ecordG&rabar
@@ -6044,7 +6121,7 @@ Mensaje de depuración:
Connection to room lost. Try to reconnect.
- Conexión a la sala perdida. Intenta reconectarte.
+ Conexión a la sala perdida. Prueba a reconectarte.
@@ -6175,27 +6252,27 @@ p, li { white-space: pre-wrap; }
No jugando ningún juego
-
+ Installed SD TitlesTítulos instalados en la SD
-
+ Installed NAND TitlesTítulos instalados en NAND
-
+ System TitlesTítulos del sistema
-
+ Add New Game DirectoryAñadir un nuevo directorio de juegos
-
+ FavoritesFavoritos
@@ -6662,7 +6739,7 @@ p, li { white-space: pre-wrap; }
No game data present
- No hay datos del juego
+ No existen datos de juego
@@ -6721,7 +6798,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerControlador Pro
@@ -6734,7 +6811,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoycons duales
@@ -6747,7 +6824,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon izquierdo
@@ -6760,7 +6837,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon derecho
@@ -6789,7 +6866,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldPortátil
@@ -6905,32 +6982,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ No hay suficientes controladores.
+
+
+ GameCube ControllerControlador de GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerControl de NES
-
+ SNES ControllerControl de SNES
-
+ N64 ControllerControl de N64
-
+ Sega GenesisSega Genesis
@@ -7041,7 +7123,7 @@ Por favor, inténtalo de nuevo o contacta con el desarrollador del software.
Format data for which user?
- ¿Para qué usuario se borrarán sus datos?
+ ¿Para qué usuario se borrarán los datos?
diff --git a/dist/languages/fr.ts b/dist/languages/fr.ts
index 91025e950..8b8442037 100644
--- a/dist/languages/fr.ts
+++ b/dist/languages/fr.ts
@@ -36,7 +36,7 @@ p, li { white-space: pre-wrap; }
<html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html>
- <html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Site Web</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Code Source </span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributeurs</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licence</span></a></p></body></html>
+ <html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Site Web</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Code Source</span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributeurs</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licence</span></a></p></body></html>
@@ -374,13 +374,13 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zonePar défaut (%1)
@@ -430,7 +430,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Click to preview
- Cliquez pour prévisualiser
+ Cliquer pour prévisualiser
@@ -730,7 +730,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Enable Extended Logging**
- Activer la Journalisation Étendue**
+ Activer la journalisation étendue**
@@ -830,7 +830,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Dump Game Shaders
- Récupérer Shaders Jeu
+ Extraire les shaders du jeu
@@ -875,7 +875,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Enable CPU Debugging
- Activer le Débogage CPU
+ Activer le débogage CPU
@@ -894,49 +894,29 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
- Create Minidump After Crash
- Créer un minidump après un crash
-
-
- 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**
-
+ Enable Verbose Reporting Services**Activer les services de rapport verbeux**
-
+ **This will be reset automatically when yuzu closes.**Ces options seront réinitialisées automatiquement lorsque yuzu fermera.
-
- Restart Required
- Redémarrage nécessaire
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu doit redémarrer pour appliquer ce paramètre.
-
-
-
+ Web applet not compiledApplet Web non compilé
-
-
- MiniDump creation not compiled
- Création de minidump non compilé
- ConfigureDebugController
@@ -1355,7 +1335,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
-
+ Conflicting Key SequenceSéquence de touches conflictuelle
@@ -1376,27 +1356,37 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Invalide
-
+
+ Invalid hotkey settings
+ Paramètres de raccourci invalides
+
+
+
+ An error occurred. Please report this issue on github.
+ Une erreur s'est produite. Veuillez signaler ce problème sur GitHub.
+
+
+ Restore DefaultRestaurer les paramètres par défaut
-
+ ClearEffacer
-
+ Conflicting Button SequenceSéquence de bouton conflictuelle
-
+ The default button sequence is already assigned to: %1La séquence de bouton par défaut est déjà assignée à : %1
-
+ The default key sequence is already assigned to: %1La séquence de touches par défaut est déjà attribuée à : %1
@@ -1695,7 +1685,7 @@ Cela bannirait à la fois son nom d'utilisateur du forum et son adresse IP.
Ring Controller
- Contrôleur Anneau
+ Contrôleur anneau
@@ -3374,67 +3364,72 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce
Afficher la colonne des types de fichier
-
+
+ Show Play Time Column
+ Afficher la colonne de temps de jeu
+
+
+ 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 :
-
+ ScreenshotsCaptures 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 :
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Résolution :
-
+ Select Screenshots Path...Sélectionnez le chemin du dossier des captures d'écran...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3752,817 +3747,821 @@ Faites glisser les points pour modifier la position ou double-cliquez sur les ce
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Des données anonymes sont collectées</a> pour aider à améliorer yuzu. <br/><br/>Voulez-vous partager vos données d'utilisations avec nous ?
-
+ TelemetryTélémétrie
-
+ Broken Vulkan Installation Detected
- Installation Vulkan Cassée Détectée
+ Détection d'une installation Vulkan endommagée
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.L'initialisation de Vulkan a échoué lors du démarrage.<br><br>Cliquez <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>ici pour obtenir des instructions pour résoudre le problème</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingExécution d'un jeu
-
+ Loading Web Applet...
- Chargement du Web Applet...
+ Chargement de l'applet web...
-
-
+
+ Disable Web AppletDésactiver 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.)La désactivation de l'applet Web peut entraîner un comportement indéfini et ne doit être utilisée qu'avec Super Mario 3D All-Stars. Voulez-vous vraiment désactiver l'applet Web ?
(Cela peut être réactivé dans les paramètres de débogage.)
-
+ The amount of shaders currently being builtLa quantité de shaders en cours de construction
-
+ The current selected resolution scaling multiplier.Le multiplicateur de mise à l'échelle de résolution actuellement sélectionné.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Valeur actuelle de la vitesse de l'émulation. Des valeurs plus hautes ou plus basses que 100% indique que l'émulation fonctionne plus vite ou plus lentement qu'une véritable Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Combien d'image par seconde le jeu est en train d'afficher. Ceci vas varier de jeu en jeu et de scènes en scènes.
-
+ 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.Temps pris pour émuler une image par seconde de la switch, sans compter le limiteur d'image par seconde ou la synchronisation verticale. Pour une émulation à pleine vitesse, ceci devrait être au maximum à 16.67 ms.
-
+ UnmuteRemettre le son
-
+ MuteCouper le son
-
+ Reset VolumeRéinitialiser le volume
-
+ &Clear Recent Files&Effacer les fichiers récents
-
+ Emulated mouse is enabledLa souris émulée est activée
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.La saisie réelle de la souris et le panoramique de la souris sont incompatibles. Veuillez désactiver la souris émulée dans les paramètres avancés d'entrée pour permettre le panoramique de la souris.
-
+ &Continue&Continuer
-
+ &Pause&Pause
-
+ Warning Outdated Game FormatAvertissement : Le Format de jeu est dépassé
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Vous utilisez un format de ROM déconstruite pour ce jeu, qui est donc un format dépassé qui à été remplacer par d'autre. Par exemple les formats NCA, NAX, XCI, ou NSP. Les destinations de ROM déconstruites manque des icônes, des métadonnée et du support de mise à jour.<br><br>Pour une explication des divers formats Switch que yuzu supporte, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>Regardez dans le wiki</a>. Ce message ne sera pas montré une autre fois.
-
+ Error while loading ROM!Erreur lors du chargement de la ROM !
-
+ The ROM format is not supported.Le format de la ROM n'est pas supporté.
-
+ An error occurred initializing the video core.Une erreur s'est produite lors de l'initialisation du noyau dédié à la vidéo.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu a rencontré une erreur en exécutant le cœur vidéo. Cela est généralement causé par des pilotes graphiques trop anciens. Veuillez consulter les logs pour plus d'informations. Pour savoir comment accéder aux logs, veuillez vous référer à la page suivante : <a href='https://yuzu-emu.org/help/reference/log-files/'>Comment partager un fichier de log </a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Erreur lors du chargement de la ROM ! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Veuillez suivre <a href='https://yuzu-emu.org/help/quickstart/'>le guide de démarrage rapide yuzu</a> pour retransférer vos fichiers.<br>Vous pouvez vous référer au wiki yuzu</a> ou le Discord yuzu</a> pour de l'assistance.
-
+ An unknown error occurred. Please see the log for more details.Une erreur inconnue est survenue. Veuillez consulter le journal des logs pour plus de détails.
-
+ (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...Fermeture du logiciel...
-
+ Save DataEnregistrer les données
-
+ Mod DataDonnés du Mod
-
+ Error Opening %1 FolderErreur dans l'ouverture du dossier %1.
-
-
+
+ Folder does not exist!Le dossier n'existe pas !
-
+ Error Opening Transferable Shader CacheErreur lors de l'ouverture des Shader Cache Transferable
-
+ Failed to create the shader cache directory for this title.Impossible de créer le dossier de cache du shader pour ce jeu.
-
+ Error Removing ContentsErreur en enlevant le contenu
-
+ Error Removing UpdateErreur en enlevant la Mise à Jour
-
+ Error Removing DLCErreur en enlevant le DLC
-
+ Remove Installed Game Contents?Enlever les données du jeu installé ?
-
+ Remove Installed Game Update?Enlever la mise à jour du jeu installé ?
-
+ Remove Installed Game DLC?Enlever le DLC du jeu installé ?
-
+ Remove EntrySupprimer l'entrée
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedSupprimé avec succès
-
+ Successfully removed the installed base game.Suppression du jeu de base installé 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.Suppression de la mise à jour installé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 DLC installed for this title.Il n'y a pas de DLC installé pour ce titre.
-
+ Successfully removed %1 installed DLC.Suppression de %1 DLC installé(s) avec succès.
-
+ Delete OpenGL Transferable Shader Cache?Supprimer la Cache OpenGL de Shader Transférable?
-
+ Delete Vulkan Transferable Shader Cache?Supprimer la Cache Vulkan de Shader Transférable?
-
+ Delete All Transferable Shader Caches?Supprimer Toutes les Caches de Shader Transférable?
-
+ Remove Custom Game Configuration?Supprimer la configuration personnalisée du jeu?
-
+ Remove Cache Storage?Supprimer le stockage du cache ?
-
+ Remove FileSupprimer fichier
-
-
+
+ Remove Play Time Data
+ Supprimer les données de temps de jeu
+
+
+
+ Reset play time?
+ Réinitialiser le temps de jeu ?
+
+
+
+ Error Removing Transferable Shader CacheErreur lors de la suppression du cache de 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 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 CacheErreur lors de la suppression du cache de pipeline de pilotes Vulkan
-
+ Failed to remove the driver pipeline cache.Échec de la suppression du cache de pipeline de pilotes.
-
-
+
+ Error Removing Transferable Shader CachesErreur durant la Suppression des Caches de 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 la cache de shader transférable.
-
-
+
+ Error Removing Custom ConfigurationErreur lors de la suppression de la 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.Suppression de la configuration de jeu personnalisée avec succès.
-
+ Failed to remove the custom game configuration.Échec de la suppression de la configuration personnalisée du 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.Une erreur s'est produite lors de la copie des fichiers RomFS ou l'utilisateur a annulé l'opération.
-
+ FullPlein
-
+ SkeletonSquelette
-
+ Select RomFS Dump ModeSélectionnez le mode d'extraction de la 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.Veuillez sélectionner la manière dont vous souhaitez que le fichier RomFS soit extrait.<br>Full copiera tous les fichiers dans le nouveau répertoire, tandis que<br>skeleton créera uniquement la structure de répertoires.
-
+ 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 RootIl n'y a pas assez d'espace libre dans %1 pour extraire la RomFS. Veuillez libérer de l'espace ou sélectionner un autre dossier d'extraction dans Émulation > Configurer > Système > Système de fichiers > Extraire la racine
-
+ Extracting RomFS...Extraction de la RomFS ...
-
-
-
-
+
+
+
+ CancelAnnuler
-
+ RomFS Extraction Succeeded!Extraction de la RomFS réussi !
-
-
-
+
+
+ The operation completed successfully.L'opération s'est déroulée avec succès.
-
+ Integrity verification couldn't be performed!La vérification de l'intégrité n'a pas pu être effectuée !
-
+ File contents were not checked for validity.La validité du contenu du fichier n'a pas été vérifiée.
-
-
+
+ Integrity verification failed!La vérification de l'intégrité a échoué !
-
+ File contents may be corrupt.Le contenu du fichier pourrait être corrompu.
-
-
+
+ Verifying integrity...Vérification de l'intégrité...
-
-
+
+ Integrity verification succeeded!La vérification de l'intégrité a réussi !
-
-
-
-
-
+
+
+
+ Create ShortcutCréer un raccourci
-
+ 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 actuelle. Cela peut ne pas fonctionner correctement si vous mettez à jour. Continuer ?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Impossible de créer un raccourci sur le bureau. Le chemin "%1" n'existe pas.
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Impossible de créer un raccourci. Le chemin "%1" n'existe pas.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Impossible de créer un raccourci dans le menu des applications. Le chemin "%1" n'existe pas et ne peut pas être créé.
-
-
-
+ Create IconCréer une icône
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Impossible de créer le fichier d'icône. Le chemin "%1" n'existe pas et ne peut pas être créé.
-
+ Start %1 with the yuzu EmulatorDémarrer %1 avec l'émulateur Yuzu
-
+ Failed to create a shortcut at %1Impossible de créer un raccourci vers %1
-
+ Successfully created a shortcut to %1Création réussie d'un raccourci vers %1
-
+ Error Opening %1Erreur lors de l'ouverture %1
-
+ Select DirectorySélectionner un répertoire
-
+ PropertiesPropriétés
-
+ The game properties could not be loaded.Les propriétés du jeu n'ont pas pu être chargées.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Exécutable Switch (%1);;Tous les fichiers (*.*)
-
+ Load FileCharger un fichier
-
+ Open Extracted ROM DirectoryOuvrir le dossier des ROM extraites
-
+ Invalid Directory SelectedDestination sélectionnée invalide
-
+ The directory you have selected does not contain a 'main' file.Le répertoire que vous avez sélectionné ne contient pas de fichier "main".
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Fichier Switch installable (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstaller les fichiers
-
+ %n file(s) remaining%n fichier restant%n fichiers restants%n fichiers restants
-
+ Installing file "%1"...Installation du fichier "%1" ...
-
-
+
+ Install ResultsRésultats d'installation
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Pour éviter d'éventuels conflits, nous déconseillons aux utilisateurs d'installer des jeux de base sur la NAND.
Veuillez n'utiliser cette fonctionnalité que pour installer des mises à jour et des DLC.
-
+ %n file(s) were newly installed
%n fichier a été nouvellement installé%n fichiers ont été nouvellement installés%n fichiers ont été nouvellement installés
-
+ %n file(s) were overwritten
%n fichier a été écrasé%n fichiers ont été écrasés%n fichiers ont été écrasés
-
+ %n file(s) failed to install
%n fichier n'a pas pu être installé%n fichiers n'ont pas pu être installés%n fichiers n'ont pas pu être installés
-
+ System ApplicationApplication Système
-
+ System ArchiveArchive Système
-
+ System Application UpdateMise à jour de l'application système
-
+ Firmware Package (Type A)Paquet micrologiciel (Type A)
-
+ Firmware Package (Type B)Paquet micrologiciel (Type B)
-
+ GameJeu
-
+ Game UpdateMise à jour de jeu
-
+ Game DLCDLC de jeu
-
+ Delta TitleTitre Delta
-
+ Select NCA Install Type...Sélectionner le type d'installation du NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Veuillez sélectionner le type de titre auquel vous voulez installer ce NCA :
(Dans la plupart des cas, le titre par défaut : 'Jeu' est correct.)
-
+ Failed to InstallÉchec de l'installation
-
+ The title type you selected for the NCA is invalid.Le type de titre que vous avez sélectionné pour le NCA n'est pas valide.
-
+ File not foundFichier non trouvé
-
+ File "%1" not foundFichier "%1" non trouvé
-
+ OKOK
-
-
+
+ Hardware requirements not metÉxigences matérielles non respectées
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Votre système ne correspond pas aux éxigences matérielles. Les rapports de comptabilité ont été désactivés.
-
+ Missing yuzu AccountCompte yuzu manquant
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Pour soumettre un test de compatibilité pour un jeu, vous devez lier votre compte yuzu.<br><br/>Pour lier votre compte yuzu, aller à Emulation > Configuration> Web.
-
+ Error opening URLErreur lors de l'ouverture de l'URL
-
+ Unable to open the URL "%1".Impossible d'ouvrir l'URL "%1".
-
+ TAS RecordingEnregistrement TAS
-
+ Overwrite file of player 1?Écraser le fichier du joueur 1 ?
-
+ Invalid config detectedConfiguration invalide détectée
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Le contrôleur portable ne peut pas être utilisé en mode TV. La manette pro sera sélectionné.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedL'amiibo actuel a été retiré
-
+ ErrorErreur
-
-
+
+ The current game is not looking for amiibosLe jeu actuel ne cherche pas d'amiibos.
-
+ Amiibo File (%1);; All Files (*.*)Fichier Amiibo (%1);; Tous les fichiers (*.*)
-
+ Load AmiiboCharger un Amiibo
-
+ Error loading Amiibo dataErreur lors du chargement des données Amiibo
-
+ The selected file is not a valid amiiboLe fichier choisi n'est pas un amiibo valide
-
+ The selected file is already on useLe fichier sélectionné est déjà utilisé
-
+ An unknown error occurredUne erreur inconnue s'est produite
-
+ Verification failed for the following files:
%1
@@ -4571,145 +4570,177 @@ Veuillez n'utiliser cette fonctionnalité que pour installer des mises à j
%1
-
+
+
+ No firmware availablePas de firmware disponible
-
+
+ Please install the firmware to use the Album applet.
+ Veuillez installer le firmware pour utiliser l'applet de l'album.
+
+
+
+ Album Applet
+ Applet de l'album
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ L'applet de l'album n'est pas disponible. Veuillez réinstaller le firmware.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Veuillez installer le firmware pour utiliser l'applet du cabinet.
+
+
+
+ Cabinet Applet
+ Applet du cabinet
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ L'applet du cabinet n'est pas disponible. Veuillez réinstaller le firmware.
+
+
+ Please install the firmware to use the Mii editor.Veuillez installer le firmware pour utiliser l'éditeur Mii.
-
+ Mii Edit AppletApplet de l'éditeur Mii
-
+ Mii editor is not available. Please reinstall firmware.L'éditeur Mii n'est pas disponible. Veuillez réinstaller le firmware.
-
+ Capture ScreenshotCapture d'écran
-
+ PNG Image (*.png)Image PNG (*.png)
-
+ TAS state: Running %1/%2État du TAS : En cours d'exécution %1/%2
-
+ TAS state: Recording %1État du TAS : Enregistrement %1
-
+ TAS state: Idle %1/%2État du TAS : Inactif %1:%2
-
+ TAS State: InvalidÉtat du TAS : Invalide
-
+ &Stop Running&Stopper l'exécution
-
+ &Start&Start
-
+ Stop R&ecordingStopper l'en®istrement
-
+ R&ecordEn®istrer
-
+ Building: %n shader(s)Compilation: %n shaderCompilation : %n shadersCompilation : %n shaders
-
+ Scale: %1x%1 is the resolution scaling factorÉchelle : %1x
-
+ Speed: %1% / %2%Vitesse : %1% / %2%
-
+ Speed: %1%Vitesse : %1%
-
+ Game: %1 FPS (Unlocked)Jeu : %1 IPS (Débloqué)
-
+ Game: %1 FPSJeu : %1 FPS
-
+ Frame: %1 msFrame : %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAAUCUN AA
-
+ VOLUME: MUTEVOLUME : MUET
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUME : %1%
-
+ Confirm Key RederivationConfirmer la réinstallation de la clé
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4726,37 +4757,37 @@ et éventuellement faites des sauvegardes.
Cela supprimera vos fichiers de clé générés automatiquement et ré exécutera le module d'installation de clé.
-
+ Missing fusesFusibles manquants
-
+ - Missing BOOT0- BOOT0 manquant
-
+ - Missing BCPKG2-1-Normal-Main- BCPKG2-1-Normal-Main manquant
-
+ - Missing PRODINFO- PRODINFO manquant
-
+ Derivation Components MissingComposants de dérivation manquants
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Les clés de chiffrement sont manquantes. <br>Veuillez suivre <a href='https://yuzu-emu.org/help/quickstart/'>le guide de démarrage rapide yuzu</a> pour obtenir tous vos clés, firmware et jeux.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4765,49 +4796,49 @@ Cela peut prendre jusqu'à une minute en fonction
des performances de votre système.
-
+ Deriving KeysInstallation des clés
-
+ System Archive Decryption FailedÉchec du déchiffrement de l'archive système.
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Les clés de chiffrement n'ont pas réussi à déchiffrer le firmware. <br>Veuillez suivre <a href='https://yuzu-emu.org/help/quickstart/'>le guide de démarrage rapide du yuzu</a> pour obtenir toutes vos clés, firmware et jeux.
-
+ Select RomFS Dump TargetSélectionner la cible d'extraction du RomFS
-
+ Please select which RomFS you would like to dump.Veuillez sélectionner quel RomFS vous voulez extraire.
-
+ Are you sure you want to close yuzu?Êtes vous sûr de vouloir fermer yuzu ?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Êtes-vous sûr d'arrêter l'émulation ? Tout progrès non enregistré sera perdu.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4959,241 +4990,251 @@ Voulez-vous ignorer ceci and quitter quand même ?
GameList
-
+ FavoritePréférer
-
+ Start GameDémarrer le jeu
-
+ Start Game without Custom ConfigurationDémarrer le jeu sans configuration personnalisée
-
+ Open Save Data LocationOuvrir l'emplacement des données de sauvegarde
-
+ Open Mod Data LocationOuvrir l'emplacement des données des mods
-
+ Open Transferable Pipeline Cache
- Ouvrir la Cache de Pipeline Transférable
+ Ouvrir le cache de pipelines transférable
-
+ RemoveSupprimer
-
+ Remove Installed UpdateSupprimer mise à jour installée
-
+ Remove All Installed DLCSupprimer tous les DLC installés
-
+ Remove Custom ConfigurationSupprimer la configuration personnalisée
-
+
+ Remove Play Time Data
+ Supprimer les données de temps de jeu
+
+
+ Remove Cache StorageSupprimer le stockage du cache
-
+ Remove OpenGL Pipeline Cache
- Supprimer la Cache de Pipeline OpenGL
+ Supprimer le cache de pipelines OpenGL
-
+ Remove Vulkan Pipeline Cache
- Supprimer la Cache de Pipeline Vulkan
+ Supprimer le cache de pipelines Vulkan
-
+ Remove All Pipeline Caches
- Supprimer Toutes les Caches de Pipeline
+ Supprimer tous les caches de pipelines
-
+ Remove All Installed ContentsSupprimer tout le contenu installé
-
-
+
+ Dump RomFSExtraire la RomFS
-
+ Dump RomFS to SDMCDécharger RomFS vers SDMC
-
+ Verify IntegrityVérifier l'intégrité
-
+ Copy Title ID to ClipboardCopier l'ID du titre dans le Presse-papiers
-
+ Navigate to GameDB entryAccédez à l'entrée GameDB
-
+ Create ShortcutCréer un raccourci
-
+ Add to DesktopAjouter au bureau
-
+ Add to Applications MenuAjouter au menu des applications
-
+ PropertiesPropriétés
-
+ Scan SubfoldersScanner les sous-dossiers
-
+ Remove Game DirectorySupprimer le répertoire du jeu
-
+ ▲ Move Up▲ Monter
-
+ ▼ Move Down▼ Descendre
-
+ Open Directory LocationOuvrir l'emplacement du répertoire
-
+ ClearEffacer
-
+ NameNom
-
+ CompatibilityCompatibilité
-
+ Add-onsExtensions
-
+ File typeType de fichier
-
+ SizeTaille
+
+
+ Play time
+ Temps de jeu
+ GameListItemCompat
-
+ IngameEn 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é.
-
+ PerfectParfait
-
+ Game can be played without issues.Le jeu peut être joué sans problèmes.
-
+ PlayableJouable
-
+ 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/MenuIntro/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 BootNe démarre pas
-
+ The game crashes when attempting to startup.Le jeu crash au lancement.
-
+ Not TestedNon testé
-
+ The game has not yet been tested.Le jeu n'a pas encore été testé.
@@ -5201,7 +5242,7 @@ Voulez-vous ignorer ceci and quitter quand même ?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDouble-cliquez pour ajouter un nouveau dossier à la liste de jeux
@@ -5214,12 +5255,12 @@ Voulez-vous ignorer ceci and quitter quand même ?
%1 sur %n résultat%1 sur %n résultats%1 sur %n résultats
-
+ Filter:Filtre :
-
+ Enter pattern to filterEntrez un motif à filtrer
@@ -5337,6 +5378,7 @@ Message de débogage :
+ Main WindowFenêtre Principale
@@ -5442,6 +5484,11 @@ Message de débogage :
+ Toggle Renderdoc Capture
+ Activer la capture renderdoc
+
+
+ Toggle Status BarActiver la barre d'état
@@ -5680,186 +5727,216 @@ Message de débogage :
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Help&Aide
-
+ &Install Files to NAND...&Installer des fichiers sur la NAND...
-
+ L&oad File...&Charger un fichier...
-
+ Load &Folder...&Charger un dossier
-
+ E&xitQ&uitter
-
+ &Pause&Pause
-
+ &Stop&Arrêter
-
+ &Reinitialize keys...&Réinitialiser les clés...
-
+ &Verify Installed Contents&Vérifier les contenus installés
-
+ &About yuzu&À propos de yuzu
-
+ Single &Window Mode&Mode fenêtre unique
-
+ Con&figure...&Configurer...
-
+ Display D&ock Widget Headers&Afficher les en-têtes du widget Dock
-
+ Show &Filter Bar&Afficher la barre de filtre
-
+ Show &Status Bar&Afficher la barre d'état
-
+ Show Status BarAfficher 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&ullscreenP&lein écran
-
+ &Restart&Redémarrer
-
+ Load/Remove &Amiibo...Charger/Retirer &Amiibo…
-
+ &Report Compatibility&Signaler la compatibilité
-
+ Open &Mods PageOuvrir la &page des mods
-
+ Open &Quickstart Guide
- Ouvrir le &guide de Démarrage rapide
+ Ouvrir le &guide de démarrage rapide
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderOuvrir le &dossier de Yuzu
-
+ &Capture Screenshot&Capture d'écran
-
+
+ Open &Album
+ Ouvrir l'&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
+
+
+ Open &Mii EditorOuvrir l'&éditeur Mii
-
+ &Configure TAS...&Configurer TAS...
-
+ Configure C&urrent Game...Configurer le j&eu actuel...
-
+ &Start&Démarrer
-
+ &Reset&Réinitialiser
-
+ R&ecordEn®istrer
@@ -6167,27 +6244,27 @@ p, li { white-space: pre-wrap; }
Ne joue pas à un jeu
-
+ Installed SD TitlesTitres installés sur la SD
-
+ Installed NAND TitlesTitres installés sur la NAND
-
+ System TitlesTitres Système
-
+ Add New Game DirectoryAjouter un nouveau répertoire de jeu
-
+ FavoritesFavoris
@@ -6713,7 +6790,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerManette Switch Pro
@@ -6726,7 +6803,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsDeux Joycons
@@ -6739,7 +6816,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon gauche
@@ -6752,7 +6829,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon droit
@@ -6781,7 +6858,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldMode Portable
@@ -6897,32 +6974,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Pas assez de manettes.
+
+
+ GameCube ControllerManette GameCube
-
+ Poke Ball PlusPoké Ball Plus
-
+ NES ControllerManette NES
-
+ SNES ControllerManette SNES
-
+ N64 ControllerManette N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/hu.ts b/dist/languages/hu.ts
index 3c14971ba..863e7383b 100644
--- a/dist/languages/hu.ts
+++ b/dist/languages/hu.ts
@@ -29,7 +29,7 @@ p, li { white-space: pre-wrap; }
<html><head><meta name="qrichtext" content="1" /><style type="text/css">
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'Ubuntu'; font-size:11pt; 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;">A yuzu egy kísérleti nyílt forráskódú emulátor a Nintendo Switchhez, GPLv3.0+ licenccel.</span></p>
+<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;">A yuzu egy kísérleti, nyílt forráskódú Nintendo Switch emulátor, amely a GPLv3.0+ licenc alatt áll.</span></p>
<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; font-family:'MS Shell Dlg 2'; font-size:8pt;"><br /></p>
<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;">Ezt a szoftvert ne használd, ha nem legálisan szerezted meg a játékaidat.</span></p></body></html>
@@ -213,7 +213,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
%1 - %2 (%3/%4 members) - connected
- %1 - %2 (%3/%4 tagok) - csatlakoztatva
+ %1 - %2 (%3/%4 tag) - csatlakoztatva
@@ -237,7 +237,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
<html><head/><body><p><span style=" font-size:10pt;">Should you choose to submit a test case to the </span><a href="https://yuzu-emu.org/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">yuzu 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 yuzu 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 yuzu account</li></ul></body></html>
- <html><head/><body><p><span style=" font-size:10pt;">Szeretnél küldeni egy tesztelési jelentést a </span><a href="https://yuzu-emu.org/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">yuzu Kompatibilitás Listájára</span></a><span style=" font-size:10pt;">, A következő információkat fogjuk begyűjteni és megjeleníteni az oldalon:</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;">Hardver Információk (CPU / GPU / Operációs rendszer)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">A yuzu, milyen verzión fut</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">A használt yuzu fiók</li></ul></body></html>
+ <html><head/><body><p><span style=" font-size:10pt;">Ha úgy döntesz, hogy tesztesetet küldesz a </span><a href="https://yuzu-emu.org/game/"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">yuzu kompatibilitási listára</span></a><span style=" font-size:10pt;">,a következő információkat gyűjtjük és jelenítjük meg az oldalon:</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;">Hardverinformáció (CPU / GPU / operációs rendszer)</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">A yuzu futtatott verziója</li><li style=" margin-top:12px; margin-bottom:12px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;">A csatlakoztatott yuzu-fiók</li></ul></body></html>
@@ -373,13 +373,13 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
%
-
+ Auto (%1)Auto select time zoneAutomatikus (%1)
-
+ Default (%1)Default time zoneAlapértelmezett (%1)
@@ -404,12 +404,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Select where the image of the emulated camera comes from. It may be a virtual camera or a real camera.
-
+ Válaszd ki, honnan származik az emulált kamera képe. Ez lehet egy virtuális vagy egy valódi kamera.Camera Image Source:
-
+ Kamerakép forrása:
@@ -434,7 +434,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Restore Defaults
- Visszaállítás alapértelmezettre
+ Visszaállítás
@@ -447,7 +447,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -480,7 +480,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -521,7 +521,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Enable block linking
-
+ Blokk összekapcsolás engedélyezése
@@ -533,7 +533,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Enable return stack buffer
-
+ Visszatérési puffer engedélyezése
@@ -552,36 +552,42 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
<div>Enables an IR optimization that reduces unnecessary accesses to the CPU context structure.</div>
-
+
+ <div>Engedélyezi az IR-optimalizálást, amely csökkenti a CPU-kontextus struktúrájához való szükségtelen hozzáféréseket.</div>
+ Enable context elimination
-
+ Kontextus kiküszöbölésének engedélyezése
<div>Enables IR optimizations that involve constant propagation.</div>
-
+
+ <div>Lehetővé teszi az olyan IR-optimalizációkat, amelyek állandó továbbítással járnak.</div>
+ Enable constant propagation
-
+ Állandó továbbítás engedélyezése
<div>Enables miscellaneous IR optimizations.</div>
-
+
+ <div>Engedélyezi az egyéb IR-optimalizációkat. </div>
+ Enable miscellaneous optimizations
-
+ Egyéb optimalizációk engedélyezése
@@ -666,7 +672,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Enable GDB Stub
-
+ GDB Stub engedélyezése
@@ -681,22 +687,22 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Open Log Location
- Naplózási Hely Megnyitása
+ Naplózási hely megnyitásaGlobal Log Filter
- Globális Naplózási Szűrő
+ Globális naplózási szűrőWhen checked, the max size of the log increases from 100 MB to 1 GB
- Ha bepipálva marad, a naplózásnak a maximális nagysága 100 MB-ról 1 GB-ra növekszik
+ Ha be van jelölve, a napló maximális mérete 100 MB-ról 1 GB-ra nő.Enable Extended Logging**
- Bővített Naplózás Engedélyezése
+ Bővített naplózás engedélyezése
@@ -721,7 +727,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
When checked, it executes shaders without loop logic changes
- Ha be van pipálva, végrehajtja az árnyékolókat ismétlő logikai változtatások nélkül
+ Ha be van jelölve, végrehajtja az árnyékolókat ismétlő logikai változtatások nélkül
@@ -731,7 +737,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
When checked, it disables the macro HLE functions. Enabling this makes games run slower
- Ha bepipálva marad, letiltja a macro HLE funkciókat. Ha engedélyezi, lassabban futnak a játékok
+ Ha be van jelölve, letiltja a macro HLE funkciókat. Ennek engedélyezése lelassítja a játékok sebességét.
@@ -741,37 +747,37 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
When checked, it will dump all the macro programs of the GPU
-
+ Ha be van jelölve, ki fogja menteni a GPU összes makróprogramját.Dump Maxwell Macros
-
+ Maxwell makrók kimentéseWhen checked, it enables Nsight Aftermath crash dumps
-
+ Ha be van jelölve, engedélyezi az Nsight Aftermath összeomlási naplókat.Enable Nsight Aftermath
- Nsight Aftermath Engedélyezése
+ Nsight Aftermath engedélyezéseWhen checked, yuzu will log statistics about the compiled pipeline cache
-
+ Ha be van jelölve, a yuzu naplózza a fordított pipeline gyorsítótár statisztikáit.Enable Shader Feedback
- Árnyékoló Visszajelzés Engedélyezése
+ Árnyékoló visszajelzés engedélyezéseWhen checked, it disables the macro Just In Time compiler. Enabling this makes games run slower
- Ha bepipálva marad, letiltja a macro Just In Time összegyűjtőt. Ha engedélyezi, lassabban futnak a játékok
+ Ha be van jelölve, letiltja a macro Just In Time fordítót. Ennek engedélyezése lelassítja a játékok sebességét.
@@ -781,27 +787,27 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
When checked, the graphics API enters a slower debugging mode
- Ha bepipálva marad, a grafikai API lassabb hibakereső módba fog lépni
+ Ha be van jelölve, a grafikus API lassabb hibakereső módba lép.Enable Graphics Debugging
- Grafikai Hibakereső Engedélyezése
+ Grafikai hibakereső engedélyezéseWhen checked, it will dump all the original assembler shaders from the disk shader cache or game as found
-
+ Ha be van jelölve, az összes eredeti assembler árnyékolót ki fogja menteni a lemez árnyékoló gyorsítótárból vagy a játékból, ahogyan azt találja.Dump Game Shaders
-
+ Játék árnyékolók kimentéseEnable Renderdoc Hotkey
-
+ Renderdoc gyorsgomb engedélyezése
@@ -811,22 +817,22 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
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.
- Engedélyezi a yuzunak, hogy keressen működő Vulkan környezetet, amikor a program elindul. Tiltsa le, ha okoz problémát yuzu észlelésénél külsős programoknál
+ Lehetővé teszi, hogy a yuzu ellenőrizze a Vulkan környezet működését a program indításakor. Ha ez problémát okoz a külső programoknak a yuzu észlelésében, akkor tiltsd le ezt az opciót.Perform Startup Vulkan Check
- Elindítási Vulkan Ellenőrzés Végrehajtása
+ Vulkan ellenőrzése indításkorDisable Web Applet
- Webalkalmazás letiltása
+ Web applet letiltásaEnable All Controller Types
- Összes Kontroller Típus Engedélyezése
+ Összes vezérlőtípus engedélyezése
@@ -836,12 +842,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Kiosk (Quest) Mode
- Kiosk (Quest) Mód
+ Kiosk (Quest) módEnable CPU Debugging
- CPU Hibakereső Engedélyezése
+ CPU hibakereső engedélyezése
@@ -860,56 +866,36 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**
-
+ **This will be reset automatically when yuzu closes.**Ez automatikusan visszaáll, amikor a yuzu leáll.
-
- Restart Required
- Újraindítás Szükséges
-
-
-
- yuzu is required to restart in order to apply this setting.
- Szükséges a yuzu újraindítása, hogy alkalmazzuk ezt a beállítást.
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugControllerConfigure Debug Controller
- Hibakeresési Kontroller Konfigurálása
+ Hibakeresési vezérlő konfigurálása
@@ -919,7 +905,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Defaults
- Alapértelmezettek
+ Alap
@@ -927,7 +913,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -951,7 +937,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Some settings are only available when a game is not running.
- Valamely beállítások csak akkor elérhetőek, amikor nem fut játék.
+ Néhány beállítás csak akkor érhető el, amikor nem fut játék.
@@ -1035,7 +1021,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -1099,7 +1085,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Dump ExeFS
-
+ ExeFS kimentése
@@ -1109,7 +1095,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Dump Root
-
+ Gyökér kimentése
@@ -1132,27 +1118,27 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Select Emulated NAND Directory...
- Válasszon ki Emulált NAND Könyvtárat...
+ Emulált NAND könyvtár kiválasztása...Select Emulated SD Directory...
- Válasszon ki Emulált SD Könyvtárat...
+ Emulált SD könyvtár kiválasztása...Select Gamecard Path...
- Válasszon ki Játékkártya Könyvtárat...
+ Játékkártya könyvtár kiválasztása...Select Dump Directory...
-
+ Kimentési mappa kiválasztása...Select Mod Load Directory...
- Válasszon ki Mod Betöltő Könyvtárat...
+ Mod betöltő könyvtár kiválasztása...
@@ -1175,7 +1161,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -1186,7 +1172,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Reset All Settings
- Összes Beállítás Visszaállítása
+ Összes beállítás visszaállítása
@@ -1204,7 +1190,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -1214,12 +1200,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
API Settings
- API Beállítások
+ API beállításokGraphics Settings
- Grafikai Beállítások
+ Grafikai beállítások
@@ -1263,7 +1249,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -1273,7 +1259,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Advanced Graphics Settings
- Haladó Grafikai Beállítások
+ Haladó grafikai beállítások
@@ -1281,7 +1267,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Hotkey Settings
- Gyorsgomb Beállítások
+ Gyorsgomb beállítások
@@ -1296,12 +1282,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Clear All
- Összes Törlése
+ Összes törléseRestore Defaults
- Visszaállítás alapértelmezettre
+ Visszaállítás
@@ -1316,12 +1302,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Controller Hotkey
- Kontroller Gyorsgomb
+ Vezérlő gyorsgomb
-
+ Conflicting Key SequenceÜtköző kulcssorozat
@@ -1342,27 +1328,37 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Érvénytelen
-
- Restore Default
- Alapértelmezettre állítás
+
+ Invalid hotkey settings
+ Érvénytelen gyorsbillentyű beállítások
-
+
+ An error occurred. Please report this issue on github.
+
+
+
+
+ Restore Default
+ Alapértelmezés
+
+
+ ClearTörlés
-
+ Conflicting Button SequenceÜtköző gombsor
-
+ The default button sequence is already assigned to: %1Az alapértelmezett gombsor már hozzá van rendelve a: %1
-
+ The default key sequence is already assigned to: %1Az alapértelmezett kulcssorozat már hozzá van rendelve a: %1
@@ -1372,7 +1368,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
ConfigureInput
- Bevitel Konfigurálása
+ Bevitel konfigurálása
@@ -1431,12 +1427,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Console Mode
- Konzol Mód
+ Konzol módDocked
- Dokkolva
+ Dokkolt
@@ -1462,7 +1458,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Controllers
- Kontrollerek
+ Vezérlők
@@ -1512,7 +1508,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Defaults
- Alapértelmezettek
+ Alap
@@ -1525,12 +1521,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Configure Input
- Bevitel Konfigurálása
+ Bevitel konfigurálásaJoycon Colors
- Joycon Színei
+ Joycon színei
@@ -1547,7 +1543,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
L Body
- Bal Test
+ Bal test
@@ -1559,7 +1555,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
L Button
- Bal Gomb
+ Bal gomb
@@ -1571,7 +1567,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
R Body
- Jobb Test
+ Jobb test
@@ -1583,7 +1579,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
R Button
- Jobb Gomb
+ Jobb gomb
@@ -1623,7 +1619,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Emulated Devices
- Emulált Eszközök
+ Emulált eszközök
@@ -1648,7 +1644,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Debug Controller
- Kontroller Hibakeresése
+ Vézérlő hibakeresése
@@ -1661,12 +1657,12 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Ring Controller
- Ring Kontroller
+ Ring kontrollerInfrared Camera
- Infravörös Kamera
+ Infravörös kamera
@@ -1676,7 +1672,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Emulate Analog with Keyboard Input
- Analóg Emulálása Billentyűzet Bevitellel
+ Analóg emulálása billentyűzet bevitellel
@@ -1688,17 +1684,17 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Enable XInput 8 player support (disables web applet)
-
+ XInput 8 játékos támogatás engedélyezése (web appletet letiltja)Enable UDP controllers (not needed for motion)
-
+ UDP vezérlők engedélyezése (motionhöz nem szükséges)Controller navigation
- Kontroller nagiváció
+ Kontroller navigáció
@@ -1713,7 +1709,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Allows unlimited uses of the same Amiibo in games that would otherwise limit you to one use.
- Engedélyezi az ugyanolyan Amiibo korlátlan használatát, olyan játékokban ahol másképpen egyszeri használatra lenne limitálva.
+ Lehetővé teszi, hogy ugyanazt az Amiibo-t korlátlanul használd olyan játékokban, amelyek egyébként csak egyszerre engednék használni.
@@ -1731,7 +1727,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Form
-
+ Forma
@@ -1741,52 +1737,52 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Input Profiles
- Beviteli Profilok
+ Beviteli profilokPlayer 1 Profile
- Játékos 1 Profilja
+ Játékos 1 profiljaPlayer 2 Profile
- Játékos 2 Profilja
+ Játékos 2 profiljaPlayer 3 Profile
- Játékos 3 Profilja
+ Játékos 3 profiljaPlayer 4 Profile
- Játékos 4 Profilja
+ Játékos 4 profiljaPlayer 5 Profile
- Játékos 5 Profilja
+ Játékos 5 profiljaPlayer 6 Profile
- Játékos 6 Profilja
+ Játékos 6 profiljaPlayer 7 Profile
- Játékos 7 Profilja
+ Játékos 7 profiljaPlayer 8 Profile
- Játékos 8 Profilja
+ Játékos 8 profiljaUse global input configuration
-
+ Globális bemenet konfiguráció használata
@@ -1799,7 +1795,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Configure Input
- Bevitel Konfigurálása
+ Bevitel konfigurálása
@@ -1809,7 +1805,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Input Device
- Bemeneti Eszköz
+ Bemeneti eszköz
@@ -1929,7 +1925,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
L
-
+ L
@@ -1942,7 +1938,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Minus
-
+ Mínusz
@@ -1955,7 +1951,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Plus
-
+ Plusz
@@ -1969,7 +1965,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
R
-
+ R
@@ -2021,13 +2017,13 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
A
-
+ AB
-
+ B
@@ -2038,7 +2034,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Mouse panning
-
+ Egérpásztázás
@@ -2060,7 +2056,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
[not set]
- [nincs beállítva]
+ [nincs beáll.]
@@ -2078,7 +2074,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Turbo button
-
+ Turbó gomb
@@ -2091,7 +2087,7 @@ Ez kitiltaná a fórum felhasználóneve és az IP címe alapján.
Set threshold
-
+ Küszöbérték beállítása
@@ -2129,7 +2125,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Center axis
-
+ Középtengely
@@ -2167,7 +2163,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Handheld
- Kézben
+ Kézi
@@ -2177,7 +2173,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Poke Ball Plus
-
+ Poke Ball Plus
@@ -2197,7 +2193,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Sega Genesis
-
+ Sega Genesis
@@ -2207,7 +2203,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Z
-
+ Z
@@ -2222,12 +2218,12 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Shake!
-
+ Rázd![waiting]
- [várokazás]
+ [várakozás]
@@ -2237,7 +2233,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Enter a profile name:
-
+ Add meg a profil nevét:
@@ -2253,7 +2249,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Failed to create the input profile "%1"
-
+ A "%1" beviteli profilt nem sikerült létrehozni
@@ -2263,7 +2259,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Failed to delete the input profile "%1"
-
+ A "%1" beviteli profilt nem sikerült eltávolítani
@@ -2273,7 +2269,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Failed to load the input profile "%1"
-
+ A "%1" beviteli profilt nem sikerült betölteni
@@ -2283,7 +2279,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Failed to save the input profile "%1"
-
+ A "%1" beviteli profilt nem sikerült elmenteni
@@ -2301,7 +2297,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Defaults
- Alapértelmezettek
+ Alap
@@ -2341,7 +2337,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
CemuhookUDP Config
-
+ CemuhookUDP konfig
@@ -2422,7 +2418,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Unable to add more than 8 servers
-
+ 8-nál több kiszolgálót nem lehet hozzáadni
@@ -2442,7 +2438,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Successfully received data from the server.
-
+ Az adatok sikeresen beérkeztek a kiszolgálótól.
@@ -2457,7 +2453,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
UDP Test or calibration configuration is in progress.<br>Please wait for them to finish.
-
+ UDP tesztelés vagy a kalibrálás konfigurálása folyamatban van.<br>Kérjük, várj, amíg befejeződik.
@@ -2465,17 +2461,17 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Configure mouse panning
-
+ Egérpásztázás konfigurálásaEnable mouse panning
-
+ Egérpásztázás engedélyezéseCan be toggled via a hotkey. Default hotkey is Ctrl + F9
-
+ Gyorsgombbal kapcsolható. Alapértelmezett gyorsbillentyű: Ctrl + F9
@@ -2524,7 +2520,7 @@ A tengely megfordításához mozgasd a kart először függőlegesen, majd vízs
Strength
-
+ Erősség
@@ -2545,7 +2541,7 @@ Current values are %1% and %2% respectively.
Emulated mouse is enabled. This is incompatible with mouse panning.
-
+ Az emulált egér engedélyezve van. Ez nem kompatibilis az egérpásztázással.
@@ -2563,7 +2559,7 @@ Current values are %1% and %2% respectively.
Form
-
+ Forma
@@ -2578,7 +2574,7 @@ Current values are %1% and %2% respectively.
Network Interface
-
+ Hálózati adapter
@@ -2591,12 +2587,12 @@ Current values are %1% and %2% respectively.
Dialog
-
+ PárbeszédInfo
-
+ Infó
@@ -2636,7 +2632,7 @@ Current values are %1% and %2% respectively.
Some settings are only available when a game is not running.
- Valamely beállítások csak akkor elérhetőek, amikor nem fut játék.
+ Néhány beállítás csak akkor érhető el, amikor nem fut játék.
@@ -2671,7 +2667,7 @@ Current values are %1% and %2% respectively.
Input Profiles
- Beviteli Profilok
+ Beviteli profilok
@@ -2684,7 +2680,7 @@ Current values are %1% and %2% respectively.
Form
-
+ Forma
@@ -2694,7 +2690,7 @@ Current values are %1% and %2% respectively.
Patch Name
- Patch Név
+ Patch név
@@ -2707,7 +2703,7 @@ Current values are %1% and %2% respectively.
Form
-
+ Forma
@@ -2780,12 +2776,12 @@ Current values are %1% and %2% respectively.
Enter a new username:
-
+ Add meg az új felhasználóneved:Select User Image
-
+ Felhasználói kép kiválasztása
@@ -2800,7 +2796,7 @@ Current values are %1% and %2% respectively.
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.
@@ -2810,37 +2806,37 @@ Current values are %1% and %2% respectively.
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ásakorUnable 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 copying user image
-
+ Hiba történt a felhasználói kép másolásakorUnable to copy image from %1 to %2
-
+ Nem sikerült kimásolni a képet innen %1 ide %2Error resizing user image
-
+ Hiba történt a felhasználói kép átméretezésekorUnable to resize image
-
+ A kép nem méretezhető át
@@ -2848,7 +2844,7 @@ Current values are %1% and %2% respectively.
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.
@@ -2859,7 +2855,8 @@ Current values are %1% and %2% respectively.
Name: %1
UUID: %2
-
+ Név: %1
+UUID: %2
@@ -2926,7 +2923,7 @@ UUID: %2
Restore Defaults
- Visszaállítás alapértelmezettre
+ Visszaállítás
@@ -2936,7 +2933,7 @@ UUID: %2
[not set]
- [nincs beállítva]
+ [nincs beáll.]
@@ -2977,7 +2974,7 @@ UUID: %2
The current mapped device is not connected
-
+ Az jelenleg hozzárendelt eszköz nincs csatlakoztatva
@@ -2987,7 +2984,7 @@ UUID: %2
[waiting]
- [várokazás]
+ [várakozás]
@@ -2995,7 +2992,7 @@ UUID: %2
Form
-
+ Forma
@@ -3019,7 +3016,7 @@ UUID: %2
TAS
-
+ TAS
@@ -3044,7 +3041,7 @@ UUID: %2
Enable TAS features
-
+ TAS funkciók engedélyezése
@@ -3054,7 +3051,7 @@ UUID: %2
Pause execution during loads
-
+ Végrehajtás szüneteltetése terhelés közben
@@ -3077,7 +3074,7 @@ UUID: %2
TAS Configuration
-
+ TAS konfigurálása
@@ -3181,7 +3178,7 @@ Drag points to change position, or double-click table cells to edit values.
Configure Touchscreen
-
+ Érintőképernyő konfigurálása
@@ -3191,27 +3188,27 @@ Drag points to change position, or double-click table cells to edit values.
Touch Parameters
-
+ Érintési paraméterekTouch Diameter Y
-
+ Érintési átmérő YTouch Diameter X
-
+ Érintési átmérő XRotational Angle
-
+ ForgásszögRestore Defaults
- Visszaállítás alapértelmezettre
+ Visszaállítás
@@ -3231,7 +3228,7 @@ Drag points to change position, or double-click table cells to edit values.
Standard (64x64)
-
+ Szabványos (64x64)
@@ -3251,7 +3248,7 @@ Drag points to change position, or double-click table cells to edit values.
Standard (48x48)
-
+ Szabványos (48x48)
@@ -3284,7 +3281,7 @@ Drag points to change position, or double-click table cells to edit values.
Form
-
+ Forma
@@ -3299,7 +3296,7 @@ Drag points to change position, or double-click table cells to edit values.
Note: Changing language will apply your configuration.
-
+ Megjegyzés: A nyelvváltoztatás azonnal érvénybe lép.
@@ -3337,70 +3334,75 @@ Drag points to change position, or double-click table cells to edit values.Fájltípus oszlop mutatása
-
+
+ Show Play Time Column
+ Játékidő oszlop mutatása
+
+
+ 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:
-
+ ScreenshotsKé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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
- Auto (%1 x %2, %3 x %4)
+ Automatikus (%1 x %2, %3 x %4)
@@ -3488,7 +3490,7 @@ Drag points to change position, or double-click table cells to edit values.
Form
-
+ Forma
@@ -3529,7 +3531,7 @@ Drag points to change position, or double-click table cells to edit values.
What is my token?
-
+ Mi a tokenem?
@@ -3584,7 +3586,7 @@ Drag points to change position, or double-click table cells to edit values.
<a href='https://yuzu-emu.org/wiki/yuzu-web-service/'><span style="text-decoration: underline; color:#039be5;">What is my token?</span></a>
-
+ <a href='https://yuzu-emu.org/wiki/yuzu-web-service/'><span style="text-decoration: underline; color:#039be5;">Mi a tokenem?</span></a>
@@ -3596,23 +3598,23 @@ Drag points to change position, or double-click table cells to edit values.
Unspecified
-
+ Nem meghatározottToken not verified
-
+ Token nincs megerősítveToken was not verified. The change to your token has not been saved.
-
+ Token nincs megerősítve. A változtatások nem lettek elmentve.Unverified, please click Verify before saving configurationTooltip
-
+ Nincs megerősítve, kattints a Megerősítés gombra mielőtt elmentenéd a konfigurációt
@@ -3640,7 +3642,7 @@ Drag points to change position, or double-click table cells to edit values.
Verification failed. Check that you have entered your token correctly, and that your internet connection is working.
- Sikertelen megerősítése. Győződj meg róla, hogy helyesen írtad be a tokened, és van internetkapcsolatod.
+ Sikertelen megerősítés. Győződj meg róla, hogy helyesen írtad be a tokened, és van internetkapcsolatod.
@@ -3661,7 +3663,7 @@ Drag points to change position, or double-click table cells to edit values.
Direct Connect
- Közvetlen kapcsolat
+ Közvetlen kapcsolódás
@@ -3715,959 +3717,998 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Névtelen adatok begyűjtve</a> a yuzu fejlesztésének segítéséhez. <br/><br/>Szeretnéd megosztani velünk a felhasználási adataidat?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation DetectedHibás Vulkan telepítés észlelve
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.A Vulkan inicializálása sikertelen volt az indulás során. <br><br>Kattints ide<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>a probléma megoldásához szükséges instrukciókhoz</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingJáték közben
-
+ Loading Web Applet...
- Webalkalmazás betöltése...
+ Web applet betöltése...
-
-
+
+ Disable Web Applet
- Webalkalmazás letiltása
+ Web applet letiltása
-
+ 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
-
+ A jelenleg készülő árnyékolók mennyisége
-
+ 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.
-
+ Jelenlegi emuláció sebessége. 100%-nál magasabb vagy alacsonyabb érték azt jelzi, hogy mennyivel gyorsabb vagy lassabb a Switch-nél.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.
-
+ A másodpercenként megjelenített képkockák számát mutatja. Ez játékonként és jelenetenként eltérő lehet.
-
+ 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.
-
+ Egy Switch-kép emulálásához szükséges idő, képkockaszám-korlátozás és v-sync nélkül. Teljes sebességű emulálás esetén ennek legfeljebb 16.67 ms-nak kell lennie.
-
+ UnmuteNémítás feloldása
-
+ MuteNémítás
-
+ Reset VolumeHangerő visszaállítása
-
+ &Clear Recent Files&Legutóbbi fájlok törlése
-
+ Emulated mouse is enabledEmulált egér engedélyezve
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Folytatás
-
+ &Pause&Szünet
-
+ Warning Outdated Game FormatFigyelmeztetés: Elavult játékformátum
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.
-
+ Error while loading ROM!Hiba történt a ROM betöltése során!
-
+ The ROM format is not supported.A ROM formátum nem támogatott.
-
+ An error occurred initializing the video core.
-
+ Hiba történt a videómag inicializálásakor.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Hiba történt a ROM betöltése során! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.
-
+ An unknown error occurred. Please see the log for more details.Ismeretlen hiba történt. Nyisd meg a logot a részletekért.
-
+ (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...Szoftver bezárása...
-
+ Save DataMentett adat
-
+ Mod DataModolt adat
-
+ Error Opening %1 FolderHiba törént a(z) %1 mappa megnyitása során
-
-
+
+ Folder does not exist!A mappa nem létezik!
-
+ Error Opening Transferable Shader Cache
-
+ Failed to create the shader cache directory for this title.Nem sikerült létrehozni az árnyékoló gyorsítótár könyvtárat ehhez a játékhoz.
-
+ Error Removing ContentsHiba történt a játéktartalom eltávolítása során
-
+ Error Removing UpdateHiba történt a frissítés eltávolítása során
-
+ Error Removing DLCHiba történt a DLC eltávolítása során
-
+ Remove Installed Game Contents?Törlöd a telepített játéktartalmat?
-
+ Remove Installed Game Update?Törlöd a telepített játékfrissítést?
-
+ Remove Installed Game DLC?Törlöd a telepített DLC-t?
-
+ Remove EntryBejegyzés törlése
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedSikeresen eltávolítva
-
+ Successfully removed the installed base game.A telepített alapjáték sikeresen el lett távolítva.
-
+ The base game is not installed in the NAND and cannot be removed.Az alapjáték nincs telepítve a NAND-ra, ezért nem törölhető.
-
+ Successfully removed the installed update.A telepített frissítés sikeresen el lett távolítva.
-
+ There is no update installed for this title.Nincs telepítve frissítés ehhez a játékhoz.
-
+ There are no DLC installed for this title.Nincs telepítve DLC ehhez a játékhoz.
-
+ Successfully removed %1 installed DLC.%1 telepített DLC sikeresen eltávolítva.
-
+ Delete OpenGL Transferable Shader Cache?
-
+ Delete Vulkan Transferable Shader Cache?
-
+ Delete All Transferable Shader Caches?
-
+ Remove Custom Game Configuration?Törlöd az egyéni játék konfigurációt?
-
+ Remove Cache Storage?Törlöd a gyorsítótárat?
-
+ Remove FileFájl eltávolítása
-
-
+
+ Remove Play Time Data
+ Játékidő törlése
+
+
+
+ Reset play time?
+ Visszaállítod a játékidőt?
+
+
+
+ Error Removing Transferable Shader Cache
-
-
+
+ A shader cache for this title does not exist.
-
+ Ehhez a játékhoz nem létezik árnyékoló gyorsítótár.
-
+ 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 ConfigurationHiba történt az egyéni konfiguráció törlése során
-
+ A custom configuration for this title does not exist.Nem létezik egyéni konfiguráció ehhez a játékhoz.
-
+ Successfully removed the custom game configuration.Egyéni játék konfiguráció sikeresen eltávolítva.
-
+ Failed to remove the custom game configuration.Nem sikerült eltávolítani az egyéni játék konfigurációt.
-
-
+
+ RomFS Extraction Failed!RomFS kicsomagolása sikertelen!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Hiba történt a RomFS fájlok másolása közben, vagy a felhasználó megszakította a műveletet.
-
+ FullTeljes
-
+ SkeletonCsontváz
-
+ 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...RomFS kicsomagolása...
-
-
-
-
+
+
+
+ CancelMégse
-
+ RomFS Extraction Succeeded!
-
+ RomFS kibontása sikeres volt!
-
-
-
+
+
+ The operation completed successfully.A művelet sikeresen végrehajtva.
-
+ Integrity verification couldn't be performed!
-
+ Az integritás ellenőrzését nem lehetett elvégezni!
-
+ File contents were not checked for validity.
-
+ A fájl tartalmának érvényessége nem lett ellenőrizve.
-
-
+
+ Integrity verification failed!
-
+ Az integritás ellenőrzése sikertelen!
-
+ File contents may be corrupt.
-
+ A fájl tartalma sérült lehet.
-
-
+
+ Verifying integrity...
-
+ Integritás ellenőrzése...
-
-
+
+ Integrity verification succeeded!
-
+ Integritás ellenőrzése sikeres!
-
-
-
-
-
+
+
+
+ Create ShortcutParancsikon létrehozása
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
+ Ez létrehoz egy parancsikont az aktuális AppImage-hez. Frissítés után nem garantált a helyes működése. Folytatod?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
-
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Nem hozható létre parancsikon. Ez az útvonal nem létezik "%1".
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create IconIkon létrehozása
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Nem hozható létre az ikonfájl. Az útvonal "%1" nem létezik és nem is hozható létre.
-
+ Start %1 with the yuzu Emulator
-
+ %1 indítása a yuzu Emulátorral
-
+ Failed to create a shortcut at %1
-
+ Nem sikerült létrehozni ezt a parancsikont %1
-
+ Successfully created a shortcut to %1
-
+ Parancsikon sikeresen létrehozva ide %1
-
+ Error Opening %1
-
+ Hiba a %1 megnyitásakor
-
+ Select DirectoryKönyvtár kiválasztása
-
+ PropertiesTulajdonságok
-
+ The game properties could not be loaded.
-
+ A játék tulajdonságait nem sikerült betölteni.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.
-
+ Switch állományok(%1);;Minden fájl (*.*)
-
+ Load FileFájl betöltése
-
+ Open Extracted ROM Directory
-
+ Kicsomagolt ROM könyvár megnyitása
-
+ Invalid Directory SelectedÉrvénytelen könyvtár kiválasztva
-
+ The directory you have selected does not contain a 'main' file.
-
+ A kiválasztott könyvtár nem tartalmaz 'main' fájlt.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Telepíthető Switch fájl (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesFájlok telepítése
-
+ %n file(s) remaining
-
+ Installing file "%1"..."%1" fájl telepítése...
-
-
+
+ Install ResultsTelepítés eredménye
-
+ 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 ApplicationRendszeralkalmazás
-
+ System Archive
-
+ Rendszerarchívum
-
+ System Application Update
-
+ Rendszeralkalmazás frissítés
-
+ Firmware Package (Type A)
-
+ Firmware csomag (A típus)
-
+ Firmware Package (Type B)
-
+ Firmware csomag (B típus)
-
+ GameJáték
-
+ Game UpdateJátékfrissítés
-
+ Game DLCJáték DLC
-
+ Delta Title
-
+ Select NCA Install Type...
-
+ NCA telepítési típus kiválasztása...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)
-
+ Kérjük, válaszd ki, hogy milyen típusú címként szeretnéd telepíteni ezt az NCA-t:
+(A legtöbb esetben az alapértelmezett "Játék" megfelelő.)
-
+ Failed to Install
-
+ Nem sikerült telepíteni
-
+ The title type you selected for the NCA is invalid.
-
+ Az NCA-hoz kiválasztott címtípus érvénytelen.
-
+ File not foundFájl nem található
-
+ File "%1" not found"%1" fájl nem található
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
+ A hardverkövetelmények nem teljesülnek
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Az eszközöd nem felel meg az ajánlott hardverkövetelményeknek. A kompatibilitás jelentése letiltásra került.
-
+ Missing yuzu Account
-
+ Hiányzó yuzu fiók
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.
-
+ Error opening URLHiba történt az URL megnyitása során
-
+ Unable to open the URL "%1".Hiba történt az URL megnyitása során: "%1".
-
+ TAS Recording
-
+ TAS felvétel
-
+ Overwrite file of player 1?
-
+ Felülírod az 1. játékos fájlját?
-
+ Invalid config detectedÉrvénytelen konfig észlelve
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.
-
+ A kézi vezérlés nem használható dokkolt módban. Helyette a Pro kontroller lesz kiválasztva.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removed
-
+ A jelenlegi amiibo el lett távolítva
-
+ ErrorHiba
-
-
+
+ The current game is not looking for amiibos
-
+ A jelenlegi játék nem keres amiibo-kat
-
+ Amiibo File (%1);; All Files (*.*)Amiibo fájl (%1);; Minden fájl (*.*)
-
+ Load AmiiboAmiibo betöltése
-
+ Error loading Amiibo data
-
+ Amiibo adatok betöltése sikertelen
-
+ The selected file is not a valid amiibo
-
+ A kiválasztott fájl nem érvényes amiibo
-
+ The selected file is already on useA kiválasztott fájl már használatban van
-
+ An unknown error occurredIsmeretlen hiba történt
-
+ Verification failed for the following files:
%1
-
+ Az alábbi fájlok ellenőrzése sikertelen volt:
+
+%1
-
+
+
+ No firmware available
-
+ Nincs elérhető firmware
-
+
+ Please install the firmware to use the Album applet.
+ Kérjük, telepítsd a firmware-t az Album applet használatához.
+
+
+
+ Album Applet
+ Album applet
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ Album applet nem elérhető. Kérjük, telepítsd újra a firmware-t.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Kérjük, telepítsd a firmware-t a kabinet applet használatához.
+
+
+
+ Cabinet Applet
+ Kabinet applet
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ Kabinet applet nem elérhető. Kérjük, telepítsd újra a firmware-t.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Kérjük, telepítsd a firmware-t a Mii-szerkesztő használatához.
-
+ Mii Edit Applet
-
+ Mii szerkesztő applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ A Mii szerkesztő nem elérhető. Kérjük, telepítsd újra a firmware-t.
-
+ Capture ScreenshotKépernyőkép készítése
-
+ PNG Image (*.png)PNG kép (*.png)
-
+ TAS state: Running %1/%2
-
+ TAS állapot: %1/%2 futtatása
-
+ TAS state: Recording %1
-
+ TAS állapot: %1 felvétele
-
+ TAS state: Idle %1/%2
-
+ TAS állapot: Tétlen %1/%2
-
+ TAS State: Invalid
-
+ TAS állapot: Érvénytelen
-
+ &Stop Running
-
+ &Futás leállítása
-
+ &Start&Indítás
-
+ Stop R&ecordingF&elvétel leállítása
-
+ R&ecordF&elvétel
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorSkálázás: %1x
-
+ Speed: %1% / %2%Sebesség: %1% / %2%
-
+ Speed: %1%Sebesség: %1%
-
+ Game: %1 FPS (Unlocked)Játék: %1 FPS (Feloldva)
-
+ Game: %1 FPSJáték: %1 FPS
-
+ Frame: %1 msKépkocka: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANincs élsimítás
-
+ VOLUME: MUTEHANGERŐ: NÉMÍTVA
-
+ VOLUME: %1%Volume percentage (e.g. 50%)HANGERŐ: %1%
-
+ Confirm Key Rederivation
-
+ Kulcs újragenerálásának megerősítése
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4675,93 +4716,103 @@ Please make sure this is what you want
and optionally make backups.
This will delete your autogenerated key files and re-run the key derivation module.
-
+ Épp az összes kulcs kényszerített újragenerálására készülsz.
+Ha nem tudod, mit jelent, vagy mit csinálsz,
+ez egy potenciálisan veszélyes művelet.
+Kérljük, győződj meg róla, hogy ezt szeretnéd,
+és opcionálisan készíts biztonsági másolatot.
+
+Ez törli az automatikusan generált kulcsfájlokat, és újraindítja a kulcsgeneráló modult.
-
+ Missing fuses
-
+ - Missing BOOT0 - Hiányzó BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Hiányzó BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Hiányzó PRODINFO
-
+ Derivation Components Missing
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Hiányzó titkosítási kulcsok. <br>Kérjük, kövesd a <a href='https://yuzu-emu.org/help/quickstart/'>yuzu gyorstájékoztatóját</a>, hogy megszerezd az összes kulcsot, firmware-t és játékot.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
-
+ Kulcsok generálása...
+Ez akár egy percet is igénybe vehet,
+rendszered teljesítményétől függően.
-
+ Deriving Keys
-
+ Kulcsok generálása
-
+ System Archive Decryption Failed
-
+ Rendszerarchívum visszafejtése sikertelen
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump Target
-
+ Please select which RomFS you would like to dump.
-
+ Are you sure you want to close yuzu?Biztosan be akarod zárni a yuzut?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.
-
+ Biztos le akarod állítani az emulációt? Minden nem mentett adat el fog veszni.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
-
+ Az éppen futó alkalmazás azt kérte a yuzu-tól, hogy ne lépjen ki.
+
+Mégis ki szeretnél lépni?
@@ -4806,7 +4857,7 @@ Would you like to bypass this and exit anyway?
Docked
- Dokkolva
+ Dokkolt
@@ -4901,247 +4952,257 @@ Would you like to bypass this and exit anyway?
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>%2GameList
-
+ FavoriteKedvenc
-
+ Start GameJáték indítása
-
+ Start Game without Custom ConfigurationJáték indítása egyéni konfiguráció nélkül
-
+ Open Save Data Location
-
+ Open Mod Data Location
-
+ Open Transferable Pipeline Cache
-
+ RemoveEltávolítás
-
+ Remove Installed UpdateTelepített frissítés eltávolítása
-
+ Remove All Installed DLCÖsszes telepített DLC eltávolítása
-
+ Remove Custom ConfigurationEgyéni konfiguráció eltávolítása
-
+
+ Remove Play Time Data
+ Játékidő törlése
+
+
+ Remove Cache StorageGyorsítótár ürítése
-
+ Remove OpenGL Pipeline CacheOpenGL Pipeline gyorsítótár eltávolítása
-
+ Remove Vulkan Pipeline Cache
- Vulkan Pipeline gyorsítótár eltávolítása
+ Vulkan pipeline gyorsítótár eltávolítása
-
+ Remove All Pipeline CachesAz összes Pipeline gyorsítótár törlése
-
+ Remove All Installed ContentsÖsszes telepített tartalom törlése
-
-
+
+ Dump RomFS
-
+ RomFS kimentése
-
+ Dump RomFS to SDMC
-
+ RomFS kimentése SDMC-re
-
+ Verify IntegrityIntegritás ellenőrzése
-
+ Copy Title ID to ClipboardJáték címének vágólapra másolása
-
+ Navigate to GameDB entry
-
+ GameDB bejegyzéshez navigálás
-
+ Create ShortcutParancsikon létrehozása
-
+ Add to DesktopAsztalhoz adás
-
+ Add to Applications MenuAlkalmazások menühöz adás
-
+ PropertiesTulajdonságok
-
+ Scan SubfoldersAlmappá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
-
+ ClearTörlés
-
+ NameNév
-
+ CompatibilityKompatibilitás
-
+ Add-onsKiegészítők
-
+ File typeFájltípus
-
+ SizeMéret
+
+
+ Play time
+ Játékidő
+ GameListItemCompat
-
+ IngameJá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.
-
+ PerfectTökéletes
-
+ Game can be played without issues.A játék problémamentesen játszható.
-
+ PlayableJá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/MenuBevezető/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 BootNem indul
-
+ The game crashes when attempting to startup.
-
+ A játék összeomlik indításkor.
-
+ Not TestedNem tesztelt
-
+ The game has not yet been tested.Ez a játék még nem lett tesztelve.
@@ -5149,9 +5210,9 @@ Would you like to bypass this and exit anyway?
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.
@@ -5162,14 +5223,14 @@ Would you like to bypass this and exit anyway?
-
+ Filter:Szűrés:
-
+ Enter pattern to filter
-
+ Adj meg egy mintát a szűréshez
@@ -5187,7 +5248,7 @@ Would you like to bypass this and exit anyway?
Preferred Game
-
+ Preferált játék
@@ -5237,7 +5298,7 @@ Would you like to bypass this and exit anyway?
Host Room
-
+ Szoba létrehozása
@@ -5251,7 +5312,8 @@ Would you like to bypass this and exit anyway?
Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid yuzu 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:
-
+ Nem sikerült bejelenteni a szobát a nyilvános lobbiban. Ahhoz, hogy egy szobát nyilvánosan létrehozhass, érvényes yuzu-fiókkal kell rendelkezned, amelyet az Emuláció -> Konfigurálás -> Web menüpontban kell beállítanod. Ha nem szeretnél egy szobát közzétenni a nyilvános lobbiban, akkor válaszd helyette a Nem listázott lehetőséget.
+Hibakereső üzenet:
@@ -5284,6 +5346,7 @@ Debug Message:
+ Main WindowFőablak
@@ -5305,22 +5368,22 @@ Debug Message:
Change Adapting Filter
-
+ Alkalmazkodó szűrő módosításaChange Docked Mode
-
+ Dokkolt mód módosításaChange GPU Accuracy
-
+ GPU pontosság módosításaContinue/Pause Emulation
-
+ Emuláció folytatása/szüneteltetése
@@ -5345,7 +5408,7 @@ Debug Message:
Load/Remove Amiibo
-
+ Amiibo betöltése/törlése
@@ -5360,17 +5423,17 @@ Debug Message:
TAS Record
-
+ TAS felvételTAS Reset
-
+ TAS visszaállításaTAS Start/Stop
-
+ TAS indítása/leállítása
@@ -5380,15 +5443,20 @@ Debug Message:
Toggle Framerate Limit
-
+ Képfrissítési korlát kapcsolóToggle Mouse Panning
-
+ Egérpásztázás kapcsoló
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarÁllapotsáv kapcsoló
@@ -5398,12 +5466,12 @@ Debug Message:
Please confirm these are the files you wish to install.
-
+ Kérjük, erősítsd meg, hogy ezeket a fájlokat szeretnéd telepíteni.Installing an Update or DLC will overwrite the previously installed one.
-
+ Egy frissítés vagy DLC telepítése felülírja a korábban telepítettet.
@@ -5422,7 +5490,8 @@ Debug Message:
The text can't contain any of the following characters:
%1
-
+ A szöveg nem tartalmazhatja a következő karakterek egyikét sem:
+%1
@@ -5435,7 +5504,7 @@ Debug Message:
Loading Shaders %v out of %m
- Loading Shaders %v out of %m
+ Árnyékolók betöltése %v / %m
@@ -5468,7 +5537,7 @@ Debug Message:
Public Room Browser
-
+ Nyilvános szoba böngésző
@@ -5529,12 +5598,12 @@ Debug Message:
Preferred Game
-
+ Preferált játékHost
- Hoszt
+ Házigazda
@@ -5567,7 +5636,7 @@ Debug Message:
&Emulation
-
+ &Emuláció
@@ -5626,186 +5695,216 @@ Debug Message:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &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&xitK&ilépés
-
+ &Pause&Szünet
-
+ &Stop&Leállítás
-
+ &Reinitialize keys...
-
+ &Kulcsok újraaktiválása...
-
+ &Verify Installed Contents
-
+ &Telepített tartalom ellenőrzése
-
+ &About yuzu&A yuzuról
-
+ Single &Window Mode
-
-
-
-
- Con&figure...
- Kon@figurálás
+ &Egyablakos mód
- Display D&ock Widget Headers
-
+ Con&figure...
+ Kon&figurálás
-
+
+ Display D&ock Widget Headers
+ D&ock Widget fejlécek megjelenítése
+
+
+ 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 a szobához
-
+ &Show Current Room
-
+ &Jelenlegi szoba megjelenítése
-
+ F&ullscreen
- T@eljes képernyő
+ 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&Módok oldal megnyitása
-
+ Open &Quickstart Guide
-
+ &Gyorstájékoztató megnyitása
-
+ &FAQ&GYIK
-
+ Open &yuzu Folder&yuzu mappa megnyitása
-
+ &Capture Screenshot
-
+ &Képernyőkép készítése
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
-
+
+ Open &Album
+ &Album megnyitása
- Configure C&urrent Game...
-
+ &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
+
+
+
+ Open &Mii Editor
+ &Mii szerkesztő megnyitása
+
+
+
+ &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&ecordF&elvétel
@@ -5815,7 +5914,7 @@ Debug Message:
&MicroProfile
-
+ &Mikroprofil
@@ -5903,7 +6002,8 @@ Debug Message:
Failed to update the room information. Please check your Internet connection and try hosting the room again.
Debug Message:
-
+ Nem sikerült frissíteni a szoba adatait. Kérjük, ellenőrizd az internetkapcsolatot, és próbáld újra a szoba létrehozását.
+Hibakereső üzenet:
@@ -5931,22 +6031,22 @@ Debug Message:
Port must be a number between 0 to 65535.
-
+ A port csak 0 és 65535 közötti szám lehet.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.
-
+ A szoba létrehozásához ki kell választanod egy Preferált játékot. Ha még nem szerepel a listádban egyetlen játék sem, adj hozzá egy játékmappát a játéklistában a plusz ikonra kattintva.Unable to find an internet connection. Check your internet settings.
-
+ Nem található internetkapcsolat. Ellenőrizd az internetbeállításokat.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.
-
+ Nem sikerült csatlakozni a házigazdához. Ellenőrizd, hogy a kapcsolat beállításai helyesek-e. Ha még mindig nem tudsz csatlakozni, lépj kapcsolatba a gazdával, hogy ellenőrizze, megfelelően van-e konfigurálva a külső port továbbítása.
@@ -5956,17 +6056,17 @@ Debug Message:
Creating a room failed. Please retry. Restarting yuzu might be necessary.
-
+ Szoba létrehozása sikertelen. Próbáld újra. A yuzu újraindítására szükség lehet.The host of the room has banned you. Speak with the host to unban you or try a different room.
-
+ A szoba házigazdája kitiltott téged. Beszélj a házigazdával, hogy feloldjon téged, vagy csatlakozz másik szobához.Version mismatch! Please update to the latest version of yuzu. If the problem persists, contact the room host and ask them to update the server.
-
+ Verzió eltérés! Kérjük, frissítsd a yuzut a legújabb verzióra. Ha a probléma továbbra is fennáll, vedd fel a kapcsolatot a házigazdával és kérd meg, hogy frissítse a szervert.
@@ -5976,39 +6076,41 @@ Debug Message:
An unknown error occurred. If this error continues to occur, please open an issue
-
+ Ismeretlen hiba történt. Amennyiben a hiba továbbra is fennáll, nyiss egy hibajegyet.Connection to room lost. Try to reconnect.
-
+ Megszakadt a kapcsolat a szobával. Próbálj újracsatlakozni.You have been kicked by the room host.
-
+ A szoba házigazdája kirúgott téged.IP address is already in use. Please choose another.
-
+ Az IP-cím már használatban van. Kérjük, válassz egy másikat.You do not have enough permission to perform this action.
-
+ Nincs elég jogosultságod a művelet végrehajtásához.The user you are trying to kick/ban could not be found.
They may have left the room.
-
+ A felhasználó, akit ki akarsz rúgni/tiltani, nem található.
+Lehet, hogy elhagyta a szobát.No valid network interface is selected.
Please go to Configure -> System -> Network and make a selection.
-
+ Nincs kiválasztva érvényes hálózati adapter.
+Látogasd meg a Konfigurálás -> Rendszer -> Hálózat menüpontokat a beállításhoz.
@@ -6019,7 +6121,8 @@ Please go to Configure -> System -> Network and make a selection.
Joining a room when the game is already running is discouraged and can cause the room feature not to work correctly.
Proceed anyway?
-
+ Már játékban lévő szobához való csatlakozás nem ajánlott, és problémákat okozhat a szoba funkcióinak működésében.
+Mindenképp folytatod?
@@ -6029,7 +6132,7 @@ Proceed anyway?
You are about to close the room. Any network connections will be closed.
-
+ Éppen készülsz bezárni a szobát. Minden hálózati kapcsolat lezárul.
@@ -6039,7 +6142,7 @@ Proceed anyway?
You are about to leave the room. Any network connections will be closed.
-
+ Éppen készülsz elhagyni a szobát. Minden hálózati kapcsolat lezárul.
@@ -6055,7 +6158,7 @@ Proceed anyway?
Dialog
-
+ Párbeszéd
@@ -6076,7 +6179,11 @@ Proceed anyway?
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:18pt; font-weight:400; font-style:normal;">
<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>
-
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:18pt; font-weight:400; font-style:normal;">
+<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>
@@ -6105,27 +6212,27 @@ p, li { white-space: pre-wrap; }
Nincs játékban
-
+ 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
-
+ FavoritesKedvencek
@@ -6134,21 +6241,21 @@ p, li { white-space: pre-wrap; }
Shift
-
+ ShiftCtrl
-
+ CtrlAlt
-
+ Alt
@@ -6157,7 +6264,7 @@ p, li { white-space: pre-wrap; }
[not set]
- [nincs beállítva]
+ [nincs beáll.]
@@ -6175,12 +6282,12 @@ p, li { white-space: pre-wrap; }
Axis %1%2
-
+ Tengely %1%2Button %1
-
+ Gomb %1
@@ -6191,7 +6298,7 @@ p, li { white-space: pre-wrap; }
[unknown]
-
+ [ismeretlen]
@@ -6225,31 +6332,31 @@ p, li { white-space: pre-wrap; }
Z
-
+ ZR
-
+ RL
-
+ LA
-
+ AB
-
+ B
@@ -6267,43 +6374,43 @@ p, li { white-space: pre-wrap; }
Start
-
+ StartL1
-
+ L1L2
-
+ L2L3
-
+ L3R1
-
+ R1R2
-
+ R2R3
-
+ R3
@@ -6345,18 +6452,18 @@ p, li { white-space: pre-wrap; }
[undefined]
-
+ [nem definiált]%1%2
-
+ %1%2[invalid]
-
+ [érvénytelen]
@@ -6370,13 +6477,13 @@ p, li { white-space: pre-wrap; }
%1%2Axis %3
-
+ %1%2Tengely %3%1%2Axis %3,%4,%5
-
+ %1%2Tengely %3,%4,%5
@@ -6388,13 +6495,13 @@ p, li { white-space: pre-wrap; }
%1%2Button %3
-
+ %1%2Gomb %3[unused]
-
+ [nem használt]
@@ -6429,12 +6536,12 @@ p, li { white-space: pre-wrap; }
Plus
-
+ PluszMinus
-
+ Mínusz
@@ -6461,27 +6568,27 @@ p, li { white-space: pre-wrap; }
Backward
-
+ HátraForward
-
+ ElőreTask
-
+ FeladatExtra
-
+ Extra%1%2%3%4
-
+ %1%2%3%4
@@ -6493,13 +6600,13 @@ p, li { white-space: pre-wrap; }
%1%2%3Axis %4
-
+ %1%2%3Tengely %4%1%2%3Button %4
-
+ %1%2%3Gomb %4
@@ -6507,12 +6614,12 @@ p, li { white-space: pre-wrap; }
Amiibo Settings
-
+ Amiibo beállításokAmiibo Info
-
+ Amiibo infó
@@ -6532,7 +6639,7 @@ p, li { white-space: pre-wrap; }
Amiibo Data
-
+ Amiibo adatok
@@ -6577,7 +6684,7 @@ p, li { white-space: pre-wrap; }
Mount Amiibo
-
+ Amiibo csatolása
@@ -6597,7 +6704,7 @@ p, li { white-space: pre-wrap; }
The following amiibo data will be formatted:
-
+ Az alábbi amiibo adatok formázva lesznek:
@@ -6607,12 +6714,12 @@ p, li { white-space: pre-wrap; }
Set nickname and owner:
-
+ Becenév és tulajdonos beállítása:Do you wish to restore this amiibo?
-
+ Szeretnéd visszaállítani ezt az amiibót?
@@ -6620,7 +6727,7 @@ p, li { white-space: pre-wrap; }
Controller Applet
-
+ Vezérlő applet
@@ -6640,7 +6747,7 @@ p, li { white-space: pre-wrap; }
P4
-
+ P4
@@ -6651,7 +6758,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro kontroller
@@ -6664,7 +6771,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joycons
@@ -6677,7 +6784,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconBal Joycon
@@ -6690,7 +6797,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJobb Joycon
@@ -6719,44 +6826,44 @@ p, li { white-space: pre-wrap; }
-
+ HandheldKéziP3
-
+ P3P7
-
+ P7P8
-
+ P8P5
-
+ P5P6
-
+ P6Console Mode
- Konzol Mód
+ Konzol módDocked
- Dokkolva
+ Dokkolt
@@ -6787,7 +6894,7 @@ p, li { white-space: pre-wrap; }
Controllers
- Kontrollerek
+ Vezérlők
@@ -6835,34 +6942,39 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Nincs elég vezérlő
+
+
+ GameCube ControllerGameCube kontroller
-
+ Poke Ball Plus
-
+ Poke Ball Plus
-
+ NES ControllerNES kontroller
-
+ SNES ControllerSNES kontroller
-
+ N64 ControllerN64 kontroller
-
+ Sega Genesis
-
+ Sega Genesis
@@ -6878,7 +6990,8 @@ p, li { white-space: pre-wrap; }
An error has occurred.
Please try again or contact the developer of the software.
-
+ Hiba történt.
+Kérjük, próbáld újra, vagy lépj kapcsolatba a szoftver fejlesztőjével.
@@ -6959,7 +7072,7 @@ Please try again or contact the developer of the software.
Select a user to link to a Nintendo Account.
-
+ Válassz ki egy felhasználót a Nintendo fiókkal való összekapcsoláshoz.
@@ -6969,7 +7082,7 @@ Please try again or contact the developer of the software.
Format data for which user?
-
+ Melyik felhasználó adatait formázzuk?
@@ -7006,7 +7119,11 @@ Please try again or contact the developer of the software.
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:26pt; font-weight:400; font-style:normal;">
<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>
-
+ <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.0//EN" "http://www.w3.org/TR/REC-html40/strict.dtd">
+<html><head><meta name="qrichtext" content="1" /><style type="text/css">
+p, li { white-space: pre-wrap; }
+</style></head><body style=" font-family:'MS Shell Dlg 2'; font-size:26pt; font-weight:400; font-style:normal;">
+<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>
@@ -7046,7 +7163,7 @@ p, li { white-space: pre-wrap; }
waited by no thread
-
+ nem vár egy szálra sem
@@ -7064,32 +7181,32 @@ p, li { white-space: pre-wrap; }
sleeping
-
+ alszikwaiting for IPC reply
-
+ IPC válaszra várakozáswaiting for objects
-
+ várakozás objektumokrawaiting for condition variable
-
+ várakozás állapotváltozórawaiting for address arbiter
-
+ várakozás címkiosztásrawaiting for suspend resume
-
+ várakozás felfüggesztés folytatására
@@ -7124,7 +7241,7 @@ p, li { white-space: pre-wrap; }
core %1
-
+ mag %1
@@ -7134,22 +7251,22 @@ p, li { white-space: pre-wrap; }
affinity mask = %1
-
+ affinitás maszk = %1thread id = %1
-
+ szál azonosító = %1priority = %1(current) / %2(normal)
-
+ prioritás = %1(jelenleg) / %2(normál)last running ticks = %1
-
+ utolsó futó tickek = %1
@@ -7157,7 +7274,7 @@ p, li { white-space: pre-wrap; }
waited by thread
-
+ szálra várakozás
@@ -7165,7 +7282,7 @@ p, li { white-space: pre-wrap; }
&Wait Tree
-
+ &Várófa
\ No newline at end of file
diff --git a/dist/languages/id.ts b/dist/languages/id.ts
index bbf0ed89a..6a1475f13 100644
--- a/dist/languages/id.ts
+++ b/dist/languages/id.ts
@@ -365,13 +365,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -855,49 +855,29 @@ Memungkinkan berbagai macam optimasi IR.
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**Nyalakan Layanan Laporan Bertele-tele**
-
+ **This will be reset automatically when yuzu closes.**Ini akan diatur ulang secara otomatis ketika yuzu ditutup.
-
- Restart Required
-
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu harus dimuat-ulang untuk mengaplikasikan pengaturan ini.
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugController
@@ -1316,7 +1296,7 @@ Memungkinkan berbagai macam optimasi IR.
-
+ Conflicting Key SequenceUrutan Tombol yang Konflik
@@ -1337,27 +1317,37 @@ Memungkinkan berbagai macam optimasi IR.
Tidak valid
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultKembalikan ke Semula
-
+ ClearBersihkan
-
+ Conflicting Button Sequence
-
+ The default button sequence is already assigned to: %1
-
+ The default key sequence is already assigned to: %1Urutan tombol bawaan sudah diterapkan ke: %1
@@ -3332,67 +3322,72 @@ Drag points to change position, or double-click table cells to edit values.
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:Ukuran Ikon Game:
-
+ Folder Icon Size:Ukuran Ikon Folder:
-
+ Row 1 Text:Teks Baris 1:
-
+ Row 2 Text:Teks Baris 2:
-
+ ScreenshotsScreenshot
-
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3710,963 +3705,999 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Data anonim dikumpulkan</a> untuk membantu yuzu. <br/><br/>Apa Anda ingin membagi data penggunaan dengan kami?
-
+ TelemetryTelemetri
-
+ Broken Vulkan Installation Detected
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Memuat Applet Web...
-
-
+
+ Disable Web AppletMatikan 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.)
-
+ The amount of shaders currently being builtJumlah shader yang sedang dibuat
-
+ The current selected resolution scaling multiplier.Pengali skala resolusi yang terpilih.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Kecepatan emulasi saat ini. Nilai yang lebih tinggi atau rendah dari 100% menandakan pengemulasian berjalan lebih cepat atau lambat dibanding Switch aslinya.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Berapa banyak frame per second (bingkai per detik) permainan akan ditampilkan. Ini akan berubah dari berbagai permainan dan pemandangan.
-
+ 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.Waktu yang diperlukan untuk mengemulasikan bingkai Switch, tak menghitung pembatas bingkai atau v-sync. Agar emulasi berkecepatan penuh, ini harus 16.67 mdtk.
-
+ UnmuteMembunyikan
-
+ MuteBisukan
-
+ Reset VolumeAtur ulang tingkat suara
-
+ &Clear Recent Files&Bersihkan Berkas Baru-baru Ini
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Lanjutkan
-
+ &Pause&Jeda
-
+ Warning Outdated Game FormatPeringatan Format Permainan yang Usang
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Anda menggunakan format direktori ROM yang sudah didekonstruksi untuk permainan ini, yang mana itu merupakan format lawas yang sudah tergantikan oleh yang lain seperti NCA, NAX, XCI, atau NSP. Direktori ROM yang sudah didekonstruksi kekurangan ikon, metadata, dan dukungan pembaruan.<br><br>Untuk penjelasan berbagai format Switch yang didukung yuzu, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>periksa wiki kami</a>. Pesan ini tidak akan ditampilkan lagi.
-
+ Error while loading ROM!Kesalahan ketika memuat ROM!
-
+ The ROM format is not supported.Format ROM tak didukung.
-
+ An error occurred initializing the video core.Terjadi kesalahan ketika menginisialisasi inti video.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu telah mengalami error saat menjalankan inti video. Ini biasanya disebabkan oleh pemicu piranti (driver) GPU yang usang, termasuk yang terintegrasi. Mohon lihat catatan untuk informasi lebih rinci. Untuk informasi cara mengakses catatan, mohon lihat halaman berikut: <a href='https://yuzu-emu.org/help/reference/log-files/'>Cara Mengupload Berkas Catatan</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.
-
+ An unknown error occurred. Please see the log for more details.Terjadi kesalahan yang tak diketahui. Mohon lihat catatan untuk informasi lebih rinci.
-
+ (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 DataSimpan Data
-
+ Mod DataMod Data
-
+ Error Opening %1 FolderGagal Membuka Folder %1
-
-
+
+ Folder does not exist!Folder tak ada!
-
+ Error Opening Transferable Shader CacheGagal Ketika Membuka Tembolok Shader yang Dapat Ditransfer
-
+ Failed to create the shader cache directory for this title.
-
+ Error Removing ContentsError saat menghapus konten
-
+ Error Removing UpdateError saat menghapus Update
-
+ Error Removing DLCError saat menghapus DLC
-
+ Remove Installed Game Contents?Hapus Konten Game yang terinstall?
-
+ Remove Installed Game Update?Hapus Update Game yang terinstall?
-
+ Remove Installed Game DLC?Hapus DLC Game yang terinstall?
-
+ Remove EntryHapus Masukan
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedBerhasil menghapus
-
+ 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 DLC installed for this title.Tidak ada DLC yang terinstall untuk judul ini.
-
+ Successfully removed %1 installed DLC.
-
+ Delete OpenGL Transferable Shader Cache?
-
+ Delete Vulkan Transferable Shader Cache?
-
+ Delete All Transferable Shader Caches?
-
+ Remove Custom Game Configuration?
-
+ Remove Cache Storage?
-
+ Remove FileHapus File
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheKesalahan Menghapus Transferable Shader Cache
-
-
+
+ A shader cache for this title does not exist.Cache shader bagi judul ini tidak ada
-
+ 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 ConfigurationKesalahan Menghapus Konfigurasi Buatan
-
+ A custom configuration for this title does not exist.
-
+ Successfully removed the custom game configuration.
-
+ Failed to remove the custom game configuration.
-
-
+
+ RomFS Extraction Failed!Pengekstrakan RomFS Gagal!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Terjadi kesalahan ketika menyalin berkas RomFS atau dibatalkan oleh pengguna.
-
+ FullPenuh
-
+ SkeletonSkeleton
-
+ Select RomFS Dump ModePilih Mode Dump 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.Mohon pilih cara RomFS akan di-dump.<br>FPenuh akan menyalin seluruh berkas ke dalam direktori baru sementara <br>jerangkong hanya akan menciptakan struktur direktorinya saja.
-
+ 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...Mengekstrak RomFS...
-
-
-
-
+
+
+
+ CancelBatal
-
+ RomFS Extraction Succeeded!Pengekstrakan RomFS Berhasil!
-
-
-
+
+
+ The operation completed successfully.Operasi selesai dengan sukses,
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create ShortcutBuat Pintasan
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create IconBuat ikon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ Error Opening %1Gagal membuka %1
-
+ Select DirectoryPilih Direktori
-
+ PropertiesProperti
-
+ The game properties could not be loaded.Properti permainan tak dapat dimuat.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Eksekutabel Switch (%1);;Semua Berkas (*.*)
-
+ Load FileMuat Berkas
-
+ Open Extracted ROM DirectoryBuka Direktori ROM Terekstrak
-
+ Invalid Directory SelectedDirektori Terpilih Tidak Sah
-
+ The directory you have selected does not contain a 'main' file.Direktori yang Anda pilih tak memiliki berkas 'utama.'
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstall File
-
+ %n file(s) remaining
-
+ Installing file "%1"...Memasang berkas "%1"...
-
-
+
+ Install ResultsHasil Install
-
+ 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) baru diinstall
-
+ %n file(s) were overwritten
%n file(s) telah ditimpa
-
+ %n file(s) failed to install
%n file(s) gagal di install
-
+ System ApplicationAplikasi Sistem
-
+ System ArchiveArsip Sistem
-
+ System Application UpdatePembaruan Aplikasi Sistem
-
+ Firmware Package (Type A)Paket Perangkat Tegar (Tipe A)
-
+ Firmware Package (Type B)Paket Perangkat Tegar (Tipe B)
-
+ GamePermainan
-
+ Game UpdatePembaruan Permainan
-
+ Game DLCDLC Permainan
-
+ Delta TitleJudul Delta
-
+ Select NCA Install Type...Pilih Tipe Pemasangan NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Mohon pilih jenis judul yang Anda ingin pasang sebagai NCA ini:
(Dalam kebanyakan kasus, pilihan bawaan 'Permainan' tidak apa-apa`.)
-
+ Failed to InstallGagal Memasang
-
+ The title type you selected for the NCA is invalid.Jenis judul yang Anda pilih untuk NCA tidak sah.
-
+ File not foundBerkas tak ditemukan
-
+ File "%1" not foundBerkas "%1" tak ditemukan
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu AccountAkun yuzu Hilang
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Agar dapat mengirimkan berkas uju kompatibilitas permainan, Anda harus menautkan akun yuzu Anda.<br><br/>TUntuk mennautkan akun yuzu Anda, pergi ke Emulasi > Konfigurasi > Web.
-
+ Error opening URLKesalahan saat membuka URL
-
+ Unable to open the URL "%1".Tidak dapat membuka URL "%1".
-
+ TAS RecordingRekaman TAS
-
+ Overwrite file of player 1?Timpa file pemain 1?
-
+ Invalid config detectedKonfigurasi tidak sah terdeteksi
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Kontroller jinjing tidak bisa digunakan dalam mode dock. Kontroller Pro akan dipilih
-
-
+
+ Amiibo
-
-
+
+ The current amiibo has been removed
-
+ Error
-
-
+
+ The current game is not looking for amiibos
-
+ Amiibo File (%1);; All Files (*.*)Berkas Amiibo (%1);; Semua Berkas (*.*)
-
+ Load AmiiboMuat Amiibo
-
+ Error loading Amiibo dataGagal memuat data Amiibo
-
+ The selected file is not a valid amiibo
-
+ The selected file is already on use
-
+ An unknown error occurred
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotTangkapan Layar
-
+ PNG Image (*.png)Berkas PNG (*.png)
-
+ TAS state: Running %1/%2Status TAS: Berjalan %1/%2
-
+ TAS state: Recording %1Status TAS: Merekam %1
-
+ TAS state: Idle %1/%2Status TAS: Diam %1/%2
-
+ TAS State: InvalidStatus TAS: Tidak Valid
-
+ &Stop Running&Matikan
-
+ &Start&Mulai
-
+ Stop R&ecordingBerhenti Mer&ekam
-
+ R&ecordR&ekam
-
+ Building: %n shader(s)Membangun: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorSkala: %1x
-
+ Speed: %1% / %2%Kecepatan: %1% / %2%
-
+ Speed: %1%Kecepatan: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPSPermainan: %1 FPS
-
+ Frame: %1 msFrame: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AATANPA AA
-
+ VOLUME: MUTEVOLUME : SENYAP
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key Rederivation
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4677,37 +4708,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
-
+ Missing fuses
-
+ - Missing BOOT0- Kehilangan BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Kehilangan BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- Kehilangan PRODINFO
-
+ Derivation Components Missing
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4716,49 +4747,49 @@ Ini mungkin memakan waktu hingga satu menit
tergantung dari sistem performa Anda.
-
+ Deriving Keys
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetPilih Target Dump RomFS
-
+ Please select which RomFS you would like to dump.Silahkan pilih jenis RomFS yang ingin Anda buang.
-
+ Are you sure you want to close yuzu?Apakah anda yakin ingin menutup yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Apakah Anda yakin untuk menghentikan emulasi? Setiap progres yang tidak tersimpan akan hilang.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4908,241 +4939,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ FavoriteFavorit
-
+ Start GameMulai permainan
-
+ Start Game without Custom Configuration
-
+ Open Save Data LocationBuka Lokasi Data Penyimpanan
-
+ Open Mod Data LocationBuka Lokasi Data Mod
-
+ Open Transferable Pipeline Cache
-
+ RemoveSingkirkan
-
+ Remove Installed Update
-
+ Remove All Installed DLC
-
+ Remove Custom Configuration
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline Caches
-
+ Remove All Installed ContentsHapus semua konten terinstall.
-
-
+
+ Dump RomFSDump RomFS
-
+ Dump RomFS to SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardSalin Judul ID ke Clipboard.
-
+ Navigate to GameDB entryPindah ke tampilan GameDB
-
+ Create ShortcutBuat pintasan
-
+ Add to DesktopMenambahkan ke Desktop
-
+ Add to Applications Menu
-
+ PropertiesProperti
-
+ Scan SubfoldersMemindai subfolder
-
+ Remove Game Directory
-
+ ▲ Move Up
-
+ ▼ Move Down
-
+ Open Directory LocationBuka Lokasi Direktori
-
+ ClearBersihkan
-
+ NameNama
-
+ CompatibilityKompatibilitas
-
+ Add-onsPengaya (Add-On)
-
+ File typeTipe berkas
-
+ SizeUkuran
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingame
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
+ PerfectSempurna
-
+ 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/MenuAwal/Menu
-
+ Game loads, but is unable to progress past the Start Screen.
-
+ Won't BootTidak Akan Berjalan
-
+ The game crashes when attempting to startup.Gim rusak saat mencoba untuk memulai.
-
+ Not TestedBelum dites
-
+ The game has not yet been tested.Gim belum pernah dites.
@@ -5150,7 +5191,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listKlik dua kali untuk menambahkan folder sebagai daftar permainan.
@@ -5163,12 +5204,12 @@ Would you like to bypass this and exit anyway?
-
+ Filter:
-
+ Enter pattern to filterMasukkan pola untuk memfilter
@@ -5285,6 +5326,7 @@ Debug Message:
+ Main Window
@@ -5390,6 +5432,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5627,186 +5674,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS
-
+ &Help
-
+ &Install Files to NAND...
-
+ L&oad File...
-
+ Load &Folder...
-
+ E&xit
-
+ &Pause&Jeda
-
+ &Stop
-
+ &Reinitialize keys...
-
+ &Verify Installed Contents
-
+ &About yuzu
-
+ Single &Window Mode
-
+ Con&figure...
-
+ Display D&ock Widget Headers
-
+ Show &Filter Bar
-
+ Show &Status Bar
-
+ Show Status BarMunculkan 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 GuideBuka %Panduan cepat
-
+ &FAQ
-
+ Open &yuzu Folder
-
+ &Capture Screenshot
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
+
+ Open &Album
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+
+
+
+
+ &Configure TAS...
+
+
+
+ Configure C&urrent Game...
-
+ &Start&Mulai
-
+ &Reset
-
+ R&ecordR&ekam
@@ -6106,27 +6183,27 @@ p, li { white-space: pre-wrap; }
-
+ Installed SD Titles
-
+ Installed NAND Titles
-
+ System Titles
-
+ Add New Game DirectoryTambahkan direktori permainan
-
+ Favorites
@@ -6652,7 +6729,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerKontroler Pro
@@ -6665,7 +6742,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoycon Dual
@@ -6678,7 +6755,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon Kiri
@@ -6691,7 +6768,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon Kanan
@@ -6720,7 +6797,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldJinjing
@@ -6836,32 +6913,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerKontroler GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerKontroler NES
-
+ SNES ControllerKontroler SNES
-
+ N64 ControllerKontroler N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/it.ts b/dist/languages/it.ts
index 69f39500a..22c6cf912 100644
--- a/dist/languages/it.ts
+++ b/dist/languages/it.ts
@@ -373,13 +373,13 @@ Questo bannerà sia il suo nome utente del forum che il suo indirizzo IP.%
-
+ Auto (%1)Auto select time zoneAutomatico (%1)
-
+ Default (%1)Default time zonePredefinito (%1)
@@ -891,49 +891,29 @@ Questo bannerà sia il suo nome utente del forum che il suo indirizzo IP.
- Create Minidump After Crash
- Crea Minidump dopo un arresto anomalo
-
-
- 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**
-
+ Enable Verbose Reporting Services**Abilita servizi di segnalazione dettagliata**
-
+ **This will be reset automatically when yuzu closes.**L'opzione verrà automaticamente ripristinata alla chiusura di yuzu.
-
- Restart Required
- Riavvio richiesto
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu dev'essere riavviato affinché questa opzione venga applicata.
-
-
-
+ Web applet not compiledApplet web non compilato
-
-
- MiniDump creation not compiled
- Creazione MiniDump non compilata
- ConfigureDebugController
@@ -1352,7 +1332,7 @@ Questo bannerà sia il suo nome utente del forum che il suo indirizzo IP.
-
+ Conflicting Key SequenceSequenza di tasti in conflitto
@@ -1373,27 +1353,37 @@ Questo bannerà sia il suo nome utente del forum che il suo indirizzo IP.Non valido
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultRipristina predefinita
-
+ ClearCancella
-
+ Conflicting Button SequenceSequenza di pulsanti in conflitto
-
+ The default button sequence is already assigned to: %1La sequenza di pulsanti predefinita è già assegnata a: %1
-
+ The default key sequence is already assigned to: %1La sequenza di tasti predefinita è già assegnata a: %1
@@ -3375,67 +3365,72 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab
Mostra colonna Tipo di file
-
+
+ Show Play Time Column
+ Mostra Tempo di Gioco
+
+
+ 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:
-
+ ScreenshotsScreenshot
-
+ Ask Where To Save Screenshots (Windows Only)Chiedi dove salvare gli screenshot (solo Windows)
-
+ Screenshots Path: Percorso degli screenshot:
-
+ ......
-
+ TextLabelEtichetta
-
+ Resolution:Risoluzione:
-
+ Select Screenshots Path...Seleziona il percorso degli screenshot...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAutomatica (%1 x %2, %3 x %4)
@@ -3753,44 +3748,44 @@ Trascina i punti per cambiare posizione, oppure clicca due volte la cella in tab
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Vengono raccolti dati anonimi</a> per aiutarci a migliorare yuzu. <br/><br/>Desideri condividere i tuoi dati di utilizzo con noi?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation DetectedRilevata installazione di Vulkan non funzionante
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.L'inizializzazione di Vulkan è fallita durante l'avvio.<br><br>Clicca <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>qui per istruzioni su come risolvere il problema</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingGioco in esecuzione
-
+ Loading Web Applet...Caricamento dell'applet web...
-
-
+
+ Disable Web AppletDisabilita 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.
@@ -3798,570 +3793,574 @@ Da usare 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 builtIl numero di shader in fase di compilazione
-
+ The current selected resolution scaling multiplier.Il moltiplicatore corrente dello scaling della risoluzione.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Velocità corrente 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 visualizza attualmente. 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.
-
+ UnmuteRiattiva
-
+ MuteSilenzia
-
+ Reset VolumeReimposta volume
-
+ &Clear Recent Files&Cancella i file recenti
-
+ Emulated mouse is enabledMouse emulato abilitato
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.L'input reale del mouse è incompatibile col mouse panning.
Per attivarlo, disattiva il mouse emulato.
-
+ &Continue&Continua
-
+ &Pause&Pausa
-
+ Warning Outdated Game FormatFormato 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. 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, metadati e non supportano gli aggiornamenti. <br><br>Per una spiegazione sui vari formati della Switch supportati da yuzu, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>consulta la nostra wiki (in inglese)</a>. 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.È stato riscontrato un errore nell'inizializzazione del core video.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu ha riscontrato un problema durante l'avvio del core video. Di solito questo errore è causato da driver GPU obsoleti, compresi quelli integrati.
Consulta il log per maggiori dettagli. Se hai bisogno di aiuto per accedere ai log, consulta questa pagina (in inglese): <a href='https://yuzu-emu.org/help/reference/log-files/'>Come caricare i file di log</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Errore nel caricamento della ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Segui <a href='https://yuzu-emu.org/help/quickstart/'>la guida introduttiva di yuzu</a> per rifare il dump dei file.<br>Puoi dare un occhiata alla wiki di yuzu (in inglese)</a> o al server Discord di yuzu</a> per assistenza.
-
+ An unknown error occurred. Please see the log for more details.Si è verificato un errore sconosciuto. Visualizza 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 DataDati di salvataggio
-
+ Mod DataDati delle mod
-
+ Error Opening %1 FolderImpossibile aprire la cartella %1
-
-
+
+ Folder does not exist!La cartella non esiste!
-
+ Error Opening Transferable Shader CacheImpossibile aprire la cache trasferibile degli shader
-
+ Failed to create the shader cache directory for this title.Impossibile creare la cartella della cache degli shader per questo titolo.
-
+ Error Removing ContentsImpossibile rimuovere il contentuto
-
+ Error Removing UpdateImpossibile rimuovere l'aggiornamento
-
+ Error Removing DLCImpossibile rimuovere il DLC
-
+ 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 EntryRimuovi voce
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedRimozione 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.Aggiornamento rimosso con successo.
-
+ There is no update installed for this title.Non c'è alcun aggiornamento installato per questo gioco.
-
+ There are no DLC installed for this title.Non c'è alcun DLC installato per questo gioco.
-
+ Successfully removed %1 installed DLC.%1 DLC rimossi con successo.
-
+ 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 Storage Cache?
-
+ Remove FileRimuovi file
-
-
+
+ Remove Play Time Data
+ Resetta il Tempo di Gioco
+
+
+
+ Reset play time?
+ Davvero?
+
+
+
+ Error Removing Transferable Shader CacheImpossibile rimuovere la cache trasferibile degli shader
-
-
+
+ A shader cache for this title does not exist.Per questo titolo non esiste una cache degli shader.
-
+ Successfully removed the transferable shader cache.La cache trasferibile degli shader è stata rimossa con successo.
-
+ Failed to remove the transferable shader cache.Impossibile rimuovere la cache trasferibile degli shader.
-
+ Error Removing Vulkan Driver Pipeline CacheImpossibile rimuovere la cache delle pipeline del driver Vulkan
-
+ Failed to remove the driver pipeline cache.Impossibile rimuovere la cache delle pipeline del driver.
-
-
+
+ Error Removing Transferable Shader CachesImpossibile 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.Impossibile rimuovere la cartella della cache trasferibile degli shader.
-
-
+
+ Error Removing Custom ConfigurationImpossibile 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.Impossibile rimuovere la configurazione personalizzata del gioco.
-
-
+
+ RomFS Extraction Failed!Estrazione RomFS fallita!
-
+ There was an error copying the RomFS files or the user cancelled the operation.C'è stato un errore nella copia dei file del RomFS o l'operazione è stata annullata dall'utente.
-
+ FullCompleta
-
+ SkeletonCartelle
-
+ Select RomFS Dump ModeSeleziona la modalità di estrazione della 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 la RomFS. <br>La modalità Completa copierà tutti i file in una nuova cartella mentre<br>la modalità Cartelle creerà solamente le cartelle e le sottocartelle.
-
+ 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 RootNon c'è abbastanza spazio disponibile nel disco %1 per estrarre la 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...
-
-
-
-
+
+
+
+ CancelAnnulla
-
+ RomFS Extraction Succeeded!Estrazione RomFS riuscita!
-
-
-
+
+
+ The operation completed successfully.L'operazione è stata completata con successo.
-
+ Integrity verification couldn't be performed!Impossibile verificare l'integrità dei file.
-
+ File contents were not checked for validity.I contenuti di questo file non sono stati verificati
-
-
+
+ Integrity verification failed!Verifica integrità fallita.
-
+ File contents may be corrupt.I contenuti di questo File potrebbero essere corrotti.
-
-
+
+ Verifying integrity...Verificando l'integrità della ROM...
-
-
+
+ Integrity verification succeeded!Verifica dell'integrità completata con successo!
-
-
-
-
-
+
+
+
+ Create ShortcutCrea scorciatoia
-
+ 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?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Impossibile creare la scorciatoia sul desktop. Il percorso "%1" non esiste.
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Impossibile creare una scorciatoia. Il percorso "%1" non esiste.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Impossibile creare la scorciatoia nel menù delle applicazioni. Il percorso "%1" non esiste e non può essere creato.
-
-
-
+ Create IconCrea 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.
-
+ Start %1 with the yuzu EmulatorAvvia %1 con l'emulatore yuzu
-
+ Failed to create a shortcut at %1Impossibile creare la scorciatoia in %1
-
+ Successfully created a shortcut to %1Scorciatoia creata con successo in %1
-
+ Error Opening %1Impossibile aprire %1
-
+ Select DirectorySeleziona cartella
-
+ PropertiesProprietà
-
+ 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 FileCarica file
-
+ Open Extracted ROM DirectoryApri cartella ROM estratta
-
+ Invalid Directory SelectedCartella 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 installabili Switch (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstalla file
-
+ %n file(s) remaining%n file rimanente%n file rimanenti%n file rimanenti
-
+ Installing file "%1"...Installazione del file "%1"...
-
-
+
+ Install ResultsRisultati 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
@@ -4370,7 +4369,7 @@ Usa questa funzione solo per installare aggiornamenti e DLC.
-
+ %n file(s) were overwritten
%n file è stato sovrascritto
@@ -4379,7 +4378,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
@@ -4388,195 +4387,195 @@ Usa questa funzione solo per installare aggiornamenti e DLC.
-
+ System ApplicationApplicazione di sistema
-
+ System ArchiveArchivio di sistema
-
+ System Application UpdateAggiornamento di un'applicazione di sistema
-
+ Firmware Package (Type A)Pacchetto firmware (tipo A)
-
+ Firmware Package (Type B)Pacchetto firmware (tipo B)
-
+ GameGioco
-
+ Game UpdateAggiornamento di gioco
-
+ Game DLCDLC
-
+ Delta TitleTitolo 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 InstallInstallazione fallita
-
+ The title type you selected for the NCA is invalid.Il tipo che hai selezionato per l'NCA non è valido.
-
+ File not foundFile non trovato
-
+ File "%1" not foundFile "%1" non trovato
-
+ OKOK
-
-
+
+ Hardware requirements not metRequisiti hardware non soddisfatti
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Il tuo sistema non soddisfa i requisiti hardware consigliati. La funzionalità di segnalazione della compatibilità è stata disattivata.
-
+ Missing yuzu AccountAccount di yuzu non trovato
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Per segnalare la compatibilità di un gioco, devi collegare il tuo account yuzu. <br><br/>Per collegare il tuo account yuzu, vai su Emulazione >
Configurazione > Web.
-
+ Error opening URLImpossibile aprire l'URL
-
+ Unable to open the URL "%1".Non è stato possibile aprire l'URL "%1".
-
+ TAS RecordingRegistrazione TAS
-
+ Overwrite file of player 1?Vuoi sovrascrivere il file del giocatore 1?
-
+ Invalid config detectedRilevata 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.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedL'Amiibo corrente è stato rimosso
-
+ ErrorErrore
-
-
+
+ The current game is not looking for amiibosIl gioco in uso non è alla ricerca di Amiibo
-
+ Amiibo File (%1);; All Files (*.*)File Amiibo (%1);; Tutti i file (*.*)
-
+ Load AmiiboCarica Amiibo
-
+ Error loading Amiibo dataImpossibile caricare i dati dell'Amiibo
-
+ The selected file is not a valid amiiboIl file selezionato non è un Amiibo valido
-
+ The selected file is already on useIl file selezionato è già in uso
-
+ An unknown error occurredSi è verificato un errore sconosciuto
-
+ Verification failed for the following files:
%1
@@ -4585,145 +4584,177 @@ Configurazione > Web.
%1
-
+
+
+ No firmware available
-
+ Nessun Firmware disponibile.
-
+
+ Please install the firmware to use the Album applet.
+ Devi installare il firmware per usare l'applet dell'Album.
+
+
+
+ Album Applet
+ Applet Album
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ L'applet dell'Album non è disponibile. Reinstalla il firmware.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Devi installare il firmware per usare l'applet Cabinet.
+
+
+
+ Cabinet Applet
+ Applet Cabinet
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ L'applet del Cabinet non è disponibile. Reinstalla il firmware.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Per usare l'editor dei Mii, devi installare il firmware.
-
+ Mii Edit Applet
-
+ Editor Mii
-
+ Mii editor is not available. Please reinstall firmware.
-
+ L'Editor dei Mii non è disponibile. Reinstalla il firmware.
-
+ Capture ScreenshotCattura screenshot
-
+ PNG Image (*.png)Immagine PNG (*.png)
-
+ TAS state: Running %1/%2Stato TAS: In esecuzione (%1/%2)
-
+ TAS state: Recording %1Stato TAS: Registrazione in corso (%1)
-
+ TAS state: Idle %1/%2Stato TAS: In attesa (%1/%2)
-
+ TAS State: InvalidStato TAS: Non valido
-
+ &Stop Running&Interrompi
-
+ &Start&Avvia
-
+ Stop R&ecordingInterrompi r&egistrazione
-
+ R&ecordR&egistra
-
+ Building: %n shader(s)Compilazione di %n shaderCompilazione di %n shaderCompilazione di %n shader
-
+ Scale: %1x%1 is the resolution scaling factorRisoluzione: %1x
-
+ Speed: %1% / %2%Velocità: %1% / %2%
-
+ Speed: %1%Velocità: %1%
-
+ Game: %1 FPS (Unlocked)Gioco: %1 FPS (Sbloccati)
-
+ Game: %1 FPSGioco: %1 FPS
-
+ Frame: %1 msFrame: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANO AA
-
+ VOLUME: MUTEVOLUME: MUTO
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUME: %1%
-
+ Confirm Key RederivationConferma ri-derivazione chiavi
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4740,37 +4771,37 @@ Se sei sicuro di voler procedere,
Questa azione eliminerà i tuoi file delle chiavi autogenerati e ripeterà il processo di derivazione delle chiavi.
-
+ Missing fusesFusi mancanti
-
+ - Missing BOOT0 - BOOT0 mancante
-
+ - Missing BCPKG2-1-Normal-Main - BCPKG2-1-Normal-Main mancante
-
+ - Missing PRODINFO- PRODINFO mancante
-
+ Derivation Components MissingComponenti di derivazione mancanti
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Chiavi di crittografia mancanti. <br>Segui <a href='https://yuzu-emu.org/help/quickstart/'>la guida introduttiva di yuzu</a> per ottenere tutte le tue chiavi, il firmware e i giochi.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4779,49 +4810,49 @@ Questa operazione potrebbe durare fino a un minuto in
base alle prestazioni del tuo sistema.
-
+ Deriving KeysDerivazione chiavi
-
+ System Archive Decryption FailedDecrittazione dell'archivio di sistema fallita
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Le chiavi di crittografia non sono riuscite a decrittare il firmware. <br>Segui <a href='https://yuzu-emu.org/help/quickstart/'>la guida introduttiva di yuzu</a> per estrarre tutte le tue chiavi, il firmware e i giochi dalla tua Switch.
-
+ Select RomFS Dump TargetSeleziona Target dell'Estrazione del RomFS
-
+ Please select which RomFS you would like to dump.Seleziona quale RomFS vorresti estrarre.
-
+ Are you sure you want to close yuzu?Sei sicuro di voler chiudere yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ 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 yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4973,241 +5004,251 @@ Vuoi forzare l'arresto?
GameList
-
+ FavoritePreferito
-
+ Start GameAvvia gioco
-
+ Start Game without Custom ConfigurationAvvia gioco senza la configurazione personalizzata
-
+ Open Save Data LocationApri la cartella dei dati di salvataggio
-
+ Open Mod Data LocationApri la cartella delle mod
-
+ Open Transferable Pipeline CacheApri la cartella della cache trasferibile delle pipeline
-
+ RemoveRimuovi
-
+ Remove Installed UpdateRimuovi l'aggiornamento installato
-
+ Remove All Installed DLCRimuovi tutti i DLC installati
-
+ Remove Custom ConfigurationRimuovi la configurazione personalizzata
-
+
+ Remove Play Time Data
+ Resetta il Tempo di Gioco
+
+
+ Remove Cache StorageRimuovi Storage Cache
-
+ Remove OpenGL Pipeline CacheRimuovi la cache delle pipeline OpenGL
-
+ Remove Vulkan Pipeline CacheRimuovi la cache delle pipeline Vulkan
-
+ Remove All Pipeline CachesRimuovi tutte le cache delle pipeline
-
+ Remove All Installed ContentsRimuovi tutti i contenuti installati
-
-
+
+ Dump RomFSEstrai RomFS
-
+ Dump RomFS to SDMCEstrai RomFS su SDMC
-
+ Verify IntegrityVerifica Integrità
-
+ Copy Title ID to ClipboardCopia il Title ID negli Appunti
-
+ Navigate to GameDB entryVai alla pagina di GameDB
-
+ Create ShortcutCrea scorciatoia
-
+ Add to DesktopAggiungi al desktop
-
+ Add to Applications MenuAggiungi al menù delle applicazioni
-
+ PropertiesProprietà
-
+ Scan SubfoldersScansiona le sottocartelle
-
+ Remove Game DirectoryRimuovi cartella dei giochi
-
+ ▲ Move Up▲ Sposta in alto
-
+ ▼ Move Down▼ Sposta in basso
-
+ Open Directory LocationApri cartella
-
+ ClearCancella
-
+ NameNome
-
+ CompatibilityCompatibilità
-
+ Add-onsAdd-on
-
+ File typeTipo di file
-
+ SizeDimensione
+
+
+ Play time
+ Tempo di Gioco
+ GameListItemCompat
-
+ IngameIn-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.
-
+ PerfectPerfetto
-
+ Game can be played without issues.Il gioco funziona senza problemi.
-
+ PlayableGiocabile
-
+ 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/MenuIntro/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 BootNon si avvia
-
+ The game crashes when attempting to startup.Il gioco si blocca quando viene avviato.
-
+ Not TestedNon testato
-
+ The game has not yet been tested.Il gioco non è ancora stato testato.
@@ -5215,7 +5256,7 @@ Vuoi forzare l'arresto?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listClicca due volte per aggiungere una nuova cartella alla lista dei giochi
@@ -5228,12 +5269,12 @@ Vuoi forzare l'arresto?
%1 di %n risultato%1 di %n risultati%1 di %n risultati
-
+ Filter:Filtro:
-
+ Enter pattern to filterInserisci pattern per filtrare
@@ -5351,6 +5392,7 @@ Messaggio di debug:
+ Main WindowFinestra principale
@@ -5456,6 +5498,11 @@ Messaggio di debug:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarMostra/nascondi la barra di stato
@@ -5694,186 +5741,216 @@ Messaggio di debug:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Help&Aiuto
-
+ &Install Files to NAND...&Installa file su NAND...
-
+ L&oad File...Carica &file...
-
+ Load &Folder...Carica &cartella...
-
+ E&xit&Esci
-
+ &Pause&Pausa
-
+ &StopArre&sta
-
+ &Reinitialize keys...&Reinizializza chiavi...
-
+ &Verify Installed Contents
-
+ &Verifica i Contenuti Installati
-
+ &About yuzu&Informazioni su yuzu
-
+ Single &Window Mode&Modalità finestra singola
-
+ Con&figure...Configura...
-
+ Display D&ock Widget HeadersVisualizza le intestazioni del dock dei widget
-
+ Show &Filter BarMostra barra del &filtro
-
+ Show &Status BarMostra barra di &stato
-
+ Show Status BarMostra barra di stato
-
+ &Browse Public Game Lobby&Sfoglia lobby di gioco pubblica
-
+ &Create Room&Crea stanza
-
+ &Leave Room&Esci dalla stanza
-
+ &Direct Connect to RoomCollegamento &diretto alla stanza
-
+ &Show Current Room&Mostra stanza attuale
-
+ F&ullscreenSchermo intero
-
+ &Restart&Riavvia
-
+ Load/Remove &Amiibo...Carica/Rimuovi &Amiibo...
-
+ &Report Compatibility&Segnala la compatibilità
-
+ Open &Mods PageApri la pagina delle &mod
-
+ Open &Quickstart GuideApri la &guida introduttiva
-
+ &FAQ&Domande frequenti
-
+ Open &yuzu FolderApri la cartella di yuzu
-
+ &Capture ScreenshotCattura schermo
-
- Open &Mii Editor
-
+
+ Open &Album
+ Apri l'&Album
-
+
+ &Set Nickname and Owner
+ &Imposta Nickname e Proprietario
+
+
+
+ &Delete Game Data
+ &Rimuovi i Dati di Gioco
+
+
+
+ &Restore Amiibo
+ %Resetta gli Amiibo
+
+
+
+ &Format Amiibo
+ &Formatta gli Amiibo
+
+
+
+ Open &Mii Editor
+ Apri l'&Editor dei Mii
+
+
+ &Configure TAS...&Configura TAS...
-
+ Configure C&urrent Game...Configura il gioco in uso...
-
+ &Start&Avvia
-
+ &Reset&Reimposta
-
+ R&ecordR&egistra
@@ -6181,27 +6258,27 @@ p, li { white-space: pre-wrap; }
Non in gioco
-
+ Installed SD TitlesTitoli SD installati
-
+ Installed NAND TitlesTitoli NAND installati
-
+ System TitlesTitoli di sistema
-
+ Add New Game DirectoryAggiungi nuova cartella dei giochi
-
+ FavoritesPreferiti
@@ -6727,7 +6804,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6740,7 +6817,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsDue Joycon
@@ -6753,7 +6830,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon sinistro
@@ -6766,7 +6843,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon destro
@@ -6795,7 +6872,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldPortatile
@@ -6911,32 +6988,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Non ci sono abbastanza controllers collegati.
+
+
+ GameCube ControllerController GameCube
-
+ Poke Ball PlusPoké Ball Plus
-
+ NES ControllerController NES
-
+ SNES ControllerController SNES
-
+ N64 ControllerController N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/ja_JP.ts b/dist/languages/ja_JP.ts
index 8c06a0afd..6ff603a2d 100644
--- a/dist/languages/ja_JP.ts
+++ b/dist/languages/ja_JP.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone自動 (%1)
-
+ Default (%1)Default time zone既定 (%1)
@@ -893,49 +893,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- クラッシュ時にミニダンプを生成
-
-
- 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**
-
+ Enable Verbose Reporting Services**詳細なレポートサービスの有効化**
-
+ **This will be reset automatically when yuzu closes.** yuzuを終了したときに自動的にリセットされます。
-
- Restart Required
- 再起動が必要
-
-
-
- yuzu is required to restart in order to apply this setting.
- この設定を適用するには yuzu を再起動する必要があります.
-
-
-
+ Web applet not compiledウェブアプレットがコンパイルされていません
-
-
- MiniDump creation not compiled
-
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key Sequence入力された組合せの衝突
@@ -1375,27 +1355,37 @@ This would ban both their forum username and their IP address.
無効
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore Defaultデフォルトに戻す
-
+ Clear消去
-
+ Conflicting Button Sequenceボタンが競合しています
-
+ The default button sequence is already assigned to: %1デフォルトのボタン配列はすでに %1 に割り当てられています。
-
+ The default key sequence is already assigned to: %1デフォルトの組合せはすでに %1 に割り当てられています。
@@ -2508,7 +2498,7 @@ To invert the axes, first move your joystick vertically, and then horizontally.<
Can be toggled via a hotkey. Default hotkey is Ctrl + F9
-
+ ホットキーで切り替えできます。 デフォルトのホットキーは Ctrl + F9 です
@@ -3359,80 +3349,85 @@ Drag points to change position, or double-click table cells to edit values.
Show Add-Ons Column
- アドオン列を表示
+ アドオンを表示Show Size Column
- サイズ列を表示
+ サイズを表示Show File Types Column
- ファイルタイプ列を表示
+ ファイルタイプを表示
-
+
+ Show Play Time Column
+ プレイ時間を表示
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3750,965 +3745,1003 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?yuzuの改善に役立てるため、<a href='https://yuzu-emu.org/help/feature/telemetry/'>匿名データが収集されます</a>。<br/><br/>統計情報を共有しますか?
-
+ Telemetryテレメトリ
-
+ Broken Vulkan Installation Detected壊れたVulkanのインストールが検出されました。
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.起動時にVulkanの初期化に失敗しました。<br><br>この問題を解決するための手順は<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>こちら</a>。
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Webアプレットをロード中...
-
-
+
+ Disable Web AppletWebアプレットの無効化
-
+ 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.)Webアプレットを無効にすると、未定義の動作になる可能性があるため、スーパーマリオ3Dオールスターズでのみ使用するようにしてください。本当にWebアプレットを無効化しますか?
(デバッグ設定で再度有効にすることができます)。
-
+ 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.ゲームが現在表示している1秒あたりのフレーム数。これはゲームごと、シーンごとに異なります。
-
+ 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フレームをエミュレートするのにかかる時間で、フレームリミットやV-Syncは含まれません。フルスピードエミュレーションの場合、最大で16.67ミリ秒になります。
-
+ Unmute消音解除
-
+ Mute消音
-
+ Reset Volume音量をリセット
-
+ &Clear Recent Files最近のファイルをクリア(&C)
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue再開(&C)
-
+ &Pause中断(&P)
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.このゲームでは、分解されたROMディレクトリフォーマットを使用しています。これは、NCA、NAX、XCI、またはNSPなどに取って代わられた古いフォーマットです。分解されたROMディレクトリには、アイコン、メタデータ、およびアップデートサポートがありません。<br><br>yuzuがサポートするSwitchフォーマットの説明については、<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>wikiをチェックしてください</a>。このメッセージは二度と表示されません。
-
+ Error while loading ROM!ROMロード中にエラーが発生しました!
-
+ The ROM format is not supported.このROMフォーマットはサポートされていません。
-
+ An error occurred initializing the video core.ビデオコア初期化中にエラーが発生しました。
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzuは、ビデオコアの実行中にエラーが発生しました。これは通常、内蔵GPUも含め、古いGPUドライバが原因です。詳しくはログをご覧ください。ログへのアクセス方法については、以下のページをご覧ください:<a href='https://yuzu-emu.org/help/reference/log-files/'>ログファイルのアップロード方法について</a>。
-
+ Error while loading ROM! %1%1 signifies a numeric error code.ROMのロード中にエラー! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br><a href='https://yuzu-emu.org/help/quickstart/'>yuzuクイックスタートガイド</a>を参照してファイルを再ダンプしてください。<br>またはyuzu wiki及び</a>yuzu Discord</a>を参照するとよいでしょう。
-
+ 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 DataModデータ
-
+ Error Opening %1 Folder”%1”フォルダを開けませんでした
-
-
+
+ Folder does not exist!フォルダが存在しません!
-
+ Error Opening Transferable Shader Cacheシェーダーキャッシュを開けませんでした
-
+ Failed to create the shader cache directory for this title.このタイトル用のシェーダーキャッシュディレクトリの作成に失敗しました
-
+ Error Removing Contentsコンテンツの削除エラー
-
+ Error Removing Updateアップデートの削除エラー
-
+ Error Removing DLCDLC の削除エラー
-
+ Remove Installed Game Contents?インストールされたゲームのコンテンツを削除しますか?
-
+ Remove Installed Game Update?インストールされたゲームのアップデートを削除しますか?
-
+ Remove Installed Game DLC?インストールされたゲームの DLC を削除しますか?
-
+ Remove Entryエントリ削除
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.このタイトルにはDLCがインストールされていません。
-
+ Successfully removed %1 installed DLC.%1にインストールされたDLCを正常に削除しました。
-
+ Delete OpenGL Transferable Shader Cache?
- 転送可能なOpenGLシェーダーキャッシュを削除しますか?
+ OpenGLシェーダーキャッシュを削除しますか?
-
+ Delete Vulkan Transferable Shader Cache?
- 転送可能なVulkanシェーダーキャッシュを削除しますか?
+ Vulkanシェーダーキャッシュを削除しますか?
-
+ Delete All Transferable Shader Caches?
- 転送可能なすべてのシェーダーキャッシュを削除しますか?
+ すべてのシェーダーキャッシュを削除しますか?
-
+ Remove Custom Game Configuration?このタイトルのカスタム設定を削除しますか?
-
+ Remove Cache Storage?キャッシュストレージを削除しますか?
-
+ Remove Fileファイル削除
-
-
- Error Removing Transferable Shader Cache
- 転送可能なシェーダーキャッシュの削除エラー
+
+ Remove Play Time Data
+ プレイ時間情報を削除
-
-
+
+ Reset play time?
+ プレイ時間をリセットしますか?
+
+
+
+
+ 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.カスタム設定の削除に失敗しました。
-
-
+
+ RomFS Extraction Failed!RomFSの抽出に失敗しました!
-
+ There was an error copying the RomFS files or the user cancelled the operation.RomFSファイルをコピー中にエラーが発生したか、ユーザー操作によりキャンセルされました。
-
+ Fullフル
-
+ Skeletonスケルトン
-
+ Select RomFS Dump ModeRomFSダンプモードの選択
-
+ 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 を展開するための十分な空き領域がありません。Emulation > Configure > System > Filesystem > Dump Root で、空き容量を確保するか、別のダンプディレクトリを選択してください。
-
+ Extracting RomFS...RomFSを抽出中...
-
-
-
-
+
+
+
+ Cancelキャンセル
-
+ RomFS Extraction Succeeded!RomFS抽出成功!
-
-
-
+
+
+ The operation completed successfully.操作は成功しました。
-
+ Integrity verification couldn't be performed!
-
+ 整合性の確認を実行できませんでした!
-
+ File contents were not checked for validity.
-
+ ファイルの妥当性は確認されませんでした.
-
-
+
+ Integrity verification failed!
-
+ 整合性の確認に失敗しました!
-
+ File contents may be corrupt.
-
+ ファイルが破損しているかもしれません。
-
-
+
+ Verifying integrity...
-
+ 整合性を確認中...
-
-
+
+ Integrity verification succeeded!
-
+ 整合性の確認に成功しました!
-
-
-
-
-
+
+
+
+ Create Shortcutショートカットを作成
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Iconアイコンを作成
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ %1 へのショートカット作成に失敗しました
-
+ Successfully created a shortcut to %1
-
+ %1 へのショートカット作成に成功しました
-
+ 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)インストール可能なスイッチファイル (*.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)ファームウェアパッケージ(Type A)
-
+ Firmware Package (Type B)ファームウェアパッケージ(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”が存在しません
-
+ OKOK
-
-
+
+ Hardware requirements not met
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu Accountyuzuアカウントが存在しません
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.ゲームの互換性テストケースを送信するには、yuzuアカウントをリンクする必要があります。<br><br/>yuzuアカウントをリンクするには、エミュレーション > 設定 > Web から行います。
-
+ Error opening URLURLオープンエラー
-
+ 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コントローラが選択されます。
-
-
+
+ AmiiboAmiibo
-
-
+
+ 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 Amiiboamiiboのロード
-
+ Error loading Amiibo dataamiiboデータ読み込み中にエラーが発生しました
-
+ The selected file is not a valid amiibo
-
+ 選択されたファイルは有効な amiibo ではありません
-
+ The selected file is already on use
-
+ 選択されたファイルはすでに使用中です
-
+ An unknown error occurred不明なエラーが発生しました
-
+ Verification failed for the following files:
%1
-
+ 以下のファイルの確認に失敗しました:
+
+%1
-
+
+
+ No firmware available
+ ファームウェアがありません
+
+
+
+ Please install the firmware to use the Album applet.
-
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture Screenshotスクリーンショットのキャプチャ
-
+ PNG Image (*.png)PNG画像 (*.png)
-
+ TAS state: Running %1/%2TAS 状態: 実行中 %1/%2
-
+ TAS state: Recording %1TAS 状態: 記録中 %1
-
+ TAS state: Idle %1/%2TAS 状態: アイドル %1/%2
-
+ TAS State: InvalidTAS 状態: 無効
-
+ &Stop Running実行停止(&S)
-
+ &Start実行(&S)
-
+ Stop R&ecording記録停止(&R)
-
+ R&ecord記録(&R)
-
+ 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 (Unlocked)Game: %1 FPS(制限解除)
-
+ Game: %1 FPSゲーム:%1 FPS
-
+ Frame: %1 msフレーム:%1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANO AA
-
+ VOLUME: MUTE音量: ミュート
-
+ VOLUME: %1%Volume percentage (e.g. 50%)音量: %1%
-
+ Confirm Key Rederivationキーの再取得確認
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4725,37 +4758,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
実行すると、自動生成された鍵ファイルが削除され、鍵生成モジュールが再実行されます。
-
+ Missing fusesヒューズがありません
-
+ - Missing BOOT0 - BOOT0がありません
-
+ - Missing BCPKG2-1-Normal-Main - BCPKG2-1-Normal-Mainがありません
-
+ - Missing PRODINFO - PRODINFOがありません
-
+ Derivation Components Missing派生コンポーネントがありません
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>暗号化キーがありません。<br>キー、ファームウェア、ゲームを取得するには<a href='https://yuzu-emu.org/help/quickstart/'>yuzu クイックスタートガイド</a>を参照ください。<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4764,49 +4797,49 @@ on your system's performance.
1分以上かかります。
-
+ Deriving Keys派生キー
-
+ System Archive Decryption Failedシステムアーカイブの復号に失敗しました
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetRomFSダンプターゲットの選択
-
+ Please select which RomFS you would like to dump.ダンプしたいRomFSを選択して下さい。
-
+ Are you sure you want to close yuzu?yuzuを終了しますか?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.エミュレーションを停止しますか?セーブされていない進行状況は失われます。
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4958,241 +4991,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ Favoriteお気に入り
-
+ Start Gameゲームを開始
-
+ Start Game without Custom Configurationカスタム設定なしでゲームを開始
-
+ Open Save Data Locationセーブデータディレクトリを開く
-
+ Open Mod Data LocationModデータディレクトリを開く
-
+ Open Transferable Pipeline Cache
- 転送可能なパイプラインキャッシュを開く
+ パイプラインキャッシュを開く
-
+ Remove削除
-
+ Remove Installed Updateインストールされているアップデートを削除
-
+ Remove All Installed DLC全てのインストールされているDLCを削除
-
+ Remove Custom Configurationカスタム設定を削除
-
+
+ Remove Play Time Data
+ プレイ時間情報を削除
+
+
+ Remove Cache Storageキャッシュストレージを削除
-
+ Remove OpenGL Pipeline CacheOpenGLパイプラインキャッシュを削除
-
+ Remove Vulkan Pipeline CacheVulkanパイプラインキャッシュを削除
-
+ Remove All Pipeline Cachesすべてのパイプラインキャッシュを削除
-
+ Remove All Installed Contents全てのインストールされているコンテンツを削除
-
-
+
+ Dump RomFSRomFSをダンプ
-
+ Dump RomFS to SDMCRomFSをSDMCにダンプ
-
+ Verify Integrity
-
+ 整合性を確認
-
+ Copy Title ID to ClipboardタイトルIDをクリップボードへコピー
-
+ Navigate to GameDB entryGameDBエントリを表示
-
+ Create Shortcutショートカットを作成
-
+ Add to Desktopデスクトップに追加
-
+ Add to Applications Menuアプリケーションメニューに追加
-
+ Propertiesプロパティ
-
+ Scan Subfoldersサブフォルダをスキャンする
-
+ Remove Game Directoryゲームディレクトリを削除する
-
+ ▲ Move Up▲ 上へ移動
-
+ ▼ Move Down▼ 下へ移動
-
+ Open Directory Locationディレクトリの場所を開く
-
+ Clearクリア
-
+ Nameゲーム名
-
+ Compatibility互換性
-
+ Add-onsアドオン
-
+ File typeファイル種別
-
+ Sizeファイルサイズ
+
+
+ Play time
+ プレイ時間
+ 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.このゲームはまだテストされていません。
@@ -5200,7 +5243,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game list新しいゲームリストフォルダを追加するにはダブルクリックしてください。
@@ -5213,12 +5256,12 @@ Would you like to bypass this and exit anyway?
-
+ Filter:フィルター:
-
+ Enter pattern to filterフィルターパターンを入力
@@ -5302,7 +5345,7 @@ Would you like to bypass this and exit anyway?
Failed to announce the room to the public lobby. In order to host a room publicly, you must have a valid yuzu 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:
- 公開ロビーへの部屋のアナウンスに失敗しました。部屋を公開するためには、Emulation -> Configure -> Web で有効なyuzuアカウントが設定されている必要があります。もし、部屋を公開ロビーに公開したくないのであれば、代わりに非公開を選択してください。
+ 公開ロビーへのルームのアナウンスに失敗しました。ルームを公開するためには、エミュレーション -> 設定 -> Web で有効なyuzuアカウントが設定されている必要があります。もし、ルームを公開ロビーに公開したくないのであれば、代わりに非公開を選択してください。
デバッグメッセージ :
@@ -5336,6 +5379,7 @@ Debug Message:
+ Main Windowメイン画面
@@ -5441,6 +5485,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Barステータスバー切り替え
@@ -5679,186 +5728,216 @@ Debug Message:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Helpヘルプ(&H)
-
+ &Install Files to NAND...ファイルをNANDにインストール...(&I)
-
+ L&oad File...ファイルをロード...(&L)
-
+ Load &Folder...フォルダをロード...(&F)
-
+ E&xit終了(&E)
-
+ &Pause中断(&P)
-
+ &Stop停止(&S)
-
+ &Reinitialize keys...鍵を再初期化...(&R)
-
+ &Verify Installed Contents
-
+ インストールされたコンテンツを確認(&V)
-
+ &About yuzuyuzuについて(&A)
-
+ Single &Window Modeシングルウィンドウモード(&W)
-
+ Con&figure...設定...(&F)
-
+ Display D&ock Widget Headersドックウィジェットヘッダ(&O)
-
+ 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
-
+ Open &yuzu Folder&yuzuフォルダを開く
-
+ &Capture Screenshotスクリーンショットをキャプチャ(&C)
-
- Open &Mii Editor
+
+ Open &Album
-
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+ ゲームデータを削除(&D)
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+ &Mii エディタを開く
+
+
+ &Configure TAS...TASを設定... (&C)
-
+ Configure C&urrent Game...現在のゲームを設定...(&U)
-
+ &Start実行(&S)
-
+ &Resetリセット(&R)
-
+ R&ecord記録(&R)
@@ -5930,7 +6009,7 @@ Debug Message:
Not Connected. Click here to find a room!
- 接続されていません。ここをクリックして部屋を見つけてください。
+ 接続されていません。ここをクリックしてルームを見つけてください。
@@ -6015,7 +6094,7 @@ Debug Message:
The host of the room has banned you. Speak with the host to unban you or try a different room.
- この部屋のホストはあなたを入室禁止にしています。ホストと話をしてアクセス禁止を解除してもらうか、他の部屋を試してみてください。
+ このルームのホストはあなたを入室禁止にしています。ホストと話をしてアクセス禁止を解除してもらうか、他のルームを試してみてください。
@@ -6035,7 +6114,7 @@ Debug Message:
Connection to room lost. Try to reconnect.
- 部屋への接続が失われました。再接続を試みてください。
+ ルームへの接続が失われました。再接続を試みてください。
@@ -6085,7 +6164,7 @@ Proceed anyway?
You are about to close the room. Any network connections will be closed.
- 部屋を閉じようとしています。ネットワーク接続がすべて終了します。
+ ルームを閉じようとしています。ネットワーク接続がすべて終了します。
@@ -6095,7 +6174,7 @@ Proceed anyway?
You are about to leave the room. Any network connections will be closed.
- 部屋を退出しようとしています。ネットワーク接続はすべて終了します。
+ ルームを退出しようとしています。ネットワーク接続はすべて終了します。
@@ -6165,27 +6244,27 @@ p, li { white-space: pre-wrap; }
-
+ Installed SD Titlesインストール済みSDタイトル
-
+ Installed NAND Titlesインストール済みNANDタイトル
-
+ System Titlesシステムタイトル
-
+ Add New Game Directory新しいゲームディレクトリを追加する
-
+ Favoritesお気に入り
@@ -6711,7 +6790,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerProコントローラ
@@ -6724,7 +6803,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoy-Con(L/R)
@@ -6737,7 +6816,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoy-Con(L)
@@ -6750,7 +6829,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoy-Con(R)
@@ -6779,7 +6858,7 @@ p, li { white-space: pre-wrap; }
-
+ Handheld携帯モード
@@ -6895,32 +6974,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube Controllerゲームキューブコントローラ
-
+ Poke Ball Plusモンスターボールプラス
-
+ NES Controllerファミコン・コントローラー
-
+ SNES Controllerスーパーファミコン・コントローラー
-
+ N64 Controllerニンテンドウ64・コントローラー
-
+ Sega Genesisメガドライブ
@@ -7026,7 +7110,7 @@ Please try again or contact the developer of the software.
Change settings for which user?
-
+ どのユーザの設定を変更しますか?
@@ -7036,12 +7120,12 @@ Please try again or contact the developer of the software.
Which user will be transferred to another console?
-
+ どのユーザを別のコンソールに転送しますか?Send save data for which user?
-
+ どのユーザにセーブデータを送信しますか?
@@ -7107,7 +7191,7 @@ p, li { white-space: pre-wrap; }
[%1] %2
-
+ [%1] %2
diff --git a/dist/languages/ko_KR.ts b/dist/languages/ko_KR.ts
index f5204f1aa..0dc3cd319 100644
--- a/dist/languages/ko_KR.ts
+++ b/dist/languages/ko_KR.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone자동 (%1)
-
+ Default (%1)Default time zone기본 (%1)
@@ -894,49 +894,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- 충돌후 미니덤프 생성
-
-
- 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**콘솔에 오디오 명령어 덤프
-
+ Enable Verbose Reporting Services**자세한 리포팅 서비스 활성화**
-
+ **This will be reset automatically when yuzu closes.**Yuzu가 종료되면 자동으로 재설정됩니다.
-
- Restart Required
- 재시작 필요
-
-
-
- yuzu is required to restart in order to apply this setting.
- 이 설정을 적용하려면 yuzu를 다시 시작해야 합니다.
-
-
-
+ Web applet not compiled웹 애플릿이 컴파일되지 않음
-
-
- MiniDump creation not compiled
- MiniDump 생성이 컴파일되지 않음
- ConfigureDebugController
@@ -1355,7 +1335,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key Sequence키 시퀀스 충돌
@@ -1376,27 +1356,37 @@ This would ban both their forum username and their IP address.
유효하지않음
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore Default초기화
-
+ Clear비우기
-
+ Conflicting Button Sequence키 시퀀스 충돌
-
+ The default button sequence is already assigned to: %1기본 키 시퀀스가 %1에 이미 할당되었습니다.
-
+ The default key sequence is already assigned to: %1기본 키 시퀀스가 %1에 이미 할당되었습니다.
@@ -3373,67 +3363,72 @@ Drag points to change position, or double-click table cells to edit values.파일 형식 열 표시
-
+
+ Show Play Time Column
+
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value자동 (%1 x %2, %3 x %4)
@@ -3751,965 +3746,1001 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?yuzu를 개선하기 위해 <a href='https://yuzu-emu.org/help/feature/telemetry/'>익명 데이터가 수집됩니다.</a> <br/><br/>사용 데이터를 공유하시겠습니까?
-
+ Telemetry원격 측정
-
+ Broken Vulkan Installation Detected깨진 Vulkan 설치 감지됨
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.부팅하는 동안 Vulkan 초기화에 실패했습니다.<br><br>문제 해결 지침을 보려면 <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>여기</a>를 클릭하세요.
-
+ Running a gameTRANSLATORS: 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.프레임 제한이나 수직 동기화를 계산하지 않고 Switch 프레임을 에뮬레이션 하는 데 걸린 시간. 최대 속도로 에뮬레이트 중일 때에는 대부분 16.67 ms 근처입니다.
-
+ Unmute음소거 해제
-
+ Mute음소거
-
+ Reset Volume볼륨 재설정
-
+ &Clear Recent FilesClear Recent Files(&C)
-
+ Emulated mouse is enabled에뮬레이트 마우스 사용
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.실제 마우스 입력과 마우스 패닝은 호환되지 않습니다. 마우스 패닝을 허용하려면 입력 고급 설정에서 에뮬레이트 마우스를 비활성화하세요.
-
+ &Continue재개(&C)
-
+ &Pause일시중지(&P)
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.이 게임 파일은 '분해된 ROM 디렉토리'라는 오래된 포맷을 사용하고 있습니다. 해당 포맷은 NCA, NAX, XCI 또는 NSP와 같은 다른 포맷으로 대체되었으며 분해된 ROM 디렉토리에는 아이콘, 메타 데이터 및 업데이트가 지원되지 않습니다.<br><br>yuzu가 지원하는 다양한 Switch 포맷에 대한 설명은 <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>위키를 확인하세요.</a> 이 메시지는 다시 표시되지 않습니다.
-
+ Error while loading ROM!ROM 로드 중 오류 발생!
-
+ The ROM format is not supported.지원되지 않는 롬 포맷입니다.
-
+ An error occurred initializing the video core.비디오 코어를 초기화하는 동안 오류가 발생했습니다.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. 비디오 코어를 실행하는 동안 yuzu에 오류가 발생했습니다. 이것은 일반적으로 통합 드라이버를 포함하여 오래된 GPU 드라이버로 인해 발생합니다. 자세한 내용은 로그를 참조하십시오. 로그 액세스에 대한 자세한 내용은 <a href='https://yuzu-emu.org/help/reference/log-files/'>로그 파일 업로드 방법</a> 페이지를 참조하세요.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.ROM 불러오는 중 오류 발생! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>파일들을 다시 덤프하기 위해<a href='https://yuzu-emu.org/help/quickstart/'>yuzu 빠른 시작 가이드</a> 를 따라주세요.<br>도움이 필요할 시 yuzu 위키</a> 를 참고하거나 yuzu 디스코드</a> 를 이용해보세요.
-
+ 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!폴더가 존재하지 않습니다!
-
+ Error Opening Transferable Shader Cache전송 가능한 셰이더 캐시 열기 오류
-
+ Failed to create the shader cache directory for this title.이 타이틀에 대한 셰이더 캐시 디렉토리를 생성하지 못했습니다.
-
+ Error Removing Contents콘텐츠 제거 중 오류 발생
-
+ Error Removing Update업데이트 제거 오류
-
+ Error Removing DLCDLC 제거 오류
-
+ Remove Installed Game Contents?설치된 게임 콘텐츠를 제거하겠습니까?
-
+ Remove Installed Game Update?설치된 게임 업데이트를 제거하겠습니까?
-
+ Remove Installed Game DLC?설치된 게임 DLC를 제거하겠습니까?
-
+ Remove Entry항목 제거
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.이 타이틀에 설치된 DLC가 없습니다.
-
+ Successfully removed %1 installed DLC.설치된 %1 DLC를 성공적으로 제거했습니다.
-
+ 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?
+
+
+
+
+ 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 CacheVulkan 드라이버 파이프라인 캐시 제거 오류
-
+ 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.사용자 지정 게임 구성을 제거하지 못했습니다.
-
-
+
+ RomFS Extraction Failed!RomFS 추출 실패!
-
+ There was an error copying the RomFS files or the user cancelled the operation.RomFS 파일을 복사하는 중에 오류가 발생했거나 사용자가 작업을 취소했습니다.
-
+ Full전체
-
+ Skeleton뼈대
-
+ Select RomFS Dump ModeRomFS 덤프 모드 선택
-
+ 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.작업이 성공적으로 완료되었습니다.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut바로가기 만들기
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?현재 AppImage에 대한 바로 가기가 생성됩니다. 업데이트하면 제대로 작동하지 않을 수 있습니다. 계속합니까?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- 바탕 화면에 바로가기를 만들 수 없습니다. 경로 "%1"이(가) 존재하지 않습니다.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- 애플리케이션 메뉴에서 바로가기를 만들 수 없습니다. 경로 "%1"이(가) 존재하지 않으며 생성할 수 없습니다.
-
-
-
+ Create Icon아이콘 만들기
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.아이콘 파일을 만들 수 없습니다. 경로 "%1"이(가) 존재하지 않으며 생성할 수 없습니다.
-
+ Start %1 with the yuzu Emulatoryuzu 에뮬레이터로 %1 시작
-
+ Failed to create a shortcut at %1%1에서 바로가기를 만들기 실패
-
+ Successfully created a shortcut to %1%1 바로가기를 성공적으로 만듬
-
+ 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개의 파일이 남음
-
+ 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.충돌을 피하기 위해, 낸드에 베이스 게임을 설치하는 것을 권장하지 않습니다.
이 기능은 업데이트나 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게임 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"을 찾을 수 없습니다
-
+ OKOK
-
-
+
+ Hardware requirements not met하드웨어 요구 사항이 충족되지 않음
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.시스템이 권장 하드웨어 요구 사항을 충족하지 않습니다. 호환성 보고가 비활성화되었습니다.
-
+ Missing yuzu Accountyuzu 계정 누락
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.게임 호환성 테스트 결과를 제출하려면 yuzu 계정을 연결해야합니다.<br><br/>yuzu 계정을 연결하려면 에뮬레이션 > 설정 > 웹으로 가세요.
-
+ Error opening URLURL 열기 오류
-
+ Unable to open the URL "%1".URL "%1"을 열 수 없습니다.
-
+ TAS RecordingTAS 레코딩
-
+ Overwrite file of player 1?플레이어 1의 파일을 덮어쓰시겠습니까?
-
+ Invalid config detected유효하지 않은 설정 감지
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.휴대 모드용 컨트롤러는 거치 모드에서 사용할 수 없습니다. 프로 컨트롤러로 대신 선택됩니다.
-
-
+
+ AmiiboAmiibo
-
-
+
+ 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 AmiiboAmiibo 로드
-
+ Error loading Amiibo dataAmiibo 데이터 로드 오류
-
+ The selected file is not a valid amiibo선택한 파일은 유효한 amiibo가 아닙니다
-
+ The selected file is already on use선택한 파일은 이미 사용 중입니다
-
+ An unknown error occurred알수없는 오류가 발생했습니다
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture Screenshot스크린샷 캡처
-
+ PNG Image (*.png)PNG 이미지 (*.png)
-
+ TAS state: Running %1/%2TAS 상태: %1/%2 실행 중
-
+ TAS state: Recording %1TAS 상태: 레코딩 %1
-
+ TAS state: Idle %1/%2TAS 상태: 유휴 %1/%2
-
+ TAS State: InvalidTAS 상태: 유효하지 않음
-
+ &Stop Running실행 중지(&S)
-
+ &Start시작(&S)
-
+ Stop R&ecording레코딩 중지(&e)
-
+ R&ecord레코드(&R)
-
+ 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 (Unlocked)게임: %1 FPS (제한없음)
-
+ Game: %1 FPS게임: %1 FPS
-
+ Frame: %1 ms프레임: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAAA 없음
-
+ VOLUME: MUTE볼륨: 음소거
-
+ VOLUME: %1%Volume percentage (e.g. 50%)볼륨: %1%
-
+ Confirm Key Rederivation키 재생성 확인
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4726,37 +4757,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
자동 생성되었던 키 파일들이 삭제되고 키 생성 모듈이 다시 실행됩니다.
-
+ Missing fusesfuses 누락
-
+ - Missing BOOT0 - BOOT0 누락
-
+ - Missing BCPKG2-1-Normal-Main - BCPKG2-1-Normal-Main 누락
-
+ - Missing PRODINFO - PRODINFO 누락
-
+ Derivation Components Missing파생 구성 요소 누락
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>암호화 키가 없습니다. <br>모든 키, 펌웨어 및 게임을 얻으려면 <a href='https://yuzu-emu.org/help/quickstart/'>yuzu 빠른 시작 가이드</a>를 따르세요.<br><br> <small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4765,49 +4796,49 @@ on your system's performance.
소요될 수 있습니다.
-
+ Deriving Keys파생 키
-
+ System Archive Decryption Failed시스템 아카이브 암호 해독 실패
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.암호화 키가 펌웨어를 해독하지 못했습니다. <br> 암호화 키와 펌웨어 및 게임을 얻기위해<a href='https://yuzu-emu.org/help/quickstart/'> Yuzu 빠른 시작 가이드 </a>를 따르세요.
-
+ Select RomFS Dump TargetRomFS 덤프 대상 선택
-
+ Please select which RomFS you would like to dump.덤프할 RomFS를 선택하십시오.
-
+ Are you sure you want to close yuzu?yuzu를 닫으시겠습니까?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.에뮬레이션을 중지하시겠습니까? 모든 저장되지 않은 진행 상황은 사라집니다.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4959,241 +4990,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ Favorite선호하는 게임
-
+ Start Game게임 시작
-
+ Start Game without Custom Configuration맞춤 설정 없이 게임 시작
-
+ Open Save Data Location세이브 데이터 경로 열기
-
+ Open Mod Data LocationMOD 데이터 경로 열기
-
+ Open Transferable Pipeline Cache전송 가능한 파이프라인 캐시 열기
-
+ Remove제거
-
+ Remove Installed Update설치된 업데이트 삭제
-
+ Remove All Installed DLC설치된 모든 DLC 삭제
-
+ Remove Custom Configuration사용자 지정 구성 제거
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage캐시 스토리지 제거
-
+ Remove OpenGL Pipeline CacheOpenGL 파이프라인 캐시 제거
-
+ Remove Vulkan Pipeline CacheVulkan 파이프라인 캐시 제거
-
+ Remove All Pipeline Caches모든 파이프라인 캐시 제거
-
+ Remove All Installed Contents설치된 모든 컨텐츠 제거
-
-
+
+ Dump RomFSRomFS를 덤프
-
+ Dump RomFS to SDMCRomFS를 SDMC로 덤프
-
+ Verify Integrity
-
+ Copy Title ID to Clipboard클립보드에 타이틀 ID 복사
-
+ Navigate to GameDB entryGameDB 항목으로 이동
-
+ Create Shortcut바로가기 만들기
-
+ Add to Desktop데스크톱에 추가
-
+ Add to Applications Menu애플리케이션 메뉴에 추가
-
+ Properties속성
-
+ Scan Subfolders하위 폴더 스캔
-
+ Remove Game Directory게임 디렉토리 제거
-
+ ▲ Move Up▲ 위로 이동
-
+ ▼ Move Down▼ 아래로 이동
-
+ Open Directory Location디렉토리 위치 열기
-
+ Clear초기화
-
+ Name이름
-
+ Compatibility호환성
-
+ Add-ons부가 기능
-
+ File type파일 형식
-
+ Size크기
+
+
+ Play time
+
+ 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.이 게임은 아직 테스트되지 않았습니다.
@@ -5201,7 +5242,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game list더블 클릭하여 게임 목록에 새 폴더 추가
@@ -5214,12 +5255,12 @@ Would you like to bypass this and exit anyway?
%1 중의 %n 결과
-
+ Filter:필터:
-
+ Enter pattern to filter검색 필터 입력
@@ -5337,6 +5378,7 @@ Debug Message:
+ Main Window메인 윈도우
@@ -5442,6 +5484,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar상태 표시줄 전환
@@ -5680,186 +5727,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TASTAS(&T)
-
+ &Help도움말(&H)
-
+ &Install Files to NAND...낸드에 파일 설치(&I)
-
+ L&oad File...파일 불러오기...(&L)
-
+ Load &Folder...폴더 불러오기...(&F)
-
+ E&xit종료(&X)
-
+ &Pause일시중지(&P)
-
+ &Stop정지(&S)
-
+ &Reinitialize keys...키 재설정...(&R)
-
+ &Verify Installed Contents
-
+ &About yuzuyuzu 정보(&A)
-
+ Single &Window Mode싱글 창 모드(&W)
-
+ Con&figure...설정(&f)
-
+ Display D&ock Widget Headers독 위젯 헤더 표시(&o)
-
+ 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)
-
+ &FAQFAQ(&F)
-
+ Open &yuzu Folderyuzu 폴더 열기(&y)
-
+ &Capture Screenshot스크린샷 찍기(&C)
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...TAS설정...(&C)
-
+ Configure C&urrent Game...실행중인 게임 맞춤 설정...(&u)
-
+ &Start시작(&S)
-
+ &Reset리셋(&R)
-
+ R&ecord레코드(&e)
@@ -6167,27 +6244,27 @@ p, li { white-space: pre-wrap; }
게임을 하지 않음
-
+ Installed SD Titles설치된 SD 타이틀
-
+ Installed NAND Titles설치된 NAND 타이틀
-
+ System Titles시스템 타이틀
-
+ Add New Game Directory새 게임 디렉토리 추가
-
+ Favorites선호하는 게임
@@ -6713,7 +6790,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro Controller프로 컨트롤러
@@ -6726,7 +6803,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joycons듀얼 조이콘
@@ -6739,7 +6816,7 @@ p, li { white-space: pre-wrap; }
-
+ Left Joycon왼쪽 조이콘
@@ -6752,7 +6829,7 @@ p, li { white-space: pre-wrap; }
-
+ Right Joycon오른쪽 조이콘
@@ -6781,7 +6858,7 @@ p, li { white-space: pre-wrap; }
-
+ Handheld휴대 모드
@@ -6897,32 +6974,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube 컨트롤러
-
+ Poke Ball Plus몬스터볼 Plus
-
+ NES ControllerNES 컨트롤러
-
+ SNES ControllerSNES 컨트롤러
-
+ N64 ControllerN64 컨트롤러
-
+ Sega Genesis세가 제네시스
diff --git a/dist/languages/nb.ts b/dist/languages/nb.ts
index d5e1ea138..14be337d6 100644
--- a/dist/languages/nb.ts
+++ b/dist/languages/nb.ts
@@ -373,13 +373,13 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse.%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zoneNormalverdi (%1)
@@ -893,49 +893,29 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse.
- Create Minidump After Crash
- Lag Minidump Etter Kræsj
-
-
- 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**
-
+ Enable Verbose Reporting Services**Aktiver Verbose Reporting Services**
-
+ **This will be reset automatically when yuzu closes.**Dette blir automatisk tilbakestilt når yuzu lukkes.
-
- Restart Required
- Omstart Nødvendig
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu må startes på nytt for å bruke denne innstillingen.
-
-
-
+ Web applet not compiledWeb-applet ikke kompilert
-
-
- MiniDump creation not compiled
- MiniDump-opprettelse ikke kompilert
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse.
-
+ Conflicting Key SequenceMostridende tastesekvens
@@ -1375,27 +1355,37 @@ Dette vil bannlyse både deres forum brukernavn og deres IP adresse.Ugyldig
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultGjenopprett Standardverdi
-
+ ClearFjern
-
+ Conflicting Button SequenceMotstridende knappesekvens
-
+ The default button sequence is already assigned to: %1Standardknappesekvensen er allerede tildelt til: %1
-
+ The default key sequence is already assigned to: %1Standardtastesekvensen er allerede tildelt til: %1
@@ -3373,67 +3363,72 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re
Vis Kolonne For Filtype
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:Spillikonstørrelse:
-
+ Folder Icon Size:Mappeikonstørrelse:
-
+ Row 1 Text:Rad 1 Tekst:
-
+ Row 2 Text:Rad 2 Tekst:
-
+ ScreenshotsSkjermbilder
-
+ Ask Where To Save Screenshots (Windows Only)Spør om hvor skjermbilder skal lagres (kun for Windows)
-
+ Screenshots Path: Skjermbildebane:
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Oppløsning:
-
+ Select Screenshots Path...Velg Skermbildebane...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3751,612 +3746,616 @@ Dra punkter for å endre posisjon, eller dobbelttrykk på tabellfelter for å re
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonym data blir samlet inn</a>for å hjelpe til med å forbedre yuzu.<br/><br/>Vil du dele din bruksdata med oss?
-
+ TelemetryTelemetri
-
+ Broken Vulkan Installation DetectedØdelagt Vulkan-installasjon oppdaget
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Vulkan-initialisering mislyktes under oppstart.<br><br>Klikk<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>her for instruksjoner for å løse problemet</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingKjører et spill
-
+ Loading Web Applet...Laster web-applet...
-
-
+
+ Disable Web AppletSlå av 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.)Deaktivering av webappleten kan føre til udefinert oppførsel og bør bare brukes med Super Mario 3D All-Stars. Er du sikker på at du vil deaktivere webappleten?
(Dette kan aktiveres på nytt i feilsøkingsinnstillingene).
-
+ The amount of shaders currently being builtAntall shader-e som bygges for øyeblikket
-
+ The current selected resolution scaling multiplier.Den valgte oppløsningsskaleringsfaktoren.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Nåværende emuleringshastighet. Verdier høyere eller lavere en 100% indikerer at emuleringen kjører raskere eller tregere enn en Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Hvor mange bilder per sekund spiller viser. Dette vil variere fra spill til spill og scene til 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.Tid det tar for å emulere et Switch bilde. Teller ikke med bildebegrensing eller v-sync. For full-hastighet emulering burde dette være 16.67 ms. på det høyeste.
-
+ UnmuteSlå på lyden
-
+ MuteLydløs
-
+ Reset VolumeTilbakestill volum
-
+ &Clear Recent Files&Tøm Nylige Filer
-
+ Emulated mouse is enabledEmulert mus er aktivert
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Ekte museinndata og musepanning er inkompatible. Deaktiver den emulerte musen i avanserte innstillinger for inndata for å tillate musepanning.
-
+ &Continue&Fortsett
-
+ &Pause&Paus
-
+ Warning Outdated Game FormatAdvarsel: Utdatert Spillformat
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Du bruker en dekonstruert ROM-mappe for dette spillet, som er et utdatert format som har blitt erstattet av andre formater som NCA, NAX, XCI, eller NSP. Dekonstruerte ROM-mapper mangler ikoner, metadata, og oppdateringsstøtte.<br><br>For en forklaring på diverse Switch-formater som yuzu støtter,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>sjekk vår wiki</a>. Denne meldingen vil ikke bli vist igjen.
-
+ Error while loading ROM!Feil under innlasting av ROM!
-
+ The ROM format is not supported.Dette ROM-formatet er ikke støttet.
-
+ An error occurred initializing the video core.En feil oppstod under initialisering av videokjernen.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu har oppdaget en feil under kjøring av videokjernen. Dette er vanligvis forårsaket av utdaterte GPU-drivere, inkludert for integrert grafikk. Vennligst sjekk loggen for flere detaljer. For mer informasjon om å finne loggen, besøk følgende side: <a href='https://yuzu-emu.org/help/reference/log-files/'>How to Uploadd the Log File</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Feil under lasting av ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Vennligst følg <a href='https://yuzu-emu.org/help/quickstart/'>hurtigstartsguiden</a> for å redumpe filene dine. <br>Du kan henvise til yuzu wikien</a> eller yuzu Discorden</a> for hjelp.
-
+ An unknown error occurred. Please see the log for more details.En ukjent feil oppstod. Se loggen for flere detaljer.
-
+ (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...Lukker programvare...
-
+ Save DataLagre Data
-
+ Mod DataMod Data
-
+ Error Opening %1 FolderFeil Under Åpning av %1 Mappen
-
-
+
+ Folder does not exist!Mappen eksisterer ikke!
-
+ Error Opening Transferable Shader CacheFeil ved åpning av overførbar shaderbuffer
-
+ Failed to create the shader cache directory for this title.Kunne ikke opprette shader cache-katalogen for denne tittelen.
-
+ Error Removing ContentsFeil ved fjerning av innhold
-
+ Error Removing UpdateFeil ved fjerning av oppdatering
-
+ Error Removing DLCFeil ved fjerning av DLC
-
+ Remove Installed Game Contents?Fjern Innstallert Spillinnhold?
-
+ Remove Installed Game Update?Fjern Installert Spilloppdatering?
-
+ Remove Installed Game DLC?Fjern Installert Spill DLC?
-
+ Remove EntryFjern oppføring
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedFjerning lykkes
-
+ Successfully removed the installed base game.Vellykket fjerning av det installerte basisspillet.
-
+ The base game is not installed in the NAND and cannot be removed.Grunnspillet er ikke installert i NAND og kan ikke bli fjernet.
-
+ Successfully removed the installed update.Fjernet vellykket den installerte oppdateringen.
-
+ There is no update installed for this title.Det er ingen oppdatering installert for denne tittelen.
-
+ There are no DLC installed for this title.Det er ingen DLC installert for denne tittelen.
-
+ Successfully removed %1 installed DLC.Fjernet vellykket %1 installerte DLC-er.
-
+ Delete OpenGL Transferable Shader Cache?Slette OpenGL Overførbar Shaderbuffer?
-
+ Delete Vulkan Transferable Shader Cache?Slette Vulkan Overførbar Shaderbuffer?
-
+ Delete All Transferable Shader Caches?Slette Alle Overførbare Shaderbuffere?
-
+ Remove Custom Game Configuration?Fjern Tilpasset Spillkonfigurasjon?
-
+ Remove Cache Storage?Fjerne Hurtiglagringen?
-
+ Remove FileFjern Fil
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheFeil under fjerning av overførbar shader cache
-
-
+
+ A shader cache for this title does not exist.En shaderbuffer for denne tittelen eksisterer ikke.
-
+ Successfully removed the transferable shader cache.Lykkes i å fjerne den overførbare shader cachen.
-
+ Failed to remove the transferable shader cache.Feil under fjerning av den overførbare shader cachen.
-
+ Error Removing Vulkan Driver Pipeline CacheFeil ved fjerning av Vulkan Driver-Rørledningsbuffer
-
+ Failed to remove the driver pipeline cache.Kunne ikke fjerne driverens rørledningsbuffer.
-
-
+
+ Error Removing Transferable Shader CachesFeil ved fjerning av overførbare shaderbuffere
-
+ Successfully removed the transferable shader caches.Vellykket fjerning av overførbare shaderbuffere.
-
+ Failed to remove the transferable shader cache directory.Feil ved fjerning av overførbar shaderbuffer katalog.
-
-
+
+ Error Removing Custom ConfigurationFeil Under Fjerning Av Tilpasset Konfigurasjon
-
+ A custom configuration for this title does not exist.En tilpasset konfigurasjon for denne tittelen finnes ikke.
-
+ Successfully removed the custom game configuration.Fjernet vellykket den tilpassede spillkonfigurasjonen.
-
+ Failed to remove the custom game configuration.Feil under fjerning av den tilpassede spillkonfigurasjonen.
-
-
+
+ RomFS Extraction Failed!Utvinning av RomFS Feilet!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Det oppstod en feil under kopiering av RomFS filene eller så kansellerte brukeren operasjonen.
-
+ FullFullstendig
-
+ SkeletonSkjelett
-
+ Select RomFS Dump ModeVelg RomFS Dump Modus
-
+ 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.Velg hvordan du vil dumpe RomFS.<br>Fullstendig vil kopiere alle filene til en ny mappe mens <br>skjelett vil bare skape mappestrukturen.
-
+ 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 RootDet er ikke nok ledig plass på %1 til å pakke ut RomFS. Vennligst frigjør plass eller velg en annen dump-katalog under Emulering > Konfigurer > System > Filsystem > Dump Root.
-
+ Extracting RomFS...Utvinner RomFS...
-
-
-
-
+
+
+
+ CancelAvbryt
-
+ RomFS Extraction Succeeded!RomFS Utpakking lyktes!
-
-
-
+
+
+ The operation completed successfully.Operasjonen fullført vellykket.
-
+ Integrity verification couldn't be performed!Integritetsverifisering kunne ikke utføres!
-
+ File contents were not checked for validity.Filinnholdet ble ikke kontrollert for gyldighet.
-
-
+
+ Integrity verification failed!Integritetsverifisering mislyktes!
-
+ File contents may be corrupt.Filinnholdet kan være skadet.
-
-
+
+ Verifying integrity...Verifiserer integritet...
-
-
+
+ Integrity verification succeeded!Integritetsverifisering vellykket!
-
-
-
-
-
+
+
+
+ Create ShortcutLag Snarvei
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Dette vil opprette en snarvei til gjeldende AppImage. Dette fungerer kanskje ikke bra hvis du oppdaterer. Fortsette?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Kan ikke opprette snarvei på skrivebordet. Stien "%1" finnes ikke.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Kan ikke opprette snarvei i applikasjonsmenyen. Stien "%1" finnes ikke og kan ikke opprettes.
-
-
-
+ Create IconLag Ikon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Kan ikke opprette ikonfil. Stien "%1" finnes ikke og kan ikke opprettes.
-
+ Start %1 with the yuzu EmulatorStart %1 med yuzu-emulatoren
-
+ Failed to create a shortcut at %1Mislyktes i å opprette en snarvei ved %1
-
+ Successfully created a shortcut to %1Opprettet en snarvei til %1
-
+ Error Opening %1Feil ved åpning av %1
-
+ Select DirectoryVelg Mappe
-
+ PropertiesEgenskaper
-
+ The game properties could not be loaded.Spillets egenskaper kunne ikke bli lastet inn.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch Kjørbar Fil (%1);;Alle Filer (*.*)
-
+ Load FileLast inn Fil
-
+ Open Extracted ROM DirectoryÅpne Utpakket ROM Mappe
-
+ Invalid Directory SelectedUgyldig Mappe Valgt
-
+ The directory you have selected does not contain a 'main' file.Mappen du valgte inneholder ikke en '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 FilesInstaller Filer
-
+ %n file(s) remaining%n fil gjenstår%n filer gjenstår
-
+ Installing file "%1"...Installerer fil "%1"...
-
-
+
+ Install ResultsInsallasjonsresultater
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.For å unngå mulige konflikter fraråder vi brukere å installere basisspill på NAND.
Bruk kun denne funksjonen til å installere oppdateringer og DLC.
-
+ %n file(s) were newly installed
%n fil ble nylig installert
@@ -4364,7 +4363,7 @@ Bruk kun denne funksjonen til å installere oppdateringer og DLC.
-
+ %n file(s) were overwritten
%n fil ble overskrevet
@@ -4372,7 +4371,7 @@ Bruk kun denne funksjonen til å installere oppdateringer og DLC.
-
+ %n file(s) failed to install
%n fil ble ikke installert
@@ -4380,194 +4379,194 @@ Bruk kun denne funksjonen til å installere oppdateringer og DLC.
-
+ System ApplicationSystemapplikasjon
-
+ System ArchiveSystemarkiv
-
+ System Application UpdateSystemapplikasjonsoppdatering
-
+ Firmware Package (Type A)Firmware Pakke (Type A)
-
+ Firmware Package (Type B)Firmware-Pakke (Type B)
-
+ GameSpill
-
+ Game UpdateSpilloppdatering
-
+ Game DLCSpill tilleggspakke
-
+ Delta TitleDelta Tittel
-
+ Select NCA Install Type...Velg NCA Installasjonstype...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Vennligst velg typen tittel du vil installere denne NCA-en som:
(I de fleste tilfellene, standarden 'Spill' fungerer.)
-
+ Failed to InstallFeil under Installasjon
-
+ The title type you selected for the NCA is invalid.Titteltypen du valgte for NCA-en er ugyldig.
-
+ File not foundFil ikke funnet
-
+ File "%1" not foundFilen "%1" ikke funnet
-
+ OKOK
-
-
+
+ Hardware requirements not metKrav til maskinvare ikke oppfylt
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Systemet ditt oppfyller ikke de anbefalte maskinvarekravene. Kompatibilitetsrapportering er deaktivert.
-
+ Missing yuzu AccountMangler yuzu Bruker
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.For å sende inn et testtilfelle for spillkompatibilitet, må du linke yuzu-brukeren din.<br><br/>For å linke yuzu-brukeren din, gå til Emulasjon > Konfigurasjon > Nett.
-
+ Error opening URLFeil under åpning av URL
-
+ Unable to open the URL "%1".Kunne ikke åpne URL "%1".
-
+ TAS RecordingTAS-innspilling
-
+ Overwrite file of player 1?Overskriv filen til spiller 1?
-
+ Invalid config detectedUgyldig konfigurasjon oppdaget
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Håndholdt kontroller kan ikke brukes i dokket modus. Pro-kontroller vil bli valgt.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedDen valgte amiibo-en har blitt fjernet
-
+ ErrorFeil
-
-
+
+ The current game is not looking for amiibosDet kjørende spillet sjekker ikke for amiibo-er
-
+ Amiibo File (%1);; All Files (*.*)Amiibo-Fil (%1);; Alle Filer (*.*)
-
+ Load AmiiboLast inn Amiibo
-
+ Error loading Amiibo dataFeil ved lasting av Amiibo data
-
+ The selected file is not a valid amiiboDen valgte filen er ikke en gyldig amiibo
-
+ The selected file is already on useDen valgte filen er allerede i bruk
-
+ An unknown error occurredEn ukjent feil oppso
-
+ Verification failed for the following files:
%1
@@ -4576,145 +4575,177 @@ Bruk kun denne funksjonen til å installere oppdateringer og DLC.
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotTa Skjermbilde
-
+ PNG Image (*.png)PNG Bilde (*.png)
-
+ TAS state: Running %1/%2TAS-tilstand: Kjører %1/%2
-
+ TAS state: Recording %1TAS-tilstand: Spiller inn %1
-
+ TAS state: Idle %1/%2TAS-tilstand: Venter %1%2
-
+ TAS State: InvalidTAS-tilstand: Ugyldig
-
+ &Stop Running&Stopp kjøring
-
+ &Start&Start
-
+ Stop R&ecordingStopp innspilling (&E)
-
+ R&ecordSpill inn (%E)
-
+ Building: %n shader(s)Bygger: %n shaderBygger: %n shader-e
-
+ Scale: %1x%1 is the resolution scaling factorSkala: %1x
-
+ Speed: %1% / %2%Hastighet: %1% / %2%
-
+ Speed: %1%Hastighet: %1%
-
+ Game: %1 FPS (Unlocked)Spill: %1 FPS (ubegrenset)
-
+ Game: %1 FPSSpill: %1 FPS
-
+ Frame: %1 msRamme: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAINGEN AA
-
+ VOLUME: MUTEVOLUM: DEMPET
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUM: %1%
-
+ Confirm Key RederivationBekreft Nøkkel-Redirevasjon
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4731,37 +4762,37 @@ og eventuelt lag backups.
Dette vil slette dine autogenererte nøkkel-filer og kjøre nøkkel-derivasjonsmodulen på nytt.
-
+ Missing fusesMangler fuses
-
+ - Missing BOOT0- Mangler BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Mangler BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- Mangler PRODINFO
-
+ Derivation Components MissingDerivasjonskomponenter Mangler
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Krypteringsnøkler mangler. <br>Vennligst følg <a href='https://yuzu-emu.org/help/quickstart/'>yuzus oppstartsguide</a> for å få alle nøklene, fastvaren og spillene dine.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4770,49 +4801,49 @@ Dette kan ta opp til et minutt avhengig
av systemytelsen din.
-
+ Deriving KeysDeriverer Nøkler
-
+ System Archive Decryption FailedDekryptering av systemarkiv mislyktes
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Krypteringsnøkler klarte ikke å dekryptere firmware. <br>Vennligst følg <a href='https://yuzu-emu.org/help/quickstart/'>quickstartguiden for yuzu </a> for å få alle nøkler, firmware og spill.
-
+ Select RomFS Dump TargetVelg RomFS Dump-Mål
-
+ Please select which RomFS you would like to dump.Vennligst velg hvilken RomFS du vil dumpe.
-
+ Are you sure you want to close yuzu?Er du sikker på at du vil lukke yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Er du sikker på at du vil stoppe emulasjonen? All ulagret fremgang vil bli tapt.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4964,241 +4995,251 @@ Vil du overstyre dette og lukke likevel?
GameList
-
+ FavoriteLegg til som favoritt
-
+ Start GameStart Spill
-
+ Start Game without Custom ConfigurationStar Spill Uten Tilpasset Konfigurasjon
-
+ Open Save Data LocationÅpne Lagret Data plassering
-
+ Open Mod Data LocationÅpne Mod Data plassering
-
+ Open Transferable Pipeline CacheÅpne Overførbar Rørledningsbuffer
-
+ RemoveFjern
-
+ Remove Installed UpdateFjern Installert Oppdatering
-
+ Remove All Installed DLCFjern All Installert DLC
-
+ Remove Custom ConfigurationFjern Tilpasset Konfigurasjon
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageFjern Hurtiglagring
-
+ Remove OpenGL Pipeline CacheFjer OpenGL Rørledningsbuffer
-
+ Remove Vulkan Pipeline CacheFjern Vulkan Rørledningsbuffer
-
+ Remove All Pipeline CachesFjern Alle Rørledningsbuffere
-
+ Remove All Installed ContentsFjern All Installert Innhold
-
-
+
+ Dump RomFSDump RomFS
-
+ Dump RomFS to SDMCDump RomFS til SDMC
-
+ Verify IntegrityVerifiser integritet
-
+ Copy Title ID to ClipboardKopier Tittel-ID til Utklippstavle
-
+ Navigate to GameDB entryNaviger til GameDB-oppføring
-
+ Create Shortcutlag Snarvei
-
+ Add to DesktopLegg Til På Skrivebordet
-
+ Add to Applications MenuLegg Til Applikasjonsmenyen
-
+ PropertiesEgenskaper
-
+ Scan SubfoldersSkann Undermapper
-
+ Remove Game DirectoryFjern Spillmappe
-
+ ▲ Move Up▲ Flytt Opp
-
+ ▼ Move Down▼ Flytt Ned
-
+ Open Directory LocationÅpne Spillmappe
-
+ ClearFjern
-
+ NameNavn
-
+ CompatibilityKompatibilitet
-
+ Add-onsTilleggsprogrammer
-
+ File typeFil Type
-
+ SizeStørrelse
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingamei 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.
-
+ PerfectPerfekt
-
+ Game can be played without issues.Spillet kan spilles uten problemer.
-
+ PlayableSpillbart
-
+ 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/MenuIntro/Meny
-
+ Game loads, but is unable to progress past the Start Screen.Spillet lastes inn, men kan ikke gå videre forbi startskjermen.
-
+ Won't BootVil ikke starte
-
+ The game crashes when attempting to startup.Spillet krasjer under oppstart.
-
+ Not TestedIkke testet
-
+ The game has not yet been tested.Spillet har ikke blitt testet ennå.
@@ -5206,7 +5247,7 @@ Vil du overstyre dette og lukke likevel?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDobbeltrykk for å legge til en ny mappe i spillisten
@@ -5219,12 +5260,12 @@ Vil du overstyre dette og lukke likevel?
%1 of %n resultat%1 of %n resultater
-
+ Filter:Filter:
-
+ Enter pattern to filterAngi mønster for å filtrere
@@ -5342,6 +5383,7 @@ Feilmelding:
+ Main WindowHovedvindu
@@ -5447,6 +5489,11 @@ Feilmelding:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarVeksle Statuslinje
@@ -5685,186 +5732,216 @@ Feilmelding:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &Help&Hjelp
-
+ &Install Files to NAND...&Installer filer til NAND...
-
+ L&oad File...Last inn fil... (&O)
-
+ Load &Folder...Last inn mappe (&F)
-
+ E&xit&Avslutt
-
+ &Pause&Paus
-
+ &Stop&Stop
-
+ &Reinitialize keys...&Reinitialiser nøkler...
-
+ &Verify Installed Contents
-
+ &About yuzuOm yuzu (&A)
-
+ Single &Window ModeÉnvindusmodus (&W)
-
+ Con&figure...Kon&figurer...
-
+ Display D&ock Widget HeadersVis Overskrifter for Dock Widget (&O)
-
+ Show &Filter BarVis &filterlinje
-
+ Show &Status BarVis &statuslinje
-
+ Show Status BarVis statuslinje
-
+ &Browse Public Game LobbyBla gjennom den offentlige spillobbyen (&B)
-
+ &Create RoomOpprett Rom (&C)
-
+ &Leave RoomForlat Rommet (&L)
-
+ &Direct Connect to RoomDirekte Tilkobling Til Rommet (&D)
-
+ &Show Current RoomVis nåværende rom (&S)
-
+ F&ullscreenF&ullskjerm
-
+ &RestartOmstart (&R)
-
+ Load/Remove &Amiibo...Last/Fjern Amiibo (&A)
-
+ &Report CompatibilityRapporter kompatibilitet (&R)
-
+ Open &Mods PageÅpne Modifikasjonssiden (&M)
-
+ Open &Quickstart GuideÅpne Hurtigstartsguiden (&Q)
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderÅpne &yuzu Mappen
-
+ &Capture ScreenshotTa Skjermbilde (&C)
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...Konfigurer TAS (&C)
-
+ Configure C&urrent Game...Konfigurer Gjeldende Spill (&U)
-
+ &Start&Start
-
+ &ResetTilbakestill (&R)
-
+ R&ecordSpill inn (%E)
@@ -6172,27 +6249,27 @@ p, li { white-space: pre-wrap; }
Spiller ikke et spill
-
+ Installed SD TitlesInstallerte SD-titler
-
+ Installed NAND TitlesInstallerte NAND-titler
-
+ System TitlesSystem Titler
-
+ Add New Game DirectoryLegg til ny spillmappe
-
+ FavoritesFavoritter
@@ -6718,7 +6795,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro-Kontroller
@@ -6731,7 +6808,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsDoble Joycons
@@ -6744,7 +6821,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconVenstre Joycon
@@ -6757,7 +6834,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconHøyre Joycon
@@ -6786,7 +6863,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHåndholdt
@@ -6902,32 +6979,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube-kontroller
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerNES-kontroller
-
+ SNES ControllerSNES-kontroller
-
+ N64 ControllerN64-kontroller
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/nl.ts b/dist/languages/nl.ts
index ec7577c9d..c1d9985d9 100644
--- a/dist/languages/nl.ts
+++ b/dist/languages/nl.ts
@@ -373,13 +373,13 @@ Dit zou zowel hun forum gebruikersnaam als hun IP-adres verbannen.
%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zoneStandaard (%1)
@@ -881,49 +881,29 @@ Dit zou zowel hun forum gebruikersnaam als hun IP-adres verbannen.
- Create Minidump After Crash
- Maak Minidump na Crash
-
-
- 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**
-
+ Enable Verbose Reporting Services**Schakel Verbose Reporting Services** in
-
+ **This will be reset automatically when yuzu closes.**Deze optie wordt automatisch gereset wanneer yuzu is gesloten.
-
- Restart Required
- Herstart Vereist
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu moet opnieuw opstarten om deze instelling toe te passen.
-
-
-
+ Web applet not compiledWebapplet niet gecompileerd
-
-
- MiniDump creation not compiled
- MiniDump-creatie niet gecompileerd
- ConfigureDebugController
@@ -1342,7 +1322,7 @@ Dit zou zowel hun forum gebruikersnaam als hun IP-adres verbannen.
-
+ Conflicting Key SequenceOngeldige Toetsvolgorde
@@ -1363,27 +1343,37 @@ Dit zou zowel hun forum gebruikersnaam als hun IP-adres verbannen.
Ongeldig
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultStandaard Herstellen
-
+ ClearWis
-
+ Conflicting Button SequenceConflicterende Knoppencombinatie
-
+ The default button sequence is already assigned to: %1De standaard knoppencombinatie is al toegewezen aan: %1
-
+ The default key sequence is already assigned to: %1De ingevoerde toetsencombinatie is al in gebruik door: %1
@@ -3361,67 +3351,72 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa
Toon Kolom Bestandstypen
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:Grootte Spelicoon:
-
+ Folder Icon Size:Grootte Mapicoon:
-
+ Row 1 Text:Rij 1 Tekst:
-
+ Row 2 Text:Rij 2 Tekst:
-
+ ScreenshotsSchermafbeelding
-
+ Ask Where To Save Screenshots (Windows Only)Vraag waar schermafbeeldingen moeten worden opgeslagen (alleen Windows)
-
+ Screenshots Path: Schermafbeeldingspad:
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Resolutie:
-
+ Select Screenshots Path...Selecteer Schermafbeeldingspad...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3739,612 +3734,616 @@ Versleep punten om de positie te veranderen, of dubbelklik op tabelcellen om waa
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Annonieme gegevens worden verzameld</a> om yuzu te helpen verbeteren. <br/><br/> Zou je jouw gebruiksgegevens met ons willen delen?
-
+ TelemetryTelemetrie
-
+ Broken Vulkan Installation DetectedBeschadigde Vulkan-installatie gedetecteerd
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Vulkan-initialisatie mislukt tijdens het opstarten.<br><br>Klik <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>hier voor instructies om het probleem op te lossen</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingEen spel uitvoeren
-
+ Loading Web Applet...Web Applet Laden...
-
-
+
+ Disable Web AppletSchakel Webapplet uit
-
+ 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.)Het uitschakelen van de webapplet kan leiden tot ongedefinieerd gedrag en mag alleen gebruikt worden met Super Mario 3D All-Stars. Weet je zeker dat je de webapplet wilt uitschakelen?
(Deze kan opnieuw worden ingeschakeld in de Debug-instellingen).
-
+ The amount of shaders currently being builtHet aantal shaders dat momenteel wordt gebouwd
-
+ The current selected resolution scaling multiplier.De huidige geselecteerde resolutieschaalmultiplier.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Huidige emulatiesnelheid. Waarden hoger of lager dan 100% geven aan dat de emulatie sneller of langzamer werkt dan een Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Hoeveel beelden per seconde het spel momenteel weergeeft. Dit varieert van spel tot spel en van scène tot scène.
-
+ 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.Tijd die nodig is om een Switch-beeld te emuleren, beeldbeperking of v-sync niet meegerekend. Voor emulatie op volle snelheid mag dit maximaal 16,67 ms zijn.
-
+ UnmuteDempen opheffen
-
+ MuteDempen
-
+ Reset VolumeHerstel Volume
-
+ &Clear Recent Files&Wis Recente Bestanden
-
+ Emulated mouse is enabledGeëmuleerde muis is ingeschakeld
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Echte muisinvoer en muispanning zijn niet compatibel. Schakel de geëmuleerde muis uit in de geavanceerde invoerinstellingen om muispanning mogelijk te maken.
-
+ &Continue&Doorgaan
-
+ &Pause&Onderbreken
-
+ Warning Outdated Game FormatWaarschuwing Verouderd Spelformaat
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Je gebruikt het gedeconstrueerde ROM-mapformaat voor dit spel, wat een verouderd formaat is dat vervangen is door andere zoals NCA, NAX, XCI, of NSP. Deconstructed ROM-mappen missen iconen, metadata, en update-ondersteuning.<br><br>Voor een uitleg van de verschillende Switch-formaten die yuzu ondersteunt,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'> bekijk onze wiki</a>. Dit bericht wordt niet meer getoond.
-
+ Error while loading ROM!Fout tijdens het laden van een ROM!
-
+ The ROM format is not supported.Het ROM-formaat wordt niet ondersteund.
-
+ An error occurred initializing the video core.Er is een fout opgetreden tijdens het initialiseren van de videokern.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu is een fout tegengekomen tijdens het uitvoeren van de videokern. Dit wordt meestal veroorzaakt door verouderde GPU-drivers, inclusief geïntegreerde. Zie het logboek voor meer details. Voor meer informatie over toegang tot het log, zie de volgende pagina: <a href='https://yuzu-emu.org/help/reference/log-files/'>Hoe upload je het logbestand</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Fout tijdens het laden van ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Volg de <a href='https://yuzu-emu.org/help/quickstart/'>yuzu snelstartgids</a> om je bestanden te redumpen.<br>Je kunt de yuzu-wiki</a>of de yuzu-Discord</a> raadplegen voor hulp.
-
+ An unknown error occurred. Please see the log for more details.Een onbekende fout heeft plaatsgevonden. Kijk in de log voor meer 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...Software sluiten...
-
+ Save DataSave Data
-
+ Mod DataMod Data
-
+ Error Opening %1 FolderFout tijdens het openen van %1 map
-
-
+
+ Folder does not exist!Map bestaat niet!
-
+ Error Opening Transferable Shader CacheFout bij het openen van overdraagbare shader-cache
-
+ Failed to create the shader cache directory for this title.Kon de shader-cache-map voor dit spel niet aanmaken.
-
+ Error Removing ContentsFout bij het verwijderen van de inhoud
-
+ Error Removing UpdateFout bij het verwijderen van de update
-
+ Error Removing DLCFout bij het verwijderen van DLC
-
+ Remove Installed Game Contents?Geïnstalleerde Spelinhoud Verwijderen?
-
+ Remove Installed Game Update?Geïnstalleerde Spel-update Verwijderen?
-
+ Remove Installed Game DLC?Geïnstalleerde Spel-DLC Verwijderen?
-
+ Remove EntryVerwijder Invoer
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedMet Succes Verwijderd
-
+ Successfully removed the installed base game.Het geïnstalleerde basisspel is succesvol verwijderd.
-
+ The base game is not installed in the NAND and cannot be removed.Het basisspel is niet geïnstalleerd in de NAND en kan niet worden verwijderd.
-
+ Successfully removed the installed update.De geïnstalleerde update is succesvol verwijderd.
-
+ There is no update installed for this title.Er is geen update geïnstalleerd voor dit spel.
-
+ There are no DLC installed for this title.Er is geen DLC geïnstalleerd voor dit spel.
-
+ Successfully removed %1 installed DLC.%1 geïnstalleerde DLC met succes verwijderd.
-
+ Delete OpenGL Transferable Shader Cache?Overdraagbare OpenGL-shader-cache Verwijderen?
-
+ Delete Vulkan Transferable Shader Cache?Overdraagbare Vulkan-shader-cache Verwijderen?
-
+ Delete All Transferable Shader Caches?Alle Overdraagbare Shader-caches Verwijderen?
-
+ Remove Custom Game Configuration?Aangepaste Spelconfiguratie Verwijderen?
-
+ Remove Cache Storage?Verwijder Cache-opslag?
-
+ Remove FileVerwijder Bestand
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheFout bij het verwijderen van Overdraagbare Shader-cache
-
-
+
+ A shader cache for this title does not exist.Er bestaat geen shader-cache voor dit spel.
-
+ Successfully removed the transferable shader cache.De overdraagbare shader-cache is verwijderd.
-
+ Failed to remove the transferable shader cache.Kon de overdraagbare shader-cache niet verwijderen.
-
+ Error Removing Vulkan Driver Pipeline CacheFout bij het verwijderen van Pijplijn-cache van Vulkan-driver
-
+ Failed to remove the driver pipeline cache.Kon de pijplijn-cache van de driver niet verwijderen.
-
-
+
+ Error Removing Transferable Shader CachesFout bij het verwijderen van overdraagbare shader-caches
-
+ Successfully removed the transferable shader caches.De overdraagbare shader-caches zijn verwijderd.
-
+ Failed to remove the transferable shader cache directory.Kon de overdraagbare shader-cache-map niet verwijderen.
-
-
+
+ Error Removing Custom ConfigurationFout bij het verwijderen van aangepaste configuratie
-
+ A custom configuration for this title does not exist.Er bestaat geen aangepaste configuratie voor dit spel.
-
+ Successfully removed the custom game configuration.De aangepaste spelconfiguratie is verwijderd.
-
+ Failed to remove the custom game configuration.Kon de aangepaste spelconfiguratie niet verwijderen.
-
-
+
+ RomFS Extraction Failed!RomFS-extractie Mislukt!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Er is een fout opgetreden bij het kopiëren van de RomFS-bestanden of de gebruiker heeft de bewerking geannuleerd.
-
+ FullVolledig
-
+ SkeletonSkelet
-
+ Select RomFS Dump ModeSelecteer RomFS-dumpmodus
-
+ 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.Selecteer hoe je de RomFS gedumpt wilt hebben.<br>Volledig zal alle bestanden naar de nieuwe map kopiëren, terwijl <br>Skelet alleen de mapstructuur zal aanmaken.
-
+ 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 RootEr is niet genoeg vrije ruimte op %1 om de RomFS uit te pakken. Maak ruimte vrij of kies een andere dumpmap bij Emulatie > Configuratie > Systeem > Bestandssysteem > Dump Root.
-
+ Extracting RomFS...RomFS uitpakken...
-
-
-
-
+
+
+
+ CancelAnnuleren
-
+ RomFS Extraction Succeeded!RomFS-extractie Geslaagd!
-
-
-
+
+
+ The operation completed successfully.De bewerking is succesvol voltooid.
-
+ Integrity verification couldn't be performed!Integriteitsverificatie kon niet worden uitgevoerd!
-
+ File contents were not checked for validity.De inhoud van bestanden werd niet gecontroleerd op geldigheid.
-
-
+
+ Integrity verification failed!Integriteitsverificatie mislukt!
-
+ File contents may be corrupt.Bestandsinhoud kan corrupt zijn.
-
-
+
+ Verifying integrity...Integriteit verifiëren...
-
-
+
+ Integrity verification succeeded!Integriteitsverificatie geslaagd!
-
-
-
-
-
+
+
+
+ Create ShortcutMaak Snelkoppeling
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Dit maakt een snelkoppeling naar de huidige AppImage. Dit werkt mogelijk niet goed als je een update uitvoert. Doorgaan?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Kan geen snelkoppeling op het bureaublad maken. Pad "%1" bestaat niet.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Kan geen snelkoppeling maken in toepassingen menu. Pad "%1" bestaat niet en kan niet worden aangemaakt.
-
-
-
+ Create IconMaak Icoon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Kan geen icoonbestand maken. Pad "%1" bestaat niet en kan niet worden aangemaakt.
-
+ Start %1 with the yuzu EmulatorVoer %1 uiit met de yuzu-emulator
-
+ Failed to create a shortcut at %1Er is geen snelkoppeling gemaakt op %1
-
+ Successfully created a shortcut to %1Succesvol een snelkoppeling naar %1 gemaakt
-
+ Error Opening %1Fout bij openen %1
-
+ Select DirectorySelecteer Map
-
+ PropertiesEigenschappen
-
+ The game properties could not be loaded.De speleigenschappen kunnen niet geladen worden.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch Executable (%1);;Alle Bestanden (*.*)
-
+ Load FileLaad Bestand
-
+ Open Extracted ROM DirectoryOpen Uitgepakte ROM-map
-
+ Invalid Directory SelectedOngeldige Map Geselecteerd
-
+ The directory you have selected does not contain a 'main' file.De map die je hebt geselecteerd bevat geen 'main'-bestand.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Installeerbaar Switch-bestand (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstalleer Bestanden
-
+ %n file(s) remaining%n bestand(en) resterend%n bestand(en) resterend
-
+ Installing file "%1"...Bestand "%1" Installeren...
-
-
+
+ Install ResultsInstalleerresultaten
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Om mogelijke conflicten te voorkomen, raden we gebruikers af om basisgames te installeren op de NAND.
Gebruik deze functie alleen om updates en DLC te installeren.
-
+ %n file(s) were newly installed
%n bestand(en) zijn recent geïnstalleerd
@@ -4352,7 +4351,7 @@ Gebruik deze functie alleen om updates en DLC te installeren.
-
+ %n file(s) were overwritten
%n bestand(en) werden overschreven
@@ -4360,7 +4359,7 @@ Gebruik deze functie alleen om updates en DLC te installeren.
-
+ %n file(s) failed to install
%n bestand(en) niet geïnstalleerd
@@ -4368,194 +4367,194 @@ Gebruik deze functie alleen om updates en DLC te installeren.
-
+ System ApplicationSysteemapplicatie
-
+ System ArchiveSysteemarchief
-
+ System Application UpdateSysteemapplicatie-update
-
+ Firmware Package (Type A)Filmware-pakket (Type A)
-
+ Firmware Package (Type B)Filmware-pakket (Type B)
-
+ GameSpel
-
+ Game UpdateSpelupdate
-
+ Game DLCSpel-DLC
-
+ Delta TitleDelta Titel
-
+ Select NCA Install Type...Selecteer NCA-installatiesoort...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Selecteer het type titel waarin je deze NCA wilt installeren:
(In de meeste gevallen is de standaard "Spel" prima).
-
+ Failed to InstallInstallatie Mislukt
-
+ The title type you selected for the NCA is invalid.Het soort title dat je hebt geselecteerd voor de NCA is ongeldig.
-
+ File not foundBestand niet gevonden
-
+ File "%1" not foundBestand "%1" niet gevonden
-
+ OKOK
-
-
+
+ Hardware requirements not metEr is niet voldaan aan de hardwarevereisten
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Je systeem voldoet niet aan de aanbevolen hardwarevereisten. Compatibiliteitsrapportage is uitgeschakeld.
-
+ Missing yuzu Accountyuzu-account Ontbreekt
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Om een spelcompatibiliteitstest in te dienen, moet je je yuzu-account koppelen.<br><br/>Om je yuzu-account te koppelen, ga naar Emulatie > Configuratie > Web.
-
+ Error opening URLFout bij het openen van URL
-
+ Unable to open the URL "%1".Kan de URL "%1" niet openen.
-
+ TAS RecordingTAS-opname
-
+ Overwrite file of player 1?Het bestand van speler 1 overschrijven?
-
+ Invalid config detectedOngeldige configuratie gedetecteerd
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Handheld-controller kan niet gebruikt worden in docked-modus. Pro controller wordt geselecteerd.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedDe huidige amiibo is verwijderd
-
+ ErrorFout
-
-
+
+ The current game is not looking for amiibosHet huidige spel is niet op zoek naar amiibo's
-
+ Amiibo File (%1);; All Files (*.*)Amiibo-bestand (%1);; Alle Bestanden (*.*)
-
+ Load AmiiboLaad Amiibo
-
+ Error loading Amiibo dataFout tijdens het laden van de Amiibo-gegevens
-
+ The selected file is not a valid amiiboHet geselecteerde bestand is geen geldige amiibo
-
+ The selected file is already on useHet geselecteerde bestand is al in gebruik
-
+ An unknown error occurredEr is een onbekende fout opgetreden
-
+ Verification failed for the following files:
%1
@@ -4564,145 +4563,177 @@ Gebruik deze functie alleen om updates en DLC te installeren.
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotLeg Schermafbeelding Vast
-
+ PNG Image (*.png)PNG-afbeelding (*.png)
-
+ TAS state: Running %1/%2TAS-status: %1/%2 In werking
-
+ TAS state: Recording %1TAS-status: %1 Aan het opnemen
-
+ TAS state: Idle %1/%2TAS-status: %1/%2 Inactief
-
+ TAS State: InvalidTAS-status: Ongeldig
-
+ &Stop Running&Stop Uitvoering
-
+ &Start&Start
-
+ Stop R&ecordingStop Opname
-
+ R&ecordOpnemen
-
+ Building: %n shader(s)Bouwen: %n shader(s)Bouwen: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorSchaal: %1x
-
+ Speed: %1% / %2%Snelheid: %1% / %2%
-
+ Speed: %1%Snelheid: %1%
-
+ Game: %1 FPS (Unlocked)Spel: %1 FPS (Ontgrendeld)
-
+ Game: %1 FPSGame: %1 FPS
-
+ Frame: %1 msFrame: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAGEEN AA
-
+ VOLUME: MUTEVOLUME: GEDEMPT
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUME: %1%
-
+ Confirm Key RederivationBevestig Sleutelherhaling
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4719,37 +4750,37 @@ en maak eventueel back-ups.
Dit zal je automatisch gegenereerde sleutelbestanden verwijderen en de sleutelafleidingsmodule opnieuw uitvoeren.
-
+ Missing fusesMissing fuses
-
+ - Missing BOOT0 - BOOT0 Ontbreekt
-
+ - Missing BCPKG2-1-Normal-Main - BCPKG2-1-Normal-Main Ontbreekt
-
+ - Missing PRODINFO - PRODINFO Ontbreekt
-
+ Derivation Components MissingAfleidingscomponenten ontbreken
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Encryptiesleutels ontbreken. <br>Volg <a href='https://yuzu-emu.org/help/quickstart/'>de yuzu-snelstartgids</a> om al je sleutels, firmware en spellen te krijgen.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4758,49 +4789,49 @@ Dit kan tot een minuut duren,
afhankelijk van de prestaties van je systeem.
-
+ Deriving KeysSleutels Afleiden
-
+ System Archive Decryption FailedDecryptie van Systeemarchief Mislukt
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Encryptiesleutels zijn mislukt om firmware te decoderen. <br>Volg <a href='https://yuzu-emu.org/help/quickstart/'>de yuzu-snelstartgids</a> om al je sleutels, firmware en games te krijgen.
-
+ Select RomFS Dump TargetSelecteer RomFS-dumpdoel
-
+ Please select which RomFS you would like to dump.Selecteer welke RomFS je zou willen dumpen.
-
+ Are you sure you want to close yuzu?Weet je zeker dat je yuzu wilt sluiten?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Weet je zeker dat je de emulatie wilt stoppen? Alle niet opgeslagen voortgang zal verloren gaan.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4952,241 +4983,251 @@ Wil je toch afsluiten?
GameList
-
+ FavoriteFavoriet
-
+ Start GameStart Spel
-
+ Start Game without Custom ConfigurationStart Spel zonder Aangepaste Configuratie
-
+ Open Save Data LocationOpen Locatie van Save-data
-
+ Open Mod Data LocationOpen Locatie van Mod-data
-
+ Open Transferable Pipeline CacheOpen Overdraagbare Pijplijn-cache
-
+ RemoveVerwijder
-
+ Remove Installed UpdateVerwijder Geïnstalleerde Update
-
+ Remove All Installed DLCVerwijder Alle Geïnstalleerde DLC's
-
+ Remove Custom ConfigurationVerwijder Aangepaste Configuraties
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageVerwijder Cache-opslag
-
+ Remove OpenGL Pipeline CacheVerwijder OpenGL-pijplijn-cache
-
+ Remove Vulkan Pipeline CacheVerwijder Vulkan-pijplijn-cache
-
+ Remove All Pipeline CachesVerwijder Alle Pijplijn-caches
-
+ Remove All Installed ContentsVerwijder Alle Geïnstalleerde Inhoud
-
-
+
+ Dump RomFSDump RomFS
-
+ Dump RomFS to SDMCDump RomFS naar SDMC
-
+ Verify IntegrityVerifieer Integriteit
-
+ Copy Title ID to ClipboardKopiëer Titel-ID naar Klembord
-
+ Navigate to GameDB entryNavigeer naar GameDB-invoer
-
+ Create ShortcutMaak Snelkoppeling
-
+ Add to DesktopToevoegen aan Bureaublad
-
+ Add to Applications MenuToevoegen aan menu Toepassingen
-
+ PropertiesEigenschappen
-
+ Scan SubfoldersScan Submappen
-
+ Remove Game DirectoryVerwijder Spelmap
-
+ ▲ Move Up▲ Omhoog
-
+ ▼ Move Down▼ Omlaag
-
+ Open Directory LocationOpen Maplocatie
-
+ ClearVerwijder
-
+ NameNaam
-
+ CompatibilityCompatibiliteit
-
+ Add-onsAdd-ons
-
+ File typeBestandssoort
-
+ SizeGrootte
+
+
+ Play time
+
+ GameListItemCompat
-
+ IngameIn 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.
-
+ PerfectPerfect
-
+ Game can be played without issues.Het spel kan zonder problemen gespeeld worden.
-
+ PlayableSpeelbaar
-
+ 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/MenuIntro/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 BootStart niet op
-
+ The game crashes when attempting to startup.Het spel loopt vast bij het opstarten.
-
+ Not TestedNiet Getest
-
+ The game has not yet been tested.Het spel is nog niet getest.
@@ -5194,7 +5235,7 @@ Wil je toch afsluiten?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDubbel-klik om een nieuwe map toe te voegen aan de spellijst
@@ -5207,12 +5248,12 @@ Wil je toch afsluiten?
%1 van %n resultaat(en)%1 van %n resultaat(en)
-
+ Filter:Filter:
-
+ Enter pattern to filterVoer patroon in om te filteren
@@ -5330,6 +5371,7 @@ Debug-bericht:
+ Main WindowHoofdvenster
@@ -5435,6 +5477,11 @@ Debug-bericht:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarSchakel Statusbalk
@@ -5673,186 +5720,216 @@ Debug-bericht:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &Help&Help
-
+ &Install Files to NAND...&Installeer Bestanden naar NAND...
-
+ L&oad File...L&aad Bestand...
-
+ Load &Folder...Laad &Map...
-
+ E&xitA&fsluiten
-
+ &Pause&Onderbreken
-
+ &Stop&Stop
-
+ &Reinitialize keys...&Herinitialiseer toetsen...
-
+ &Verify Installed Contents
-
+ &About yuzu&Over yuzu
-
+ Single &Window ModeModus Enkel Venster
-
+ Con&figure...Con&figureer...
-
+ Display D&ock Widget HeadersToon Dock Widget Kopteksten
-
+ Show &Filter BarToon &Filterbalk
-
+ Show &Status BarToon &Statusbalk
-
+ Show Status BarToon 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&ullscreenVolledig Scherm
-
+ &Restart&Herstart
-
+ Load/Remove &Amiibo...Laad/Verwijder &Amiibo...
-
+ &Report Compatibility&Rapporteer Compatibiliteit
-
+ Open &Mods PageOpen &Mod-pagina
-
+ Open &Quickstart GuideOpen &Snelstartgids
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderOpen &yuzu-map
-
+ &Capture Screenshot&Leg Schermafbeelding Vast
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...&Configureer TAS...
-
+ Configure C&urrent Game...Configureer Huidig Spel...
-
+ &Start&Start
-
+ &Reset&Herstel
-
+ R&ecordOpnemen
@@ -6160,27 +6237,27 @@ p, li { white-space: pre-wrap; }
Geen spel aan het spelen
-
+ Installed SD TitlesGeïnstalleerde SD-titels
-
+ Installed NAND TitlesGeïnstalleerde NAND-titels
-
+ System TitlesSysteemtitels
-
+ Add New Game DirectoryVoeg Nieuwe Spelmap Toe
-
+ FavoritesFavorieten
@@ -6706,7 +6783,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6719,7 +6796,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsTwee Joycons
@@ -6732,7 +6809,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconLinker Joycon
@@ -6745,7 +6822,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconRechter Joycon
@@ -6774,7 +6851,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6890,32 +6967,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube-controller
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerNES-controller
-
+ SNES ControllerSNES-controller
-
+ N64 ControllerN64-controller
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/pl.ts b/dist/languages/pl.ts
index 4fa59f40b..f15091bf4 100644
--- a/dist/languages/pl.ts
+++ b/dist/languages/pl.ts
@@ -373,13 +373,13 @@ To zbanuje jego/jej nick na forum, oraz jego/jej adres IP.
%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -891,49 +891,29 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d
- Create Minidump After Crash
- Utwórz mini zrzut po awarii
-
-
- 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**
-
+ Enable Verbose Reporting Services**Włącz Pełne Usługi Raportowania**
-
+ **This will be reset automatically when yuzu closes.**To zresetuje się automatycznie po wyłączeniu yuzu.
-
- Restart Required
- Ponowne uruchomienie jest wymagane
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu wymaga ponownego uruchomienia w przypadku zastosowania tego ustawienia.
-
-
-
+ Web applet not compiledAplet sieciowy nie został skompilowany
-
-
- MiniDump creation not compiled
- Tworzenie mini zrzutów nie zostało skompilowane
- ConfigureDebugController
@@ -1352,7 +1332,7 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d
-
+ Conflicting Key SequenceSprzeczna sekwencja klawiszy
@@ -1373,27 +1353,37 @@ Gdy ta opcja jest włączona, niedopasowanie jest uruchamiane tylko wtedy, gdy d
Nieprawidłowe
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultPrzywróć ustawienia domyślne
-
+ ClearWyczyść
-
+ Conflicting Button SequenceSprzeczna Sekwencja Przycisków
-
+ The default button sequence is already assigned to: %1Domyślna sekwencja przycisków już jest przypisana do: %1
-
+ The default key sequence is already assigned to: %1Domyślna sekwencja klawiszy jest już przypisana do: %1
@@ -3370,67 +3360,72 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe
Pokaż kolumnę typów plików
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:Rozmiar Ikony Gry
-
+ Folder Icon Size:Rozmiar Ikony Folderu
-
+ Row 1 Text:Tekst 1. linii
-
+ Row 2 Text:Tekst 2. linii
-
+ ScreenshotsZrzuty ekranu
-
+ Ask Where To Save Screenshots (Windows Only)Pytaj gdzie zapisać zrzuty ekranu (Tylko dla Windows)
-
+ Screenshots Path: Ścieżka zrzutów ekranu:
-
+ ......
-
+ TextLabel
-
+ Resolution:Rozdzielczość:
-
+ Select Screenshots Path...Wybierz ścieżkę zrzutów ekranu...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3748,613 +3743,617 @@ Przeciągnij punkty, aby zmienić pozycję, lub kliknij dwukrotnie komórki tabe
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Dane anonimowe są gromadzone</a> aby ulepszyć yuzu. <br/><br/>Czy chcesz udostępnić nam swoje dane o użytkowaniu?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation DetectedWykryto uszkodzoną instalację Vulkana
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Inicjalizacja Vulkana nie powiodła się podczas uruchamiania.<br><br>Kliknij<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>tutaj aby uzyskać instrukcje dotyczące rozwiązania tego problemu</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Ładowanie apletu internetowego...
-
-
+
+ Disable Web AppletWyłącz Aplet internetowy
-
+ 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łączanie web appletu może doprowadzić do nieokreślonych zachowań - wyłączyć applet należy jedynie grając w Super Mario 3D All-Stars. Na pewno chcesz wyłączyć web applet?
(Można go ponownie włączyć w ustawieniach debug.)
-
+ The amount of shaders currently being builtIlość budowanych shaderów
-
+ The current selected resolution scaling multiplier.Obecnie wybrany mnożnik rozdzielczości.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Aktualna prędkość emulacji. Wartości większe lub niższe niż 100% wskazują, że emulacja działa szybciej lub wolniej niż Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Ile klatek na sekundę gra aktualnie wyświetla. To będzie się różnić w zależności od gry, od sceny do 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 do emulacji klatki na sekundę Switcha, nie licząc ograniczania klatek ani v-sync. Dla emulacji pełnej szybkości powinno to wynosić co najwyżej 16,67 ms.
-
+ Unmute
-
+ Mute
-
+ Reset Volume
-
+ &Clear Recent Files&Usuń Ostatnie pliki
-
+ Emulated mouse is enabledEmulacja myszki jest aktywna
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Kontynuuj
-
+ &Pause&Pauza
-
+ Warning Outdated Game FormatOSTRZEŻ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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Używasz zdekonstruowanego formatu katalogu ROM dla tej gry, który jest przestarzałym formatem, który został zastąpiony przez inne, takie jak NCA, NAX, XCI lub NSP. W zdekonstruowanych katalogach ROM brakuje ikon, metadanych i obsługi aktualizacji.<br><br> Aby znaleźć wyjaśnienie różnych formatów Switch obsługiwanych przez yuzu,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'> sprawdź nasze wiki</a>. Ta wiadomość nie pojawi się 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.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu napotkał błąd podczas uruchamiania rdzenia wideo. Jest to zwykle spowodowane przestarzałymi sterownikami GPU, w tym zintegrowanymi. Więcej szczegółów znajdziesz w pliku log. Więcej informacji na temat dostępu do log-u można znaleźć na następującej stronie: <a href='https://yuzu-emu.org/help/reference/log-files/'>Jak przesłać plik log</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Błąd podczas wczytywania ROMu! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Postępuj zgodnie z<a href='https://yuzu-emu.org/help/quickstart/'>yuzu quickstart guide</a> aby zrzucić ponownie swoje pliki.<br>Możesz odwołać się do wiki yuzu</a>lub discord yuzu </a> po pomoc.
-
+ 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 DataZapis danych
-
+ Mod DataDane modów
-
+ Error Opening %1 FolderBłąd podczas otwarcia folderu %1
-
-
+
+ Folder does not exist!Folder nie istnieje!
-
+ Error Opening Transferable Shader CacheBłąd podczas otwierania przenośnej pamięci podręcznej Shaderów.
-
+ Failed to create the shader cache directory for this title.Nie udało się stworzyć ścieżki shaderów dla tego tytułu.
-
+ Error Removing ContentsBłąd podczas usuwania zawartości
-
+ Error Removing UpdateBłąd podczas usuwania aktualizacji
-
+ Error Removing DLCBłąd podczas usuwania dodatków
-
+ Remove Installed Game Contents?Czy usunąć zainstalowaną zawartość gry?
-
+ Remove Installed Game Update?Czy usunąć zainstalowaną aktualizację gry?
-
+ Remove Installed Game DLC?Czy usunąć zainstalowane dodatki gry?
-
+ Remove EntryUsuń wpis
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedPomyślnie usunięto
-
+ Successfully removed the installed base game.Pomyślnie usunięto zainstalowaną grę.
-
+ The base game is not installed in the NAND and cannot be removed.Gra nie jest zainstalowana w NAND i nie może zostać usunięta.
-
+ Successfully removed the installed update.Pomyślnie usunięto zainstalowaną łatkę.
-
+ There is no update installed for this title.Brak zainstalowanych łatek dla tego tytułu.
-
+ There are no DLC installed for this title.Brak zainstalowanych DLC dla tego tytułu.
-
+ Successfully removed %1 installed DLC.Pomyślnie usunięto %1 zainstalowane DLC.
-
+ Delete OpenGL Transferable Shader Cache?Usunąć Transferowalne Shadery OpenGL?
-
+ Delete Vulkan Transferable Shader Cache?Usunąć Transferowalne Shadery Vulkan?
-
+ Delete All Transferable Shader Caches?Usunąć Wszystkie Transferowalne Shadery?
-
+ Remove Custom Game Configuration?Usunąć niestandardową konfigurację gry?
-
+ Remove Cache Storage?Usunąć pamięć podręczną?
-
+ Remove FileUsuń plik
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheBłą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ąć przenośnej pamięci Shaderów.
-
+ Error Removing Vulkan Driver Pipeline CacheBłąd podczas usuwania pamięci podręcznej strumienia sterownika Vulkana
-
+ Failed to remove the driver pipeline cache.Błąd podczas usuwania pamięci podręcznej strumienia sterownika.
-
-
+
+ Error Removing Transferable Shader CachesBłąd podczas usuwania Transferowalnych Shaderów
-
+ Successfully removed the transferable shader caches.Pomyślnie usunięto transferowalne shadery.
-
+ Failed to remove the transferable shader cache directory.Nie udało się usunąć ścieżki transferowalnych shaderów.
-
-
+
+ Error Removing Custom ConfigurationBłąd podczas usuwania niestandardowej konfiguracji
-
+ A custom configuration for this title does not exist.Niestandardowa konfiguracja nie istnieje dla tego tytułu.
-
+ Successfully removed the custom game configuration.Pomyślnie usunięto niestandardową konfiguracje gry.
-
+ Failed to remove the custom game configuration.Nie udało się usunąć niestandardowej konfiguracji gry.
-
-
+
+ RomFS Extraction Failed!Wypakowanie RomFS nieudane!
-
+ 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 anulował operację.
-
+ FullPełny
-
+ SkeletonSzkielet
-
+ Select RomFS Dump ModeWybierz 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.Proszę wybrać w jaki sposób chcesz, aby zrzut pliku RomFS został wykonany. <br>Pełna kopia ze wszystkimi plikami do nowego folderu, gdy <br>skielet utworzy tylko strukturę folderu.
-
+ 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 RootNie 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...
-
-
-
-
+
+
+
+ CancelAnuluj
-
+ RomFS Extraction Succeeded!Wypakowanie RomFS zakończone pomyślnie!
-
-
-
+
+
+ The operation completed successfully.Operacja zakończona sukcesem.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create ShortcutUtwórz skrót
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Utworzy to skrót do obecnego AppImage. Może nie działać dobrze po aktualizacji. Kontynuować?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Nie można utworzyć skrótu na pulpicie. Ścieżka "%1" nie istnieje.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Nie można utworzyć skrótu w menu aplikacji. Ścieżka "%1" nie istnieje oraz nie może być utworzona.
-
-
-
+ Create IconUtwó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 oraz nie może być utworzona.
-
+ Start %1 with the yuzu EmulatorWłącz %1 z emulatorem yuzu
-
+ Failed to create a shortcut at %1Nie udało się utworzyć skrótu pod %1
-
+ Successfully created a shortcut to %1Pomyślnie utworzono skrót do %1
-
+ Error Opening %1Błąd podczas otwierania %1
-
+ Select DirectoryWybierz folder...
-
+ PropertiesWł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 FileZaładuj plik...
-
+ Open Extracted ROM DirectoryOtwórz folder wypakowanego ROMu
-
+ Invalid Directory SelectedWybrano niewłaściwy folder
-
+ The directory you have selected does not contain a 'main' file.Folder wybrany przez ciebie nie zawiera 'głownego' 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 FilesZainstaluj pliki
-
+ %n file(s) remaining1 plik został%n plików zostało%n plików zostało%n plików zostało
-
+ Installing file "%1"...Instalowanie pliku "%1"...
-
-
+
+ Install ResultsWynik 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
1 nowy plik został zainstalowany
@@ -4364,351 +4363,383 @@ Proszę, używaj tej funkcji tylko do instalowania łatek i DLC.
-
+ %n file(s) were overwritten
1 plik został nadpisany%n plików zostało nadpisane%n plików zostało nadpisane%n plików zostało nadpisane
-
+ %n file(s) failed to install
1 pliku nie udało się zainstalować%n plików nie udało się zainstalować%n plików nie udało się zainstalować%n plików nie udało się zainstalować
-
+ System ApplicationAplikacja systemowa
-
+ System ArchiveArchiwum systemu
-
+ System Application UpdateAktualizacja aplikacji systemowej
-
+ Firmware Package (Type A)Paczka systemowa (Typ A)
-
+ Firmware Package (Type B)Paczka systemowa (Typ B)
-
+ GameGra
-
+ Game UpdateAktualizacja gry
-
+ Game DLCDodatek do gry
-
+ Delta TitleTytuł 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 InstallInstalacja nieudana
-
+ The title type you selected for the NCA is invalid.Typ tytułu wybrany dla NCA jest nieprawidłowy.
-
+ File not foundNie znaleziono pliku
-
+ File "%1" not foundNie znaleziono pliku "%1"
-
+ OKOK
-
-
+
+ Hardware requirements not metWymagania sprzętowe nie są spełnione
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Twój system nie spełnia rekomendowanych wymagań sprzętowych. Raportowanie kompatybilności zostało wyłączone.
-
+ Missing yuzu AccountBrakuje konta Yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Aby przesłać test zgodności gry, musisz połączyć swoje konto yuzu.<br><br/> Aby połączyć swoje konto yuzu, przejdź do opcji Emulacja > Konfiguracja > Sieć.
-
+ Error opening URLBłąd otwierania adresu URL
-
+ Unable to open the URL "%1".Nie można otworzyć adresu URL "%1".
-
+ TAS RecordingNagrywanie TAS
-
+ Overwrite file of player 1?Nadpisać plik gracza 1?
-
+ Invalid config detectedWykryto 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.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedAmiibo zostało "zdjęte"
-
+ ErrorBłąd
-
-
+
+ The current game is not looking for amiibosTa gra nie szuka amiibo
-
+ Amiibo File (%1);; All Files (*.*)Plik Amiibo (%1);;Wszyskie pliki (*.*)
-
+ Load AmiiboZaładuj Amiibo
-
+ Error loading Amiibo dataBłąd podczas ładowania pliku danych Amiibo
-
+ The selected file is not a valid amiiboWybrany plik nie jest poprawnym amiibo
-
+ The selected file is already on useWybrany plik jest już w użyciu
-
+ An unknown error occurredWystąpił nieznany błąd
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotZrób zrzut ekranu
-
+ PNG Image (*.png)Obrazek PNG (*.png)
-
+ TAS state: Running %1/%2Status TAS: Działa %1%2
-
+ TAS state: Recording %1Status TAS: Nagrywa %1
-
+ TAS state: Idle %1/%2Status TAS: Bezczynny %1%2
-
+ TAS State: InvalidStatus TAS: Niepoprawny
-
+ &Stop Running&Wyłącz
-
+ &Start&Start
-
+ Stop R&ecordingPrzestań N&agrywać
-
+ R&ecordN&agraj
-
+ Building: %n shader(s)Budowanie shaderaBudowanie: %n shaderówBudowanie: %n shaderówBudowanie: %n shaderów
-
+ Scale: %1x%1 is the resolution scaling factorSkala: %1x
-
+ Speed: %1% / %2%Prędkość: %1% / %2%
-
+ Speed: %1%Prędkość: %1%
-
+ Game: %1 FPS (Unlocked)Gra: %1 FPS (Odblokowane)
-
+ Game: %1 FPSGra: %1 FPS
-
+ Frame: %1 msKlatka: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AABEZ AA
-
+ VOLUME: MUTEGłośność: Wyciszony
-
+ VOLUME: %1%Volume percentage (e.g. 50%)Głośność: %1%
-
+ Confirm Key RederivationPotwierdź ponowną aktywacje klucza
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4725,37 +4756,37 @@ i opcjonalnie tworzyć kopie zapasowe.
Spowoduje to usunięcie wygenerowanych automatycznie plików kluczy i ponowne uruchomienie modułu pochodnego klucza.
-
+ Missing fusesBrakujące bezpieczniki
-
+ - Missing BOOT0 - Brak BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Brak BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Brak PRODINFO
-
+ Derivation Components MissingBrak komponentów wyprowadzania
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Brakuje elementów, które mogą uniemożliwić zakończenie wyprowadzania kluczy. <br>Postępuj zgodnie z <a href='https://yuzu-emu.org/help/quickstart/'>yuzu quickstart guide</a> aby zdobyć wszystkie swoje klucze i gry.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4764,49 +4795,49 @@ Zależnie od tego może potrwać do minuty
na wydajność twojego systemu.
-
+ Deriving KeysWyprowadzanie kluczy...
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetWybierz 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 yuzu?Czy na pewno chcesz zamknąć yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ 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 yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4958,241 +4989,251 @@ Czy chcesz to ominąć i mimo to wyjść?
GameList
-
+ FavoriteUlubione
-
+ Start GameUruchom grę
-
+ Start Game without Custom ConfigurationUruchom grę bez niestandardowej konfiguracji
-
+ Open Save Data LocationOtwórz lokalizację zapisów
-
+ Open Mod Data LocationOtwórz lokalizację modyfikacji
-
+ Open Transferable Pipeline CacheOtwórz Transferowalną Pamięć Podręczną Pipeline
-
+ RemoveUsuń
-
+ Remove Installed UpdateUsuń zainstalowaną łatkę
-
+ Remove All Installed DLCUsuń wszystkie zainstalowane DLC
-
+ Remove Custom ConfigurationUsuń niestandardową konfigurację
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageUsuń pamięć podręczną
-
+ Remove OpenGL Pipeline CacheUsuń Pamięć Podręczną Pipeline OpenGL
-
+ Remove Vulkan Pipeline CacheUsuń Pamięć Podręczną Pipeline Vulkan
-
+ Remove All Pipeline CachesUsuń całą pamięć podręczną Pipeline
-
+ Remove All Installed ContentsUsuń całą zainstalowaną zawartość
-
-
+
+ Dump RomFSZrzuć RomFS
-
+ Dump RomFS to SDMCZrzuć RomFS do SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardKopiuj identyfikator gry do schowka
-
+ Navigate to GameDB entryNawiguj do wpisu kompatybilności gry
-
+ Create ShortcutUtwórz skrót
-
+ Add to DesktopDodaj do pulpitu
-
+ Add to Applications MenuDodaj do menu aplikacji
-
+ PropertiesWłaściwości
-
+ Scan SubfoldersSkanuj podfoldery
-
+ Remove Game DirectoryUsuń katalog gier
-
+ ▲ Move Up▲ Przenieś w górę
-
+ ▼ Move Down▼ Przenieś w dół
-
+ Open Directory LocationOtwórz lokalizacje katalogu
-
+ ClearWyczyść
-
+ NameNazwa gry
-
+ CompatibilityKompatybilność
-
+ Add-onsDodatki
-
+ File typeTyp pliku
-
+ SizeRozmiar
+
+
+ Play time
+
+ GameListItemCompat
-
+ IngameW 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.
-
+ PerfectPerfekcyjnie
-
+ Game can be played without issues.Można grać bez problemów.
-
+ PlayableGrywalna
-
+ 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/MenuIntro/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 BootNie uruchamia się
-
+ The game crashes when attempting to startup.Ta gra się zawiesza przy próbie startu.
-
+ Not TestedNie testowane
-
+ The game has not yet been tested.Ta gra nie została jeszcze przetestowana.
@@ -5200,7 +5241,7 @@ Czy chcesz to ominąć i mimo to wyjść?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listKliknij podwójnie aby dodać folder do listy gier
@@ -5213,12 +5254,12 @@ Czy chcesz to ominąć i mimo to wyjść?
1 z %n rezultatów%1 z %n rezultatów%1 z %n rezultatów%1 z %n rezultatów
-
+ Filter:Filter:
-
+ Enter pattern to filterWpisz typ do filtra
@@ -5336,6 +5377,7 @@ Komunikat debugowania:
+ Main WindowOkno główne
@@ -5441,6 +5483,11 @@ Komunikat debugowania:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarPrzełącz pasek stanu
@@ -5679,186 +5726,216 @@ Komunikat debugowania:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &Help&Pomoc
-
+ &Install Files to NAND...&Zainstaluj pliki na NAND...
-
+ L&oad File...Z&aładuj Plik...
-
+ Load &Folder...Załaduj &Folder...
-
+ E&xit&Wyjście
-
+ &Pause&Pauza
-
+ &Stop&Stop
-
+ &Reinitialize keys...&Zainicjuj ponownie klucze...
-
+ &Verify Installed Contents
-
+ &About yuzu&O yuzu
-
+ Single &Window ModeTryb &Pojedyńczego Okna
-
+ Con&figure...Kon&figuruj...
-
+ Display D&ock Widget HeadersWyłącz Nagłówek Widżetu Docku
-
+ Show &Filter BarPokaż &Pasek Filtrów
-
+ Show &Status BarPokaż &Pasek Statusu
-
+ Show Status BarPokaż 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&ullscreenP&ełny Ekran
-
+ &Restart&Restart
-
+ Load/Remove &Amiibo...Załaduj/Usuń &Amiibo...
-
+ &Report Compatibility&Zraportuj Kompatybilność
-
+ Open &Mods PageOtwórz &Stronę z Modami
-
+ Open &Quickstart GuideOtwórz &Poradnik Szybkiego Startu
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderOtwórz &Folder yuzu
-
+ &Capture Screenshot&Zrób Zdjęcie
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...&Skonfiguruj TAS
-
+ Configure C&urrent Game...Skonfiguruj O&becną Grę...
-
+ &Start&Start
-
+ &Reset&Zresetuj
-
+ R&ecordN&agraj
@@ -6166,27 +6243,27 @@ p, li { white-space: pre-wrap; }
Nie gra w żadną grę
-
+ Installed SD TitlesZainstalowane tytuły SD
-
+ Installed NAND TitlesZainstalowane tytuły NAND
-
+ System TitlesTytuły systemu
-
+ Add New Game DirectoryDodaj nowy katalog gier
-
+ FavoritesUlubione
@@ -6712,7 +6789,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro kontroler
@@ -6725,7 +6802,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsPara Joyconów
@@ -6738,7 +6815,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconLewy Joycon
@@ -6751,7 +6828,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconPrawy Joycon
@@ -6780,7 +6857,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6896,32 +6973,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerKontroler GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerKontroler NES/Pegasus
-
+ SNES ControllerKontroler SNES
-
+ N64 ControllerKontroler N64
-
+ Sega GenesisSega Mega Drive
diff --git a/dist/languages/pt_BR.ts b/dist/languages/pt_BR.ts
index e6265e41b..0bb294c85 100644
--- a/dist/languages/pt_BR.ts
+++ b/dist/languages/pt_BR.ts
@@ -36,7 +36,7 @@ p, li { white-space: pre-wrap; }
<html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Website</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Source Code</span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contributors</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">License</span></a></p></body></html>
- <html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Site</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Código fonte</span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contribuidores</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licença</span></a></p></body></html>
+ <html><head/><body><p><a href="https://yuzu-emu.org/"><span style=" text-decoration: underline; color:#039be5;">Site</span></a> | <a href="https://github.com/yuzu-emu"><span style=" text-decoration: underline; color:#039be5;">Código-fonte</span></a> | <a href="https://github.com/yuzu-emu/yuzu/graphs/contributors"><span style=" text-decoration: underline; color:#039be5;">Contribuidores</span></a> | <a href="https://github.com/yuzu-emu/yuzu/blob/master/LICENSE.txt"><span style=" text-decoration: underline; color:#039be5;">Licença</span></a></p></body></html>
@@ -373,13 +373,13 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zonePadrão (%1)
@@ -834,7 +834,7 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
Enable Renderdoc Hotkey
-
+ Habilitar atalho para Renderdoc
@@ -893,49 +893,29 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
- Create Minidump After Crash
- Criar um despejo resumido após uma falha
-
-
- 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**
-
+ Enable Verbose Reporting Services**Ativar serviços de relatório detalhado**
-
+ **This will be reset automatically when yuzu closes.**Isto será restaurado automaticamente assim que o yuzu for fechado.
-
- Restart Required
- É necessário reiniciar
-
-
-
- yuzu is required to restart in order to apply this setting.
- Será necessário reiniciar o yuzu para aplicar as configurações.
-
-
-
+ Web applet not compiledApplet Web não compilado
-
-
- MiniDump creation not compiled
- Criação do mini despejo não compilada
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
-
+ Conflicting Key SequenceCombinação de teclas já utilizada
@@ -1375,27 +1355,37 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.Inválido
-
+
+ Invalid hotkey settings
+ Configurações de atalho inválidas
+
+
+
+ An error occurred. Please report this issue on github.
+ Houve um erro. Relate o problema no GitHub.
+
+
+ Restore DefaultRestaurar padrão
-
+ ClearLimpar
-
+ Conflicting Button SequenceSequência de botões conflitante
-
+ The default button sequence is already assigned to: %1A sequência de botões padrão já está vinculada a %1
-
+ The default key sequence is already assigned to: %1A sequência de teclas padrão já esta atribuida para: %1
@@ -3373,67 +3363,72 @@ Mova os pontos para mudar a posição, ou clique duas vezes nas células da tabe
Mostrar coluna de tipos de arquivos
-
+
+ Show Play Time Column
+ Exibir coluna Tempo jogado
+
+
+ Game Icon Size:Tamanho do ícone do jogo:
-
+ Folder Icon Size:Tamanho do ícone da pasta:
-
+ Row 1 Text:Texto da 1ª linha:
-
+ Row 2 Text:Texto da 2ª linha:
-
+ ScreenshotsCapturas de tela
-
+ Ask Where To Save Screenshots (Windows Only)Perguntar onde salvar capturas de tela (apenas Windows)
-
+ Screenshots Path: Pasta para capturas de tela:
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Resolução:
-
+ Select Screenshots Path...Selecione a pasta de capturas de tela...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3751,612 +3746,616 @@ Mova os pontos para mudar a posição, ou clique duas vezes nas células da tabe
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Dados anônimos são recolhidos</a> para ajudar a melhorar o yuzu. <br/><br/>Gostaria de compartilhar os seus dados de uso conosco?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation DetectedDetectada Instalação Defeituosa do Vulkan
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.A inicialização do Vulkan falhou durante a carga do programa. <br><br>Clique <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>aqui para instruções de como resolver o problema</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingRodando um jogo
-
+ Loading Web Applet...Carregando applet web...
-
-
+
+ Disable Web AppletDesativar o applet da 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.)A desativação do applet da web pode causar comportamento inesperado e deve apenas ser usada com Super Mario 3D All-Stars. Você deseja mesmo desativar o applet da web?
(Ele pode ser reativado nas configurações de depuração.)
-
+ The amount of shaders currently being builtA quantidade de shaders sendo construídos
-
+ The current selected resolution scaling multiplier.O atualmente multiplicador de escala de resolução selecionado.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Velocidade atual de emulação. Valores maiores ou menores que 100% indicam que a emulação está rodando mais rápida ou lentamente que em um Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Quantos quadros por segundo o jogo está exibindo atualmente. Isto irá variar de jogo para jogo e cena para cena.
-
+ 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 que leva para emular um quadro do Switch, sem considerar o limitador de taxa de quadros ou a sincronização vertical. Um valor menor ou igual a 16.67 ms indica que a emulação está em velocidade plena.
-
+ UnmuteUnmute
-
+ MuteMudo
-
+ Reset VolumeRedefinir volume
-
+ &Clear Recent Files&Limpar arquivos recentes
-
+ Emulated mouse is enabledMouse emulado está habilitado
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Controle de mouse real e controle panorâmico do mouse são incompatíveis. Por favor desabilite a emulação do mouse em configurações avançadas de controles para permitir o controle panorâmico do mouse.
-
+ &Continue&Continuar
-
+ &Pause&Pausar
-
+ Warning Outdated Game FormatAviso - formato de jogo desatualizado
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Você está usando neste jogo o formato de ROM desconstruída e extraída em uma pasta, que é um formato desatualizado que foi substituído por outros, como NCA, NAX, XCI ou NSP. Pastas desconstruídas de ROMs não possuem ícones, metadados e suporte a atualizações.<br><br>Para saber mais sobre os vários formatos de ROMs de Switch compatíveis com o yuzu, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>confira a nossa wiki</a>. Esta mensagem não será exibida novamente.
-
+ Error while loading ROM!Erro ao carregar a ROM!
-
+ The ROM format is not supported.O formato da ROM não é suportado.
-
+ An error occurred initializing the video core.Ocorreu um erro ao inicializar o núcleo de vídeo.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu encontrou um erro enquanto rodando o núcleo de vídeo. Normalmente isto é causado por drivers de GPU desatualizados, incluindo integrados. Por favor veja o registro para mais detalhes. Para mais informações em acesso ao registro por favor veja a seguinte página: <a href='https://yuzu-emu.org/help/reference/log-files/'>Como fazer envio de arquivo de registro</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Erro ao carregar a ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Por favor, siga <a href='https://yuzu-emu.org/help/quickstart/'>o guia de início rápido</a> para reextrair os seus arquivos.<br>Você pode consultar a wiki do yuzu</a> ou o Discord do yuzu</a> para obter ajuda.
-
+ An unknown error occurred. Please see the log for more details.Ocorreu um erro desconhecido. Consulte o registro para mais detalhes.
-
+ (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...Encerrando software...
-
+ Save DataDados de jogos salvos
-
+ Mod DataDados de mods
-
+ Error Opening %1 FolderErro ao abrir a pasta %1
-
-
+
+ Folder does not exist!A pasta não existe!
-
+ Error Opening Transferable Shader CacheErro ao abrir o cache de shaders transferível
-
+ Failed to create the shader cache directory for this title.Falha ao criar o diretório de cache de shaders para este título.
-
+ Error Removing ContentsErro ao Remover Conteúdos
-
+ Error Removing UpdateErro ao Remover Atualização
-
+ Error Removing DLCErro ao Remover DLC
-
+ Remove Installed Game Contents?Remover Conteúdo Instalado do Jogo?
-
+ Remove Installed Game Update?Remover Atualização Instalada do Jogo?
-
+ Remove Installed Game DLC?Remover DLC Instalada do Jogo?
-
+ Remove EntryRemover item
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedRemovido com sucesso
-
+ Successfully removed the installed base game.O jogo base foi removido com sucesso.
-
+ 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.A atualização instalada foi removida com sucesso.
-
+ There is no update installed for this title.Não há nenhuma atualização instalada para este título.
-
+ There are no DLC installed for this title.Não há nenhum DLC instalado para este título.
-
+ Successfully removed %1 installed DLC.%1 DLC(s) instalados foram removidos com sucesso.
-
+ Delete OpenGL Transferable Shader Cache?Apagar o cache de shaders transferível do OpenGL?
-
+ Delete Vulkan Transferable Shader Cache?Apagar o cache de shaders transferível do Vulkan?
-
+ Delete All Transferable Shader Caches?Apagar todos os caches de shaders transferíveis?
-
+ Remove Custom Game Configuration?Remover configurações customizadas do jogo?
-
+ Remove Cache Storage?Remover Armazenamento da Cache?
-
+ Remove FileRemover arquivo
-
-
+
+ Remove Play Time Data
+ Remover dados de tempo jogado
+
+
+
+ Reset play time?
+ Deseja mesmo resetar o tempo jogado?
+
+
+
+ Error Removing Transferable Shader CacheErro ao remover cache de shaders transferível
-
-
+
+ A shader cache for this title does not exist.Não existe um cache de shaders para este título.
-
+ Successfully removed the transferable shader cache.O cache de shaders transferível foi removido com sucesso.
-
+ Failed to remove the transferable shader cache.Falha ao remover o cache de shaders transferível.
-
+ Error Removing Vulkan Driver Pipeline CacheErro ao Remover Cache de Pipeline do Driver Vulkan
-
+ Failed to remove the driver pipeline cache.Falha ao remover o pipeline de cache do driver.
-
-
+
+ Error Removing Transferable Shader CachesErro ao remover os caches de shaders transferíveis
-
+ Successfully removed the transferable shader caches.Os caches de shaders transferíveis foram removidos com sucesso.
-
+ Failed to remove the transferable shader cache directory.Falha ao remover o diretório do cache de shaders transferível.
-
-
+
+ Error Removing Custom ConfigurationErro ao remover as configurações customizadas do jogo.
-
+ A custom configuration for this title does not exist.Não há uma configuração customizada para este título.
-
+ Successfully removed the custom game configuration.As configurações customizadas do jogo foram removidas com sucesso.
-
+ Failed to remove the custom game configuration.Falha ao remover as configurações customizadas do jogo.
-
-
+
+ RomFS Extraction Failed!Falha ao extrair RomFS!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Houve um erro ao copiar os arquivos RomFS ou o usuário cancelou a operação.
-
+ FullExtração completa
-
+ SkeletonApenas estrutura
-
+ Select RomFS Dump ModeSelecione o modo de extração do 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.Selecione a forma como você gostaria que o RomFS seja extraído.<br>"Extração completa" copiará todos os arquivos para a nova pasta, enquanto que <br>"Apenas estrutura" criará apenas a estrutura de pastas.
-
+ 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 RootNão há espaço suficiente em %1 para extrair o RomFS. Por favor abra espaço ou selecione um diretório diferente em Emulação > Configurar > Sistema > Sistema de arquivos > Extrair raiz
-
+ Extracting RomFS...Extraindo RomFS...
-
-
-
-
+
+
+
+ CancelCancelar
-
+ RomFS Extraction Succeeded!Extração do RomFS concluida!
-
-
-
+
+
+ The operation completed successfully.A operação foi concluída com sucesso.
-
+ Integrity verification couldn't be performed!
-
+ A verificação de integridade não foi realizada.
-
+ File contents were not checked for validity.
-
+ O conteúdo do arquivo não foi analisado.
-
-
+
+ Integrity verification failed!
-
+ Houve uma falha na verificação de integridade!
-
+ File contents may be corrupt.
-
+ O conteúdo do arquivo pode estar corrompido.
-
-
+
+ Verifying integrity...
-
+ Verificando integridade…
-
-
+
+ Integrity verification succeeded!
-
+ Verificação de integridade concluída!
-
-
-
-
-
+
+
+
+ Create ShortcutCriar Atalho
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Isso irá criar um atalho para o AppImage atual. Isso pode não funcionar corretamente se você fizer uma atualização. Continuar?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Não foi possível criar um atalho na área de trabalho. O caminho "%1" não existe.
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Não foi possível criar o atalho. O caminho "%1" não existe.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Não foi possível criar um atalho no menu de aplicativos. O caminho "%1" não existe e não pode ser criado.
-
-
-
+ Create IconCriar Ícone
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Não foi possível criar o arquivo de ícone. O caminho "%1" não existe e não pode ser criado.
-
+ Start %1 with the yuzu EmulatorIniciar %1 com o emulador yuzu
-
+ Failed to create a shortcut at %1Falha ao criar um atalho em %1
-
+ Successfully created a shortcut to %1Atalho criado em %1
-
+ Error Opening %1Erro ao abrir %1
-
+ Select DirectorySelecionar pasta
-
+ PropertiesPropriedades
-
+ The game properties could not be loaded.As propriedades do jogo não puderam ser carregadas.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Executável do Switch (%1);;Todos os arquivos (*.*)
-
+ Load FileCarregar arquivo
-
+ Open Extracted ROM DirectoryAbrir pasta da ROM extraída
-
+ Invalid Directory SelectedPasta inválida selecionada
-
+ The directory you have selected does not contain a 'main' file.A pasta que você selecionou não contém um arquivo 'main'.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Arquivo de Switch instalável (*.nca *.nsp *.xci);; Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesInstalar arquivos
-
+ %n file(s) remaining%n arquivo restante%n arquivo(s) restante(s)%n arquivo(s) restante(s)
-
+ Installing file "%1"...Instalando arquivo "%1"...
-
-
+
+ Install ResultsResultados da instalação
-
+ 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 possíveis conflitos, desencorajamos que os usuários instalem os jogos base na NAND.
Por favor, use esse recurso apenas para instalar atualizações e DLCs.
-
+ %n file(s) were newly installed
%n arquivo(s) instalado(s)
@@ -4365,7 +4364,7 @@ Por favor, use esse recurso apenas para instalar atualizações e DLCs.
-
+ %n file(s) were overwritten
%n arquivo(s) sobrescrito(s)
@@ -4374,7 +4373,7 @@ Por favor, use esse recurso apenas para instalar atualizações e DLCs.
-
+ %n file(s) failed to install
%n arquivo(s) não instalado(s)
@@ -4383,339 +4382,373 @@ Por favor, use esse recurso apenas para instalar atualizações e DLCs.
-
+ System ApplicationAplicativo do sistema
-
+ System ArchiveArquivo do sistema
-
+ System Application UpdateAtualização de aplicativo do sistema
-
+ Firmware Package (Type A)Pacote de firmware (tipo A)
-
+ Firmware Package (Type B)Pacote de firmware (tipo B)
-
+ GameJogo
-
+ Game UpdateAtualização de jogo
-
+ Game DLCDLC de jogo
-
+ Delta TitleTítulo delta
-
+ Select NCA Install Type...Selecione o tipo de instalação do NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Selecione o tipo de título como o qual você gostaria de instalar este NCA:
(Na maioria dos casos, o padrão 'Jogo' serve bem.)
-
+ Failed to InstallFalha ao instalar
-
+ The title type you selected for the NCA is invalid.O tipo de título que você selecionou para o NCA é inválido.
-
+ File not foundArquivo não encontrado
-
+ File "%1" not foundArquivo "%1" não encontrado
-
+ OKOK
-
-
+
+ Hardware requirements not metRequisitos de hardware não atendidos
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Seu sistema não atende os requisitos de harwdare. O relatório de compatibilidade foi desabilitado.
-
+ Missing yuzu AccountConta do yuzu faltando
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Para enviar um caso de teste de compatibilidade de jogo, você precisa entrar com a sua conta do yuzu.<br><br/>Para isso, vá para Emulação > Configurar... > Rede.
-
+ Error opening URLErro ao abrir URL
-
+ Unable to open the URL "%1".Não foi possível abrir o URL "%1".
-
+ TAS RecordingGravando TAS
-
+ Overwrite file of player 1?Sobrescrever arquivo do jogador 1?
-
+ Invalid config detectedConfiguração inválida detectada
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.O controle portátil não pode ser usado no modo encaixado na base. O Pro Controller será selecionado.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedO amiibo atual foi removido
-
+ ErrorErro
-
-
+
+ The current game is not looking for amiibosO jogo atual não está procurando amiibos
-
+ Amiibo File (%1);; All Files (*.*)Arquivo Amiibo (%1);; Todos os arquivos (*.*)
-
+ Load AmiiboCarregar Amiibo
-
+ Error loading Amiibo dataErro ao carregar dados do Amiibo
-
+ The selected file is not a valid amiiboO arquivo selecionado não é um amiibo válido
-
+ The selected file is already on useO arquivo selecionado já está em uso
-
+ An unknown error occurredOcorreu um erro desconhecido
-
+ Verification failed for the following files:
%1
-
+ Houve uma falha na verificação dos seguintes arquivos:
+
+%1
-
+
+
+ No firmware available
-
+ Nenhum firmware disponível
-
+
+ Please install the firmware to use the Album applet.
+ Instale o firmware para usar o applet Álbum.
+
+
+
+ Album Applet
+ Applet Álbum
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ O applet Álbum não está disponível. Reinstale o firmware.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Instale o firmware para usar o applet Armário.
+
+
+
+ Cabinet Applet
+ Applet Armário
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ O applet Armário não está disponível. Reinstale o firmware.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Instale o firmware para usar o applet Editor de Miis.
-
+ Mii Edit Applet
-
+ Applet Editor de Miis
-
+ Mii editor is not available. Please reinstall firmware.
-
+ O applet Editor de Miis não está disponível. Reinstale o firmware.
-
+ Capture ScreenshotCapturar tela
-
+ PNG Image (*.png)Imagem PNG (*.png)
-
+ TAS state: Running %1/%2Situação TAS: Rodando %1%2
-
+ TAS state: Recording %1Situação TAS: Gravando %1
-
+ TAS state: Idle %1/%2Situação TAS: Repouso %1%2
-
+ TAS State: InvalidSituação TAS: Inválido
-
+ &Stop Running&Parar de rodar
-
+ &Start&Iniciar
-
+ Stop R&ecordingParar G&ravação
-
+ R&ecordG&ravação
-
+ Building: %n shader(s)Compilando: %n shader(s)Compilando: %n shader(s)Compilando: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorEscala: %1x
-
+ Speed: %1% / %2%Velocidade: %1% / %2%
-
+ Speed: %1%Velocidade: %1%
-
+ Game: %1 FPS (Unlocked)Jogo: %1 FPS (Desbloqueado)
-
+ Game: %1 FPSJogo: %1 FPS
-
+ Frame: %1 msQuadro: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AASem AA
-
+ VOLUME: MUTEVOLUME: MUDO
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUME: %1%
-
+ Confirm Key RederivationConfirmar rederivação de chave
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4732,37 +4765,37 @@ e opcionalmente faça cópias de segurança.
Isto excluirá o seus arquivos de chaves geradas automaticamente, e reexecutar o módulo de derivação de chaves.
-
+ Missing fusesFaltando fusíveis
-
+ - Missing BOOT0 - Faltando BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Faltando BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Faltando PRODINFO
-
+ Derivation Components MissingFaltando componentes de derivação
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Chaves de encriptação faltando. <br>Por favor, siga <a href='https://yuzu-emu.org/help/quickstart/'>o guia de início rápido</a> para extrair suas chaves, firmware e jogos. <br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4771,49 +4804,49 @@ Isto pode demorar até um minuto, dependendo
do desempenho do seu sistema.
-
+ Deriving KeysDerivando chaves
-
+ System Archive Decryption FailedFalha a desencriptar o arquivo do sistema
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Chaves de encriptação falharam a desencriptar o firmware. <br>Por favor segue <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> para obter todas as tuas chaves, firmware e jogos.
-
+ Select RomFS Dump TargetSelecionar alvo de extração do RomFS
-
+ Please select which RomFS you would like to dump.Selecione qual RomFS você quer extrair.
-
+ Are you sure you want to close yuzu?Você deseja mesmo fechar o yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Deseja mesmo parar a emulação? Qualquer progresso não salvo será perdido.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4965,241 +4998,251 @@ Deseja ignorar isso e sair mesmo assim?
GameList
-
+ FavoriteFavorito
-
+ Start GameIniciar jogo
-
+ Start Game without Custom ConfigurationIniciar jogo sem configuração personalizada
-
+ Open Save Data LocationAbrir local dos jogos salvos
-
+ Open Mod Data LocationAbrir local dos dados de mods
-
+ Open Transferable Pipeline CacheAbrir cache de pipeline transferível
-
+ RemoveRemover
-
+ Remove Installed UpdateRemover atualização instalada
-
+ Remove All Installed DLCRemover todos os DLCs instalados
-
+ Remove Custom ConfigurationRemover configuração customizada
-
+
+ Remove Play Time Data
+ Remover dados de tempo jogado
+
+
+ Remove Cache StorageRemover cache do armazenamento
-
+ Remove OpenGL Pipeline CacheRemover cache de pipeline do OpenGL
-
+ Remove Vulkan Pipeline CacheRemover cache de pipeline do Vulkan
-
+ Remove All Pipeline CachesRemover todos os caches de pipeline
-
+ Remove All Installed ContentsRemover todo o conteúdo instalado
-
-
+
+ Dump RomFSExtrair RomFS
-
+ Dump RomFS to SDMCExtrair RomFS para SDMC
-
+ Verify Integrity
-
+ Verificar integridade
-
+ Copy Title ID to ClipboardCopiar ID do título para a área de transferência
-
+ Navigate to GameDB entryAbrir artigo do jogo no GameDB
-
+ Create ShortcutCriar atalho
-
+ Add to DesktopAdicionar à área de trabalho
-
+ Add to Applications MenuAdicionar ao menu de aplicativos
-
+ PropertiesPropriedades
-
+ Scan SubfoldersExaminar subpastas
-
+ Remove Game DirectoryRemover pasta de jogo
-
+ ▲ Move Up▲ Mover para cima
-
+ ▼ Move Down▼ Mover para baixo
-
+ Open Directory LocationAbrir local da pasta
-
+ ClearLimpar
-
+ NameNome
-
+ CompatibilityCompatibilidade
-
+ Add-onsAdicionais
-
+ File typeTipo de arquivo
-
+ SizeTamanho
+
+
+ Play time
+ Tempo jogado
+ GameListItemCompat
-
+ IngameNã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.
-
+ PerfectPerfeito
-
+ Game can be played without issues.O jogo pode ser jogado sem problemas.
-
+ PlayableJogá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/MenuIntro/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 BootNão inicia
-
+ The game crashes when attempting to startup.O jogo trava ou se encerra abruptamente ao se tentar iniciá-lo.
-
+ Not TestedNão testado
-
+ The game has not yet been tested.Esse jogo ainda não foi testado.
@@ -5207,7 +5250,7 @@ Deseja ignorar isso e sair mesmo assim?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listClique duas vezes para adicionar uma pasta à lista de jogos
@@ -5220,12 +5263,12 @@ Deseja ignorar isso e sair mesmo assim?
%1 de %n resultado(s)%1 de %n resultado(s)%1 de %n resultado(s)
-
+ Filter:Filtro:
-
+ Enter pattern to filterDigite o padrão para filtrar
@@ -5343,6 +5386,7 @@ Mensagem de depuração:
+ Main WindowJanela principal
@@ -5448,6 +5492,11 @@ Mensagem de depuração:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarAlternar Barra de Status
@@ -5686,186 +5735,216 @@ Mensagem de depuração:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &Help&Ajuda
-
+ &Install Files to NAND...&Instalar arquivos para NAND...
-
+ L&oad File...&Carregar arquivo...
-
+ Load &Folder...Carregar &pasta...
-
+ E&xitS&air
-
+ &Pause&Pausar
-
+ &Stop&Parar
-
+ &Reinitialize keys...&Reinicializar chaves...
-
+ &Verify Installed Contents
-
+ &Verificar conteúdo instalado
-
+ &About yuzu&Sobre o yuzu
-
+ Single &Window ModeModo de &janela única
-
+ Con&figure...Con&figurar...
-
+ Display D&ock Widget HeadersExibir barra de títul&os de widgets afixados
-
+ Show &Filter BarExibir barra de &filtro
-
+ Show &Status BarExibir barra de &status
-
+ Show Status BarExibir barra de status
-
+ &Browse Public Game Lobby&Navegar no Lobby de Salas Públicas
-
+ &Create Room&Criar sala
-
+ &Leave RoomSai&r da sala
-
+ &Direct Connect to RoomEntrar &diretamente numa sala
-
+ &Show Current RoomMostrar &sala atual
-
+ F&ullscreen&Tela cheia
-
+ &Restart&Reiniciar
-
+ Load/Remove &Amiibo...Carregar/Remover &Amiibo...
-
+ &Report Compatibility&Reportar compatibilidade
-
+ Open &Mods PageAbrir página de &mods
-
+ Open &Quickstart GuideAbrir &guia de início rápido
-
+ &FAQ&Perguntas frequentes
-
+ Open &yuzu FolderAbrir pasta do &yuzu
-
+ &Capture Screenshot&Captura de tela
-
- Open &Mii Editor
-
+
+ Open &Album
+ Abrir &Á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
+
+
+
+ Open &Mii Editor
+ Abrir &Editor de Miis
+
+
+ &Configure TAS...&Configurar TAS
-
+ Configure C&urrent Game...Configurar jogo &atual..
-
+ &Start&Iniciar
-
+ &Reset&Restaurar
-
+ R&ecordG&ravar
@@ -6173,27 +6252,27 @@ p, li { white-space: pre-wrap; }
Não está jogando um jogo
-
+ Installed SD TitlesTítulos instalados no SD
-
+ Installed NAND TitlesTítulos instalados na NAND
-
+ System TitlesTítulos do sistema
-
+ Add New Game DirectoryAdicionar pasta de jogos
-
+ FavoritesFavoritos
@@ -6719,7 +6798,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6732,7 +6811,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsPar de Joycons
@@ -6745,7 +6824,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon esquerdo
@@ -6758,7 +6837,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon direito
@@ -6787,7 +6866,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldPortátil
@@ -6903,32 +6982,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Não há a quantidade mínima de controles
+
+
+ GameCube ControllerControle de GameCube
-
+ Poke Ball PlusPoké Ball Plus
-
+ NES ControllerControle do NES
-
+ SNES ControllerControle do SNES
-
+ N64 ControllerControle do Nintendo 64
-
+ Sega GenesisMega Drive
diff --git a/dist/languages/pt_PT.ts b/dist/languages/pt_PT.ts
index dc52afcbb..6b091db8c 100644
--- a/dist/languages/pt_PT.ts
+++ b/dist/languages/pt_PT.ts
@@ -373,13 +373,13 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.%
-
+ Auto (%1)Auto select time zoneAuto (%1)
-
+ Default (%1)Default time zonePadrão (%1)
@@ -826,7 +826,7 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
Enable Renderdoc Hotkey
-
+ Habilitar atalho para Renderdoc
@@ -885,49 +885,29 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
- Create Minidump After Crash
- Criar um despejo resumido após uma falha
-
-
- 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**
-
+ Enable Verbose Reporting Services**Ativar serviços de relatório detalhado**
-
+ **This will be reset automatically when yuzu closes.**Isto será restaurado automaticamente assim que o yuzu for fechado.
-
- Restart Required
- É necessário reiniciar
-
-
-
- yuzu is required to restart in order to apply this setting.
- Será necessário reiniciar o yuzu para aplicar as configurações.
-
-
-
+ Web applet not compiledApplet Web não compilado
-
-
- MiniDump creation not compiled
- Criação do mini despejo não compilada
- ConfigureDebugController
@@ -1346,7 +1326,7 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.
-
+ Conflicting Key SequenceSequência de teclas em conflito
@@ -1367,27 +1347,37 @@ Isto banirá tanto o nome de usuário do fórum como o endereço IP.Inválido
-
+
+ Invalid hotkey settings
+ Configurações de atalho inválidas
+
+
+
+ An error occurred. Please report this issue on github.
+ Houve um erro. Relate o problema no GitHub.
+
+
+ Restore DefaultRestaurar Padrão
-
+ ClearLimpar
-
+ Conflicting Button SequenceSequência de botões conflitante
-
+ The default button sequence is already assigned to: %1A sequência de botões padrão já está vinculada a %1
-
+ The default key sequence is already assigned to: %1A sequência de teclas padrão já está atribuída a: %1
@@ -3365,67 +3355,72 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta
Exibir Coluna Tipos de Arquivos
-
+
+ Show Play Time Column
+ Exibir coluna Tempo jogado
+
+
+ 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:
-
+ ScreenshotsCaptura de Ecrã
-
+ Ask Where To Save Screenshots (Windows Only)Perguntar Onde Guardar Capturas de Ecrã (Apenas Windows)
-
+ Screenshots Path: Caminho das Capturas de Ecrã:
-
+ ......
-
+ TextLabelTextLabel
-
+ Resolution:Resolução:
-
+ Select Screenshots Path...Seleccionar Caminho de Capturas de Ecrã...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueAuto (%1 x %2, %3 x %4)
@@ -3743,962 +3738,1000 @@ Arrasta os pontos para mudar a posição, ou dá duplo-clique nas células da ta
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Dados anônimos são coletados</a>para ajudar a melhorar o yuzu.<br/><br/>Gostaria de compartilhar seus dados de uso conosco?
-
+ TelemetryTelemetria
-
+ Broken Vulkan Installation DetectedDetectada Instalação Defeituosa do Vulkan
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.A inicialização do Vulkan falhou durante a carga do programa. <br><br>Clique <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>aqui para instruções de como resolver o problema</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingRodando um jogo
-
+ Loading Web Applet...A Carregar o Web Applet ...
-
-
+
+ Disable Web AppletDesativar 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.)A desativação do applet da web pode causar comportamento inesperado e deve apenas ser usada com Super Mario 3D All-Stars. Você deseja mesmo desativar o applet da web?
(Ele pode ser reativado nas configurações de depuração.)
-
+ The amount of shaders currently being builtQuantidade de shaders a serem construídos
-
+ The current selected resolution scaling multiplier.O atualmente multiplicador de escala de resolução selecionado.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Velocidade da emulação actual. Valores acima ou abaixo de 100% indicam que a emulação está sendo executada mais depressa ou mais devagar do que a Switch
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Quantos quadros por segundo o jogo está exibindo de momento. Isto irá variar de jogo para jogo e de cena para cena.
-
+ 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 gasto para emular um frame da Switch, sem contar o a limitação de quadros ou o v-sync. Para emulação de velocidade máxima, esta deve ser no máximo 16.67 ms.
-
+ UnmuteUnmute
-
+ MuteMute
-
+ Reset VolumeRedefinir volume
-
+ &Clear Recent Files&Limpar arquivos recentes
-
+ Emulated mouse is enabledMouse emulado está habilitado
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Controle de mouse real e controle panorâmico do mouse são incompatíveis. Por favor desabilite a emulação do mouse em configurações avançadas de controles para permitir o controle panorâmico do mouse.
-
+ &Continue&Continuar
-
+ &Pause&Pausa
-
+ Warning Outdated Game FormatAviso de Formato de Jogo Desactualizado
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Você está usando o formato de directório ROM desconstruído para este jogo, que é um formato desactualizado que foi substituído por outros, como NCA, NAX, XCI ou NSP. Os directórios de ROM não construídos não possuem ícones, metadados e suporte de actualização.<br><br>Para uma explicação dos vários formatos de Switch que o yuzu suporta,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>Verifique a nossa Wiki</a>. Esta mensagem não será mostrada novamente.
-
+ Error while loading ROM!Erro ao carregar o ROM!
-
+ The ROM format is not supported.O formato do ROM não é suportado.
-
+ An error occurred initializing the video core.Ocorreu um erro ao inicializar o núcleo do vídeo.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu encontrou um erro enquanto rodando o núcleo de vídeo. Normalmente isto é causado por drivers de GPU desatualizados, incluindo integrados. Por favor veja o registro para mais detalhes. Para mais informações em acesso ao registro por favor veja a seguinte página: <a href='https://yuzu-emu.org/help/reference/log-files/'>Como fazer envio de arquivo de registro</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Erro ao carregar a ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Por favor, siga <a href='https://yuzu-emu.org/help/quickstart/'>a guia de início rápido do yuzu</a> para fazer o redespejo dos seus arquivos.<br>Você pode consultar a wiki do yuzu</a> ou o Discord do yuzu</a> para obter ajuda.
-
+ An unknown error occurred. Please see the log for more details.Ocorreu um erro desconhecido. Por favor, veja o log para mais detalhes.
-
+ (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...Encerrando software...
-
+ Save DataSave Data
-
+ Mod DataMod Data
-
+ Error Opening %1 FolderErro ao abrir a pasta %1
-
-
+
+ Folder does not exist!A Pasta não existe!
-
+ Error Opening Transferable Shader CacheErro ao abrir os Shader Cache transferíveis
-
+ Failed to create the shader cache directory for this title.Falha ao criar o diretório de cache de shaders para este título.
-
+ Error Removing ContentsErro Removendo Conteúdos
-
+ Error Removing UpdateErro ao Remover Atualização
-
+ Error Removing DLCErro Removendo DLC
-
+ Remove Installed Game Contents?Remover Conteúdo Instalado do Jogo?
-
+ Remove Installed Game Update?Remover Atualização Instalada do Jogo?
-
+ Remove Installed Game DLC?Remover DLC Instalada do Jogo?
-
+ Remove EntryRemover Entrada
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedRemovido com Sucesso
-
+ Successfully removed the installed base game.Removida a instalação do jogo base com sucesso.
-
+ The base game is not installed in the NAND and cannot be removed.O jogo base não está instalado no NAND e não pode ser removido.
-
+ Successfully removed the installed update.Removida a actualização instalada com sucesso.
-
+ There is no update installed for this title.Não há actualização instalada neste título.
-
+ There are no DLC installed for this title.Não há DLC instalado neste título.
-
+ Successfully removed %1 installed DLC.Removido DLC instalado %1 com sucesso.
-
+ Delete OpenGL Transferable Shader Cache?Apagar o cache de shaders transferível do OpenGL?
-
+ Delete Vulkan Transferable Shader Cache?Apagar o cache de shaders transferível do Vulkan?
-
+ Delete All Transferable Shader Caches?Apagar todos os caches de shaders transferíveis?
-
+ Remove Custom Game Configuration?Remover Configuração Personalizada do Jogo?
-
+ Remove Cache Storage?Remover Armazenamento da Cache?
-
+ Remove FileRemover Ficheiro
-
-
+
+ Remove Play Time Data
+ Remover dados de tempo jogado
+
+
+
+ Reset play time?
+ Deseja mesmo resetar o tempo jogado?
+
+
+
+ Error Removing Transferable Shader CacheError ao Remover Cache de Shader Transferível
-
-
+
+ A shader cache for this title does not exist.O Shader Cache para este titulo não existe.
-
+ Successfully removed the transferable shader cache.Removido a Cache de Shader Transferível com Sucesso.
-
+ Failed to remove the transferable shader cache.Falha ao remover a cache de shader transferível.
-
+ Error Removing Vulkan Driver Pipeline CacheErro ao Remover Cache de Pipeline do Driver Vulkan
-
+ Failed to remove the driver pipeline cache.Falha ao remover o pipeline de cache do driver.
-
-
+
+ Error Removing Transferable Shader CachesErro ao remover os caches de shaders transferíveis
-
+ Successfully removed the transferable shader caches.Os caches de shaders transferíveis foram removidos com sucesso.
-
+ Failed to remove the transferable shader cache directory.Falha ao remover o diretório do cache de shaders transferível.
-
-
+
+ Error Removing Custom ConfigurationErro ao Remover Configuração Personalizada
-
+ A custom configuration for this title does not exist.Não existe uma configuração personalizada para este titúlo.
-
+ Successfully removed the custom game configuration.Removida a configuração personalizada do jogo com sucesso.
-
+ Failed to remove the custom game configuration.Falha ao remover a configuração personalizada do jogo.
-
-
+
+ RomFS Extraction Failed!A Extração de RomFS falhou!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Houve um erro ao copiar os arquivos RomFS ou o usuário cancelou a operação.
-
+ FullCheio
-
+ SkeletonEsqueleto
-
+ Select RomFS Dump ModeSelecione o modo de despejo do 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, selecione a forma como você gostaria que o RomFS fosse despejado<br>Full irá copiar todos os arquivos para o novo diretório enquanto<br>skeleton criará apenas a estrutura de diretórios.
-
+ 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 RootNão há espaço suficiente em %1 para extrair o RomFS. Por favor abra espaço ou selecione um diretório diferente em Emulação > Configurar > Sistema > Sistema de arquivos > Extrair raiz
-
+ Extracting RomFS...Extraindo o RomFS ...
-
-
-
-
+
+
+
+ CancelCancelar
-
+ RomFS Extraction Succeeded!Extração de RomFS Bem-Sucedida!
-
-
-
+
+
+ The operation completed successfully.A operação foi completa com sucesso.
-
+ Integrity verification couldn't be performed!
-
+ A verificação de integridade não foi realizada.
-
+ File contents were not checked for validity.
-
+ O conteúdo do arquivo não foi analisado.
-
-
+
+ Integrity verification failed!
-
+ Houve uma falha na verificação de integridade!
-
+ File contents may be corrupt.
-
+ O conteúdo do arquivo pode estar corrompido.
-
-
+
+ Verifying integrity...
-
+ Verificando integridade…
-
-
+
+ Integrity verification succeeded!
-
+ Verificação de integridade concluída!
-
-
-
-
-
+
+
+
+ Create ShortcutCriar Atalho
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Isso irá criar um atalho para o AppImage atual. Isso pode não funcionar corretamente se você fizer uma atualização. Continuar?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Não foi possível criar um atalho na área de trabalho. O caminho "%1" não existe.
+
+ Cannot create shortcut. Path "%1" does not exist.
+ Não foi possível criar o atalho. O caminho "%1" não existe.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Não foi possível criar um atalho no menu de aplicativos. O caminho "%1" não existe e não pode ser criado.
-
-
-
+ Create IconCriar Ícone
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Não foi possível criar o arquivo de ícone. O caminho "%1" não existe e não pode ser criado.
-
+ Start %1 with the yuzu EmulatorIniciar %1 com o Emulador Yuzu
-
+ Failed to create a shortcut at %1Falha ao criar um atalho em %1
-
+ Successfully created a shortcut to %1Atalho criado com sucesso em %1
-
+ Error Opening %1Erro ao abrir %1
-
+ Select DirectorySelecione o Diretório
-
+ PropertiesPropriedades
-
+ The game properties could not be loaded.As propriedades do jogo não puderam ser carregadas.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Executáveis Switch (%1);;Todos os Ficheiros (*.*)
-
+ Load FileCarregar Ficheiro
-
+ Open Extracted ROM DirectoryAbrir o directório ROM extraído
-
+ Invalid Directory SelectedDiretório inválido selecionado
-
+ The directory you have selected does not contain a 'main' file.O diretório que você selecionou não contém um arquivo 'Main'.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Ficheiro Switch Instalável (*.nca *.nsp *.xci);;Arquivo de Conteúdo Nintendo (*.nca);;Pacote de Envio Nintendo (*.nsp);;Imagem de Cartucho NX (*.xci)
-
+ Install FilesInstalar Ficheiros
-
+ %n file(s) remaining%n arquivo restante%n ficheiro(s) remanescente(s)%n ficheiro(s) remanescente(s)
-
+ Installing file "%1"...Instalando arquivo "%1"...
-
-
+
+ Install ResultsInstalar Resultados
-
+ 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 possíveis conflitos, desencorajamos que os utilizadores instalem os jogos base na NAND.
Por favor, use esse recurso apenas para instalar atualizações e DLC.
-
+ %n file(s) were newly installed
-
+ %n file(s) were overwritten
-
+ %n file(s) failed to install
-
+ System ApplicationAplicação do sistema
-
+ System ArchiveArquivo do sistema
-
+ System Application UpdateAtualização do aplicativo do sistema
-
+ Firmware Package (Type A)Pacote de Firmware (Tipo A)
-
+ Firmware Package (Type B)Pacote de Firmware (Tipo B)
-
+ GameJogo
-
+ Game UpdateActualização do Jogo
-
+ Game DLCDLC do Jogo
-
+ Delta TitleTítulo Delta
-
+ Select NCA Install Type...Selecione o tipo de instalação do NCA ...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Por favor, selecione o tipo de título que você gostaria de instalar este NCA como:
(Na maioria dos casos, o padrão 'Jogo' é suficiente).
-
+ Failed to InstallFalha na instalação
-
+ The title type you selected for the NCA is invalid.O tipo de título que você selecionou para o NCA é inválido.
-
+ File not foundArquivo não encontrado
-
+ File "%1" not foundArquivo "%1" não encontrado
-
+ OKOK
-
-
+
+ Hardware requirements not metRequisitos de hardware não atendidos
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Seu sistema não atende os requisitos de harwdare. O relatório de compatibilidade foi desabilitado.
-
+ Missing yuzu AccountConta Yuzu Ausente
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Para enviar um caso de teste de compatibilidade de jogos, você deve vincular sua conta yuzu.<br><br/>Para vincular sua conta yuzu, vá para Emulação > Configuração > Rede.
-
+ Error opening URLErro ao abrir URL
-
+ Unable to open the URL "%1".Não foi possível abrir o URL "%1".
-
+ TAS RecordingGravando TAS
-
+ Overwrite file of player 1?Sobrescrever arquivo do jogador 1?
-
+ Invalid config detectedConfigação inválida detectada
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.O comando portátil não pode ser usado no modo encaixado na base. O Pro controller será selecionado.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedO amiibo atual foi removido
-
+ ErrorErro
-
-
+
+ The current game is not looking for amiibosO jogo atual não está procurando amiibos
-
+ Amiibo File (%1);; All Files (*.*)Arquivo Amiibo (%1);; Todos os Arquivos (*.*)
-
+ Load AmiiboCarregar Amiibo
-
+ Error loading Amiibo dataErro ao carregar dados do Amiibo
-
+ The selected file is not a valid amiiboO arquivo selecionado não é um amiibo válido
-
+ The selected file is already on useO arquivo selecionado já está em uso
-
+ An unknown error occurredOcorreu um erro desconhecido
-
+ Verification failed for the following files:
%1
-
+ Houve uma falha na verificação dos seguintes arquivos:
+
+%1
-
+
+
+ No firmware available
-
+ Nenhum firmware disponível
-
+
+ Please install the firmware to use the Album applet.
+ Instale o firmware para usar o applet Album.
+
+
+
+ Album Applet
+ Applet Álbum
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ O applet Álbum não está disponível. Reinstale o firmware.
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ Instale o firmware para usar o applet Armário.
+
+
+
+ Cabinet Applet
+ Applet Armário
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ O applet Armário não está disponível. Reinstale o firmware.
+
+
+ Please install the firmware to use the Mii editor.
-
+ Instale o firmware para usar o applet Editor de Miis.
-
+ Mii Edit Applet
-
+ Applet Editor de Miis
-
+ Mii editor is not available. Please reinstall firmware.
-
+ O applet Editor de Miis não está disponível. Reinstale o firmware.
-
+ Capture ScreenshotCaptura de Tela
-
+ PNG Image (*.png)Imagem PNG (*.png)
-
+ TAS state: Running %1/%2Situação TAS: Rodando %1%2
-
+ TAS state: Recording %1Situação TAS: Gravando %1
-
+ TAS state: Idle %1/%2Situação TAS: Repouso %1%2
-
+ TAS State: InvalidSituação TAS: Inválido
-
+ &Stop Running&Parar de rodar
-
+ &Start&Começar
-
+ Stop R&ecordingParar G&ravação
-
+ R&ecordG&ravação
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorEscala: %1x
-
+ Speed: %1% / %2%Velocidade: %1% / %2%
-
+ Speed: %1%Velocidade: %1%
-
+ Game: %1 FPS (Unlocked)Jogo: %1 FPS (Desbloqueado)
-
+ Game: %1 FPSJogo: %1 FPS
-
+ Frame: %1 msQuadro: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AASem AA
-
+ VOLUME: MUTEVOLUME: MUDO
-
+ VOLUME: %1%Volume percentage (e.g. 50%)VOLUME: %1%
-
+ Confirm Key RederivationConfirme a rederivação da chave
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4715,37 +4748,37 @@ e opcionalmente faça backups.
Isso irá excluir os seus arquivos de chave gerados automaticamente e executará novamente o módulo de derivação de chave.
-
+ Missing fusesFusíveis em Falta
-
+ - Missing BOOT0- BOOT0 em Falta
-
+ - Missing BCPKG2-1-Normal-Main- BCPKG2-1-Normal-Main em Falta
-
+ - Missing PRODINFO- PRODINFO em Falta
-
+ Derivation Components MissingComponentes de Derivação em Falta
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Chaves de encriptação faltando. <br>Por favor, siga <a href='https://yuzu-emu.org/help/quickstart/'>o guia de início rápido</a> para extrair suas chaves, firmware e jogos. <br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4754,49 +4787,49 @@ Isto pode demorar até um minuto, dependendo
do desempenho do seu sistema.
-
+ Deriving KeysDerivando Chaves
-
+ System Archive Decryption FailedFalha a desencriptar o arquivo do sistema
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Chaves de encriptação falharam a desencriptar o firmware. <br>Por favor segue <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> para obter todas as tuas chaves, firmware e jogos.
-
+ Select RomFS Dump TargetSelecione o destino de despejo do RomFS
-
+ Please select which RomFS you would like to dump.Por favor, selecione qual o RomFS que você gostaria de despejar.
-
+ Are you sure you want to close yuzu?Tem a certeza que quer fechar o yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Tem a certeza de que quer parar a emulação? Qualquer progresso não salvo será perdido.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4948,241 +4981,251 @@ Deseja ignorar isso e sair mesmo assim?
GameList
-
+ FavoriteFavorito
-
+ Start GameIniciar jogo
-
+ Start Game without Custom ConfigurationIniciar jogo sem configuração personalizada
-
+ Open Save Data LocationAbrir Localização de Dados Salvos
-
+ Open Mod Data LocationAbrir a Localização de Dados do Mod
-
+ Open Transferable Pipeline CacheAbrir cache de pipeline transferível
-
+ RemoveRemover
-
+ Remove Installed UpdateRemover Actualizações Instaladas
-
+ Remove All Installed DLCRemover Todos os DLC Instalados
-
+ Remove Custom ConfigurationRemover Configuração Personalizada
-
+
+ Remove Play Time Data
+ Remover dados de tempo jogado
+
+
+ Remove Cache StorageRemove a Cache do Armazenamento
-
+ Remove OpenGL Pipeline CacheRemover cache de pipeline do OpenGL
-
+ Remove Vulkan Pipeline CacheRemover cache de pipeline do Vulkan
-
+ Remove All Pipeline CachesRemover todos os caches de pipeline
-
+ Remove All Installed ContentsRemover Todos os Conteúdos Instalados
-
-
+
+ Dump RomFSDespejar RomFS
-
+ Dump RomFS to SDMCExtrair RomFS para SDMC
-
+ Verify Integrity
-
+ Verificar integridade
-
+ Copy Title ID to ClipboardCopiar título de ID para a área de transferência
-
+ Navigate to GameDB entryNavegue para a Entrada da Base de Dados de Jogos
-
+ Create ShortcutCriar Atalho
-
+ Add to DesktopAdicionar à Área de Trabalho
-
+ Add to Applications MenuAdicionar ao Menu de Aplicativos
-
+ PropertiesPropriedades
-
+ Scan SubfoldersExaminar Sub-pastas
-
+ Remove Game DirectoryRemover diretório do Jogo
-
+ ▲ Move Up▲ Mover para Cima
-
+ ▼ Move Down▼ Mover para Baixo
-
+ Open Directory LocationAbrir Localização do diretório
-
+ ClearLimpar
-
+ NameNome
-
+ CompatibilityCompatibilidade
-
+ Add-onsAdd-ons
-
+ File typeTipo de Arquivo
-
+ SizeTamanho
+
+
+ Play time
+ Tempo jogado
+ GameListItemCompat
-
+ IngameNã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.
-
+ PerfectPerfeito
-
+ Game can be played without issues.O jogo pode ser jogado sem problemas.
-
+ PlayableJogá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/MenuIntroduçã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 BootNão Inicia
-
+ The game crashes when attempting to startup.O jogo trava ao tentar iniciar.
-
+ Not TestedNão Testado
-
+ The game has not yet been tested.O jogo ainda não foi testado.
@@ -5190,7 +5233,7 @@ Deseja ignorar isso e sair mesmo assim?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listClique duas vezes para adicionar uma nova pasta à lista de jogos
@@ -5203,12 +5246,12 @@ Deseja ignorar isso e sair mesmo assim?
-
+ Filter:Filtro:
-
+ Enter pattern to filterDigite o padrão para filtrar
@@ -5326,6 +5369,7 @@ Mensagem de depuração:
+ Main WindowJanela Principal
@@ -5431,6 +5475,11 @@ Mensagem de depuração:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarAlternar Barra de Status
@@ -5669,186 +5718,216 @@ Mensagem de depuração:
+ &Amiibo
+ &Amiibo
+
+
+ &TAS&TAS
-
+ &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
-
+ &Reinitialize keys...&Reinicializar chaves...
-
+ &Verify Installed Contents
-
+ &Verificar conteúdo instalado
-
+ &About yuzu&Sobre o yuzu
-
+ Single &Window ModeModo de &janela única
-
+ Con&figure...Con&figurar...
-
+ Display D&ock Widget HeadersExibir barra de títul&os de widgets afixados
-
+ Show &Filter BarMostrar Barra de &Filtros
-
+ Show &Status BarMostrar Barra de &Estado
-
+ Show Status BarMostrar 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 RoomConectar &Diretamente Numa Sala
-
+ &Show Current RoomExibir &Sala Atual
-
+ F&ullscreenT&ela cheia
-
+ &Restart&Reiniciar
-
+ Load/Remove &Amiibo...Carregar/Remover &Amiibo...
-
+ &Report Compatibility&Reportar compatibilidade
-
+ Open &Mods PageAbrir Página de &Mods
-
+ Open &Quickstart GuideAbrir &guia de início rápido
-
+ &FAQ&Perguntas frequentes
-
+ Open &yuzu FolderAbrir pasta &yuzu
-
+ &Capture Screenshot&Captura de Tela
-
- Open &Mii Editor
-
+
+ Open &Album
+ Abrir &Á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
+
+
+
+ Open &Mii Editor
+ Abrir &Editor de Miis
+
+
+ &Configure TAS...&Configurar TAS
-
+ Configure C&urrent Game...Configurar jogo atual...
-
+ &Start&Começar
-
+ &Reset&Restaurar
-
+ R&ecordG&ravar
@@ -6155,27 +6234,27 @@ p, li { white-space: pre-wrap; }
Não está jogando um jogo
-
+ Installed SD TitlesTítulos SD instalados
-
+ Installed NAND TitlesTítulos NAND instalados
-
+ System TitlesTítulos do sistema
-
+ Add New Game DirectoryAdicionar novo diretório de jogos
-
+ FavoritesFavoritos
@@ -6701,7 +6780,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerComando Pro
@@ -6714,7 +6793,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsPar de Joycons
@@ -6727,7 +6806,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon Esquerdo
@@ -6740,7 +6819,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon Direito
@@ -6769,7 +6848,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldPortátil
@@ -6885,32 +6964,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ Não há a quantidade mínima de controles
+
+
+ GameCube ControllerControlador de depuração
-
+ Poke Ball PlusPoké Ball Plus
-
+ NES ControllerControle do NES
-
+ SNES ControllerControle do SNES
-
+ N64 ControllerControle do Nintendo 64
-
+ Sega GenesisMega Drive
diff --git a/dist/languages/ru_RU.ts b/dist/languages/ru_RU.ts
index a8432bf83..80cf2078c 100644
--- a/dist/languages/ru_RU.ts
+++ b/dist/languages/ru_RU.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zoneАвто (%1)
-
+ Default (%1)Default time zoneПо умолчанию (%1)
@@ -893,49 +893,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- Создавать мини-дамп после краша
-
-
- 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**Дамп аудиокоманд в консоль**
-
+ Enable Verbose Reporting Services**Включить службу отчётов в развернутом виде**
-
+ **This will be reset automatically when yuzu closes.**Это будет автоматически сброшено после закрытия yuzu.
-
- Restart Required
- Требуется перезапуск
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu необходимо перезапустить, чтобы применить эту настройку.
-
-
-
+ Web applet not compiledВеб-апплет не скомпилирован
-
-
- MiniDump creation not compiled
- Создание мини-дампа не скомпилировано
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceКонфликтующее сочетание клавиш
@@ -1375,27 +1355,37 @@ This would ban both their forum username and their IP address.
Недопустимо
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultВвостановить значение по умолчанию
-
+ ClearОчистить
-
+ Conflicting Button SequenceКонфликтующее сочетание кнопок
-
+ The default button sequence is already assigned to: %1Сочетание кнопок по умолчанию уже назначено на: %1
-
+ The default key sequence is already assigned to: %1Сочетание клавиш по умолчанию уже назначено на: %1
@@ -3373,67 +3363,72 @@ Drag points to change position, or double-click table cells to edit values.Показвыать столбец типа файлов
-
+
+ Show Play Time Column
+
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3751,612 +3746,616 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Анонимные данные собираются для того,</a> чтобы помочь улучшить работу yuzu. <br/><br/>Хотели бы вы делиться данными об использовании с нами?
-
+ TelemetryТелеметрия
-
+ Broken Vulkan Installation DetectedОбнаружена поврежденная установка Vulkan
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Не удалось выполнить инициализацию Vulkan во время загрузки.<br><br>Нажмите <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>здесь для получения инструкций по устранению проблемы</a>.
-
+ Running a gameTRANSLATORS: 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, не принимая во внимание ограничение FPS или вертикальную синхронизацию. Для эмуляции в полной скорости значение должно быть не больше 16,67 мс.
-
+ UnmuteВключить звук
-
+ MuteВыключить звук
-
+ Reset VolumeСбросить громкость
-
+ &Clear Recent Files[&C] Очистить недавние файлы
-
+ Emulated mouse is enabledЭмулированная мышь включена
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Ввод реальной мыши и панорамирование мышью несовместимы. Пожалуйста, отключите эмулированную мышь в расширенных настройках ввода, чтобы разрешить панорамирование мышью.
-
+ &Continue[&C] Продолжить
-
+ &Pause[&P] Пауза
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Для этой игры вы используете разархивированный формат ROM'а, который является устаревшим и был заменен другими, такими как NCA, NAX, XCI или NSP. В разархивированных каталогах ROM'а отсутствуют иконки, метаданные и поддержка обновлений. <br><br>Для получения информации о различных форматах Switch, поддерживаемых yuzu, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>просмотрите нашу вики</a>. Это сообщение больше не будет отображаться.
-
+ Error while loading ROM!Ошибка при загрузке ROM'а!
-
+ The ROM format is not supported.Формат ROM'а не поддерживается.
-
+ An error occurred initializing the video core.Произошла ошибка при инициализации видеоядра.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu столкнулся с ошибкой при запуске видеоядра. Обычно это вызвано устаревшими драйверами ГП, включая интегрированные. Проверьте журнал для получения более подробной информации. Дополнительную информацию о доступе к журналу смотрите на следующей странице: <a href='https://yuzu-emu.org/help/reference/log-files/'>Как загрузить файл журнала</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Ошибка при загрузке ROM'а! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Пожалуйста, следуйте <a href='https://yuzu-emu.org/help/quickstart/'>краткому руководству пользователя yuzu</a> чтобы пере-дампить ваши файлы<br>Вы можете обратиться к вики yuzu</a> или Discord yuzu</a> для помощи.
-
+ 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!Папка не существует!
-
+ Error Opening Transferable Shader CacheОшибка при открытии переносного кэша шейдеров
-
+ Failed to create the shader cache directory for this title.Не удалось создать папку кэша шейдеров для этой игры.
-
+ Error Removing ContentsОшибка при удалении содержимого
-
+ Error Removing UpdateОшибка при удалении обновлений
-
+ Error Removing DLCОшибка при удалении DLC
-
+ Remove Installed Game Contents?Удалить установленное содержимое игр?
-
+ Remove Installed Game Update?Удалить установленные обновления игры?
-
+ Remove Installed Game DLC?Удалить установленные DLC игры?
-
+ Remove EntryУдалить запись
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.Для этой игры не были установлены DLC.
-
+ Successfully removed %1 installed DLC.Установленное DLC %1 было успешно удалено
-
+ 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?
+
+
+
+
+ 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.Не удалось удалить пользовательскую настройку игры.
-
-
+
+ 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.Операция выполнена.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create ShortcutСоздать ярлык
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Это создаст ярлык для текущего AppImage. Он может не работать после обновлений. Продолжить?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Не удается создать ярлык на рабочем столе. Путь "%1" не существует.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Невозможно создать ярлык в меню приложений. Путь "%1" не существует и не может быть создан.
-
-
-
+ Create IconСоздать иконку
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Невозможно создать файл иконки. Путь "%1" не существует и не может быть создан.
-
+ Start %1 with the yuzu EmulatorЗапустить %1 с помощью эмулятора yuzu
-
+ Failed to create a shortcut at %1Не удалось создать ярлык в %1
-
+ Successfully created a shortcut to %1Успешно создан ярлык в %1
-
+ 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.Чтобы избежать возможных конфликтов, мы не рекомендуем пользователям устанавливать игры в NAND.
Пожалуйста, используйте эту функцию только для установки обновлений и DLC.
-
+ %n file(s) were newly installed
%n файл был недавно установлен
@@ -4366,7 +4365,7 @@ Please, only use this feature to install updates and DLC.
-
+ %n file(s) were overwritten
%n файл был перезаписан
@@ -4376,7 +4375,7 @@ Please, only use this feature to install updates and DLC.
-
+ %n file(s) failed to install
%n файл не удалось установить
@@ -4386,339 +4385,371 @@ 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 DLCDLC игры
-
+ 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ОК
-
-
+
+ Hardware requirements not metНе удовлетворены системные требования
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Ваша система не соответствует рекомендуемым системным требованиям. Отчеты о совместимости были отключены.
-
+ Missing yuzu AccountОтсутствует аккаунт yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Чтобы отправить отчет о совместимости игры, необходимо привязать свою учетную запись yuzu.<br><br/>Чтобы привязать свою учетную запись yuzu, перейдите в раздел Эмуляция > Параметры > Сеть.
-
+ 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.
-
-
+
+ AmiiboAmiibo
-
-
+
+ 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Произошла неизвестная ошибка
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotСделать скриншот
-
+ PNG Image (*.png)Изображение PNG (*.png)
-
+ 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] Остановка
-
+ &Start[&S] Начать
-
+ Stop R&ecording[&E] Закончить запись
-
+ R&ecord[&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 (Unlocked)Игра: %1 FPS (Неограниченно)
-
+ Game: %1 FPSИгра: %1 FPS
-
+ Frame: %1 msКадр: %1 мс
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAБЕЗ СГЛАЖИВАНИЯ
-
+ VOLUME: MUTEГРОМКОСТЬ: ЗАГЛУШЕНА
-
+ VOLUME: %1%Volume percentage (e.g. 50%)ГРОМКОСТЬ: %1%
-
+ Confirm Key RederivationПодтвердите перерасчет ключа
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4735,37 +4766,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
Это удалит ваши автоматически сгенерированные файлы ключей и повторно запустит модуль расчета ключей.
-
+ Missing fusesОтсутствуют предохранители
-
+ - Missing BOOT0- Отсутствует BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Отсутствует BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- Отсутствует PRODINFO
-
+ Derivation Components MissingКомпоненты расчета отсутствуют
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Ключи шифрования отсутствуют. <br>Пожалуйста, следуйте <a href='https://yuzu-emu.org/help/quickstart/'>краткому руководству пользователя yuzu</a>, чтобы получить все ваши ключи, прошивку и игры.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4774,49 +4805,49 @@ on your system's performance.
от производительности вашей системы.
-
+ Deriving KeysПолучение ключей
-
+ System Archive Decryption FailedНе удалось расшифровать системный архив
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Ключи шифрования не смогли расшифровать прошивку. <br>Пожалуйста, следуйте <a href='https://yuzu-emu.org/help/quickstart/'>краткому руководству пользователя yuzu</a> чтобы получить все ваши ключи, прошивку и игры.
-
+ Select RomFS Dump TargetВыберите цель для дампа RomFS
-
+ Please select which RomFS you would like to dump.Пожалуйста, выберите, какой RomFS вы хотите сдампить.
-
+ Are you sure you want to close yuzu?Вы уверены, что хотите закрыть yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Вы уверены, что хотите остановить эмуляцию? Любой несохраненный прогресс будет потерян.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4968,241 +4999,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ FavoriteИзбранное
-
+ Start GameЗапустить игру
-
+ Start Game without Custom ConfigurationЗапустить игру без пользовательской настройки
-
+ Open Save Data LocationОткрыть папку для сохранений
-
+ Open Mod Data LocationОткрыть папку для модов
-
+ Open Transferable Pipeline CacheОткрыть переносной кэш конвейера
-
+ RemoveУдалить
-
+ Remove Installed UpdateУдалить установленное обновление
-
+ Remove All Installed DLCУдалить все установленные DLC
-
+ Remove Custom ConfigurationУдалить пользовательскую настройку
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageУдалить кэш-хранилище?
-
+ Remove OpenGL Pipeline CacheУдалить кэш конвейера OpenGL
-
+ Remove Vulkan Pipeline CacheУдалить кэш конвейера Vulkan
-
+ Remove All Pipeline CachesУдалить весь кэш конвейеров
-
+ Remove All Installed ContentsУдалить все установленное содержимое
-
-
+
+ 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Добавить в меню приложений
-
+ PropertiesСвойства
-
+ Scan SubfoldersСканировать подпапки
-
+ Remove Game DirectoryУдалить папку с играми
-
+ ▲ Move Up▲ Переместить вверх
-
+ ▼ Move Down▼ Переместить вниз
-
+ Open Directory LocationОткрыть расположение папки
-
+ ClearОчистить
-
+ NameИмя
-
+ CompatibilityСовместимость
-
+ Add-onsДополнения
-
+ File typeТип файла
-
+ SizeРазмер
+
+
+ Play time
+
+ 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.Игру ещё не проверяли на совместимость.
@@ -5210,7 +5251,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listНажмите дважды, чтобы добавить новую папку в список игр
@@ -5223,12 +5264,12 @@ Would you like to bypass this and exit anyway?
%1 из %n результат(ов)%1 из %n результат(ов)%1 из %n результат(ов)%1 из %n результат(ов)
-
+ Filter:Поиск:
-
+ Enter pattern to filterВведите текст для поиска
@@ -5346,6 +5387,7 @@ Debug Message:
+ Main WindowОсновное окно
@@ -5451,6 +5493,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarПереключить панель состояния
@@ -5689,186 +5736,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS[&T] TAS
-
+ &Help[&H] Помощь
-
+ &Install Files to NAND...[&I] Установить файлы в NAND...
-
+ L&oad File...[&O] Загрузить файл...
-
+ Load &Folder...[&F] Загрузить папку...
-
+ E&xit[&X] Выход
-
+ &Pause[&P] Пауза
-
+ &Stop[&S] Стоп
-
+ &Reinitialize keys...[&R] Переинициализировать ключи...
-
+ &Verify Installed Contents
-
+ &About yuzu[&A] О yuzu
-
+ Single &Window Mode[&W] Режим одного окна
-
+ Con&figure...[&F] Параметры...
-
+ Display D&ock Widget Headers[&O] Отображать заголовки виджетов дока
-
+ 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] ЧАВО
-
+ Open &yuzu Folder[&Y] Открыть папку yuzu
-
+ &Capture Screenshot[&C] Сделать скриншот
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...[&C] Настройка TAS...
-
+ Configure C&urrent Game...[&U] Настроить текущую игру...
-
+ &Start[&S] Запустить
-
+ &Reset[&S] Сбросить
-
+ R&ecord[&E] Запись
@@ -6176,27 +6253,27 @@ p, li { white-space: pre-wrap; }
Не играет в игру
-
+ Installed SD TitlesУстановленные SD игры
-
+ Installed NAND TitlesУстановленные NAND игры
-
+ System TitlesСистемные игры
-
+ Add New Game DirectoryДобавить новую папку с играми
-
+ FavoritesИзбранные
@@ -6722,7 +6799,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerКонтроллер Pro
@@ -6735,7 +6812,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsДвойные Joy-Сon'ы
@@ -6748,7 +6825,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconЛевый Joy-Сon
@@ -6761,7 +6838,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconПравый Joy-Сon
@@ -6790,7 +6867,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldПортативный
@@ -6906,32 +6983,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerКонтроллер GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerКонтроллер NES
-
+ SNES ControllerКонтроллер SNES
-
+ N64 ControllerКонтроллер N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/sv.ts b/dist/languages/sv.ts
index 886b9de52..bda3c05f5 100644
--- a/dist/languages/sv.ts
+++ b/dist/languages/sv.ts
@@ -373,13 +373,13 @@ Detta kommer bannlysa både dennes användarnamn på forum samt IP-adress.%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -879,49 +879,29 @@ avgjord kod.</div>
- Create Minidump After Crash
-
-
-
- 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**
-
+ Enable Verbose Reporting Services**
-
+ **This will be reset automatically when yuzu closes.
-
- Restart Required
-
-
-
-
- yuzu is required to restart in order to apply this setting.
-
-
-
-
+ Web applet not compiled
-
-
- MiniDump creation not compiled
-
- ConfigureDebugController
@@ -1340,7 +1320,7 @@ avgjord kod.</div>
-
+ Conflicting Key SequenceMotstridig Tangentsekvens
@@ -1361,27 +1341,37 @@ avgjord kod.</div>
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultÅterställ standard
-
+ ClearRensa
-
+ Conflicting Button Sequence
-
+ The default button sequence is already assigned to: %1
-
+ The default key sequence is already assigned to: %1Standardtangentsekvensen är redan tilldelad: %1
@@ -3356,67 +3346,72 @@ Dra punkter för att ändra position, eller dubbelklicka tabellceller för att r
-
+
+ Show Play Time Column
+
+
+
+ Game Icon Size:
-
+ Folder Icon Size:
-
+ Row 1 Text:Rad 1 Text:
-
+ Row 2 Text:Rad 2 Text:
-
+ ScreenshotsSkrämdump
-
+ Ask Where To Save Screenshots (Windows Only)Fråga till var man ska spara skärmdumpar (endast Windows)
-
+ Screenshots Path: Skärmdumpssökväg
-
+ ......
-
+ TextLabel
-
+ Resolution:
-
+ Select Screenshots Path...Välj Skärmdumpssökväg...
-
+ <System><System>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3734,960 +3729,996 @@ Dra punkter för att ändra position, eller dubbelklicka tabellceller för att r
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonym data skickas </a>För att förbättra yuzu. <br/><br/>Vill du dela med dig av din användarstatistik med oss?
-
+ TelemetryTelemetri
-
+ Broken Vulkan Installation DetectedFelaktig Vulkaninstallation Upptäckt
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Laddar WebApplet...
-
-
+
+ Disable Web AppletAvaktivera Webbappletten
-
+ 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 builtMängden shaders som just nu byggs
-
+ 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.Nuvarande emuleringshastighet. Värden över eller under 100% indikerar på att emulationen 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 bilder per sekund som spelet just nu visar. Detta varierar från spel till spel och 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 det tar att emulera en Switch bild, utan att räkna med framelimiting eller v-sync. För emulering på full hastighet så ska det vara som mest 16.67 ms.
-
+ Unmute
-
+ Mute
-
+ Reset Volume
-
+ &Clear Recent Files
-
+ Emulated mouse is enabledEmulerad datormus är aktiverad
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue
-
+ &Pause&Paus
-
+ Warning Outdated Game FormatVarning 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Du använder det dekonstruerade ROM-formatet för det här spelet. Det är ett föråldrat format som har överträffats av andra som NCA, NAX, XCI eller NSP. Dekonstruerade ROM-kataloger saknar ikoner, metadata och uppdatering.<br><br>För en förklaring av de olika format som yuzu stöder, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>kolla in vår wiki</a>. Det här meddelandet visas inte igen.
-
+ Error while loading ROM!Fel vid laddning av ROM!
-
+ The ROM format is not supported.ROM-formatet stöds inte.
-
+ An error occurred initializing the video core.Ett fel inträffade vid initiering av videokärnan.
-
+ yuzu 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-emu.org/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 follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.
-
+ 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)
-
+ (32-bit)
-
+ %1 %2%1 is the title name. %2 indicates if the title is 64-bit or 32-bit
-
+ Closing software...
-
+ Save DataSpardata
-
+ Mod DataMod-data
-
+ Error Opening %1 FolderFel Öppnar %1 Mappen
-
-
+
+ Folder does not exist!Mappen finns inte!
-
+ Error Opening Transferable Shader CacheFel Under Öppning Av Överförbar Shadercache
-
+ Failed to create the shader cache directory for this title.
-
+ Error Removing Contents
-
+ Error Removing Update
-
+ Error Removing DLC
-
+ Remove Installed Game Contents?
-
+ Remove Installed Game Update?
-
+ Remove Installed Game DLC?
-
+ Remove EntryTa bort katalog
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedFramgångsrikt borttagen
-
+ Successfully removed the installed base game.Tog bort det installerade basspelet framgångsrikt.
-
+ The base game is not installed in the NAND and cannot be removed.Basspelet är inte installerat i NAND och kan inte tas bort.
-
+ Successfully removed the installed update.Tog bort den installerade uppdateringen framgångsrikt.
-
+ There is no update installed for this title.Det finns ingen uppdatering installerad för denna titel.
-
+ There are no DLC installed for this title.Det finns inga DLC installerade för denna titel.
-
+ Successfully removed %1 installed DLC.Tog framgångsrikt bort den %1 installerade DLCn.
-
+ Delete OpenGL Transferable Shader Cache?
-
+ Delete Vulkan Transferable Shader Cache?
-
+ Delete All Transferable Shader Caches?
-
+ Remove Custom Game Configuration?Ta Bort Anpassad Spelkonfiguration?
-
+ Remove Cache Storage?
-
+ Remove FileRadera fil
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheFel När Överförbar Shader Cache Raderades
-
-
+
+ A shader cache for this title does not exist.En shader cache för denna titel existerar inte.
-
+ Successfully removed the transferable shader cache.Raderade den överförbara shadercachen framgångsrikt.
-
+ Failed to remove the transferable shader cache.Misslyckades att ta bort den överförbara shadercache
-
+ 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 ConfigurationFel När Anpassad Konfiguration Raderades
-
+ A custom configuration for this title does not exist.En anpassad konfiguration för denna titel existerar inte.
-
+ Successfully removed the custom game configuration.Tog bort den anpassade spelkonfigurationen framgångsrikt.
-
+ Failed to remove the custom game configuration.Misslyckades att ta bort den anpassade spelkonfigurationen.
-
-
+
+ RomFS Extraction Failed!RomFS Extraktion Misslyckades!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Det uppstod ett fel vid kopiering av RomFS filer eller användaren avbröt operationen.
-
+ FullFull
-
+ SkeletonSkelett
-
+ Select RomFS Dump ModeVälj RomFS Dump-Läge
-
+ 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>Full kommer att kopiera alla filer i den nya katalogen medan <br>skelett bara 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
-
+ Extracting RomFS...Extraherar RomFS...
-
-
-
-
+
+
+
+ CancelAvbryt
-
+ RomFS Extraction Succeeded!RomFS Extraktion Lyckades!
-
-
-
+
+
+ The operation completed successfully.Operationen var lyckad.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create Shortcut
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
+
+ Cannot create shortcut. Path "%1" does not exist.
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
-
-
-
-
+ Create Icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.
-
+ Start %1 with the yuzu Emulator
-
+ Failed to create a shortcut at %1
-
+ Successfully created a shortcut to %1
-
+ Error Opening %1Fel under öppning av %1
-
+ Select DirectoryVälj Katalog
-
+ PropertiesEgenskaper
-
+ The game properties could not be loaded.Spelegenskaperna kunde inte laddas.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch Körbar (%1);;Alla Filer (*.*)
-
+ Load FileLadda Fil
-
+ Open Extracted ROM DirectoryÖppna Extraherad ROM-Katalog
-
+ Invalid Directory SelectedOgiltig Katalog Vald
-
+ The directory you have selected does not contain a 'main' file.Katalogen du har valt innehåller inte en '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 FilesInstallera filer
-
+ %n file(s) remaining
-
+ Installing file "%1"...Installerar Fil "%1"...
-
-
+
+ Install ResultsInstallera resultat
-
+ 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 ApplicationSystemapplikation
-
+ System ArchiveSystemarkiv
-
+ System Application UpdateSystemapplikationsuppdatering
-
+ Firmware Package (Type A)Firmwarepaket (Typ A)
-
+ Firmware Package (Type B)Firmwarepaket (Typ B)
-
+ GameSpel
-
+ Game UpdateSpeluppdatering
-
+ Game DLCSpel DLC
-
+ Delta TitleDelta Titel
-
+ Select NCA Install Type...Välj NCA-Installationsläge...
-
+ 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 som:
(I de flesta fallen, standard 'Spel' är bra.)
-
+ Failed to InstallMisslyckades med Installationen
-
+ The title type you selected for the NCA is invalid.Den titeltyp du valt för NCA är ogiltig.
-
+ File not foundFilen hittades inte
-
+ File "%1" not foundFilen "%1" hittades inte
-
+ OKOK
-
-
+
+ Hardware requirements not met Hårdvarukraven uppfylls ej
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.
-
+ Missing yuzu Accountyuzu Konto hittades inte
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.För att skicka ett spelkompatibilitetstest, du måste länka ditt yuzu-konto.<br><br/>För att länka ditt yuzu-konto, gå till Emulering >, Konfigurering >, Web.
-
+ Error opening URLFel när URL öppnades
-
+ Unable to open the URL "%1".Oförmögen att öppna URL:en "%1".
-
+ TAS RecordingTAS Inspelning
-
+ Overwrite file of player 1?Överskriv spelare 1:s fil?
-
+ Invalid config detectedOgiltig konfiguration upptäckt
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedDen aktuella amiibon har avlägsnats
-
+ ErrorFel
-
-
+
+ The current game is not looking for amiibosDet aktuella spelet letar ej efter amiibos
-
+ Amiibo File (%1);; All Files (*.*)Amiibo Fil (%1);; Alla Filer (*.*)
-
+ Load AmiiboLadda Amiibo
-
+ Error loading Amiibo dataFel vid laddning av Amiibodata
-
+ The selected file is not a valid amiiboDen valda filen är inte en giltig amiibo
-
+ The selected file is already on useDen valda filen är redan använd
-
+ An unknown error occurredEtt okänt fel har inträffat
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotSkärmdump
-
+ PNG Image (*.png)PNG Bild (*.png)
-
+ TAS state: Running %1/%2TAStillstånd: pågående %1/%2
-
+ TAS state: Recording %1TAStillstånd: spelar in %1
-
+ TAS state: Idle %1/%2TAStillstånd: inaktiv %1/%2
-
+ TAS State: InvalidTAStillstånd: ogiltigt
-
+ &Stop Running
-
+ &Start&Start
-
+ Stop R&ecording
-
+ R&ecord
-
+ Building: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factor
-
+ Speed: %1% / %2%Hastighet: %1% / %2%
-
+ Speed: %1%Hastighet: %1%
-
+ Game: %1 FPS (Unlocked)
-
+ Game: %1 FPSSpel: %1 FPS
-
+ Frame: %1 msRuta: %1 ms
-
+ %1 %2
-
+ FSR
-
+ NO AA
-
+ VOLUME: MUTE
-
+ VOLUME: %1%Volume percentage (e.g. 50%)
-
+ Confirm Key RederivationBekräfta Nyckel Rederivering
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4704,37 +4735,37 @@ och eventuellt göra säkerhetskopior.
Detta raderar dina autogenererade nyckelfiler och kör nyckelderivationsmodulen.
-
+ Missing fusesSaknade säkringar
-
+ - Missing BOOT0- Saknar BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Saknar BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- Saknar PRODINFO
-
+ Derivation Components MissingDeriveringsdelar saknas
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4743,49 +4774,49 @@ Detta kan ta upp till en minut beroende
på systemets prestanda.
-
+ Deriving KeysHärleda Nycklar
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetVälj RomFS Dumpa Mål
-
+ Please select which RomFS you would like to dump.Välj vilken RomFS du vill dumpa.
-
+ Are you sure you want to close yuzu?Är du säker på att du vill stänga yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ 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? Du kommer att förlora osparade framsteg.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4937,241 +4968,251 @@ Vill du strunta i detta och avsluta ändå?
GameList
-
+ Favorite
-
+ Start Game
-
+ Start Game without Custom Configuration
-
+ Open Save Data LocationÖppna Spara Data Destination
-
+ Open Mod Data LocationÖppna Mod Data Destination
-
+ Open Transferable Pipeline Cache
-
+ RemoveTa Bort
-
+ Remove Installed UpdateTa Bort Installerad Uppdatering
-
+ Remove All Installed DLCTa Bort Alla Installerade DLC
-
+ Remove Custom ConfigurationTa Bort Anpassad Konfiguration
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline Cache
-
+ Remove All Pipeline Caches
-
+ Remove All Installed ContentsTa Bort Allt Installerat Innehåll
-
-
+
+ Dump RomFSDumpa RomFS
-
+ Dump RomFS to SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardKopiera Titel ID till Urklipp
-
+ Navigate to GameDB entryNavigera till GameDB-sida
-
+ Create Shortcut
-
+ Add to Desktop
-
+ Add to Applications Menu
-
+ PropertiesEgenskaper
-
+ Scan SubfoldersSkanna Underkataloger
-
+ Remove Game DirectoryRadera Spelkatalog
-
+ ▲ Move Up▲ Flytta upp
-
+ ▼ Move Down▼ Flytta ner
-
+ Open Directory LocationÖppna Sökvägsplats
-
+ ClearRensa
-
+ NameNamn
-
+ CompatibilityKompatibilitet
-
+ Add-onsAdd-Ons
-
+ File typeFiltyp
-
+ SizeStorlek
+
+
+ Play time
+
+ GameListItemCompat
-
+ Ingame
-
+ Game starts, but crashes or major glitches prevent it from being completed.
-
+ PerfectPerfekt
-
+ Game can be played without issues.
-
+ Playable
-
+ Game functions with minor graphical or audio glitches and is playable from start to finish.
-
+ Intro/MenuIntro/Meny
-
+ Game loads, but is unable to progress past the Start Screen.
-
+ Won't BootStartar Inte
-
+ The game crashes when attempting to startup.Spelet kraschar när man försöker starta det.
-
+ Not TestedInte Testad
-
+ The game has not yet been tested.Spelet har ännu inte testats.
@@ -5179,7 +5220,7 @@ Vill du strunta i detta och avsluta ändå?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listDubbelklicka för att lägga till en ny mapp i spellistan.
@@ -5192,12 +5233,12 @@ Vill du strunta i detta och avsluta ändå?
-
+ Filter:Filter:
-
+ Enter pattern to filterAnge mönster för att filtrera
@@ -5314,6 +5355,7 @@ Debug Message:
+ Main Window
@@ -5419,6 +5461,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status Bar
@@ -5656,186 +5703,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS
-
+ &Help&Hjälp
-
+ &Install Files to NAND...
-
+ L&oad File...
-
+ Load &Folder...
-
+ E&xitA&vsluta
-
+ &Pause&Paus
-
+ &Stop&Sluta
-
+ &Reinitialize keys...
-
+ &Verify Installed Contents
-
+ &About yuzu
-
+ Single &Window Mode
-
+ Con&figure...
-
+ Display D&ock Widget Headers
-
+ Show &Filter Bar
-
+ Show &Status Bar
-
+ Show Status BarVisa Statusfält
-
+ &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
-
+ Open &yuzu Folder
-
+ &Capture Screenshot
-
- Open &Mii Editor
-
-
-
-
- &Configure TAS...
+
+ Open &Album
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+
+ Open &Mii Editor
+
+
+
+
+ &Configure TAS...
+
+
+
+ Configure C&urrent Game...
-
+ &Start&Start
-
+ &Reset
-
+ R&ecord
@@ -6135,27 +6212,27 @@ p, li { white-space: pre-wrap; }
Spelar inte något spel
-
+ Installed SD TitlesInstallerade SD-titlar
-
+ Installed NAND TitlesInstallerade NAND-titlar
-
+ System TitlesSystemtitlar
-
+ Add New Game DirectoryLägg till ny spelkatalog
-
+ FavoritesFavoriter
@@ -6681,7 +6758,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerProkontroller
@@ -6694,7 +6771,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsDubbla Joycons
@@ -6707,7 +6784,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconVänster Joycon
@@ -6720,7 +6797,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconHöger Joycon
@@ -6749,7 +6826,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandhållen
@@ -6865,32 +6942,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube-kontroll
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerNES-kontroll
-
+ SNES ControllerSNES-kontroll
-
+ N64 ControllerN64-kontroll
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/tr_TR.ts b/dist/languages/tr_TR.ts
index 855540d30..4c7a85056 100644
--- a/dist/languages/tr_TR.ts
+++ b/dist/languages/tr_TR.ts
@@ -373,13 +373,13 @@ Bu işlem onların hem forum kullanıcı adını hem de IP adresini banlar.%
-
+ Auto (%1)Auto select time zone
-
+ Default (%1)Default time zone
@@ -891,49 +891,29 @@ Bu işlem onların hem forum kullanıcı adını hem de IP adresini banlar.
- Create Minidump After Crash
- Çöküş Sonrası Küçük Dump Oluştur
-
-
- 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**
-
+ Enable Verbose Reporting Services**Detaylı Raporlama Hizmetini Etkinleştir
-
+ **This will be reset automatically when yuzu closes.**Bu yuzu kapandığında otomatik olarak eski haline dönecektir.
-
- Restart Required
- Yeniden Başlatma Gerekli
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu'nun bu ayarı uygulayabilmesi için yeniden başlatılması gereklidir.
-
-
-
+ Web applet not compiledWeb uygulaması derlenmemiş
-
-
- MiniDump creation not compiled
- Küçük Dump oluşumu derlenmemiş
- ConfigureDebugController
@@ -1352,7 +1332,7 @@ Bu işlem onların hem forum kullanıcı adını hem de IP adresini banlar.
-
+ Conflicting Key SequenceTutarsız Anahtar Dizisi
@@ -1373,27 +1353,37 @@ Bu işlem onların hem forum kullanıcı adını hem de IP adresini banlar.Geçersiz
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultVarsayılana Döndür
-
+ ClearTemizle
-
+ Conflicting Button SequenceTutarsız Tuş Dizisi
-
+ The default button sequence is already assigned to: %1Varsayılan buton dizisi zaten %1'e atanmış.
-
+ The default key sequence is already assigned to: %1Varsayılan anahtar dizisi zaten %1'e atanmış.
@@ -3370,67 +3360,72 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne
Dosya Türü Sütununu Göster
-
+
+ Show Play Time Column
+
+
+
+ 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ı:
-
+ ScreenshotsEkran 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3748,612 +3743,616 @@ Noktanın konumunu değiştirmek için sürükleyin ya da sayıların üstüne
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Yuzuyu geliştirmeye yardımcı olmak için </a> anonim veri toplandı. <br/><br/>Kullanım verinizi bizimle paylaşmak ister misiniz?
-
+ TelemetryTelemetri
-
+ Broken Vulkan Installation DetectedBozuk Vulkan Kurulumu Algılandı
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Açılışta Vulkan başlatılırken hata. Hata yardımını görüntülemek için <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>buraya tıklayın</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping
-
+ Loading Web Applet...Web Uygulaması Yükleniyor...
-
-
+
+ Disable Web AppletWeb 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.)Web uygulamasını kapatmak bilinmeyen hatalara neden olabileceğinden dolayı sadece Super Mario 3D All-Stars için kapatılması önerilir. Web uygulamasını kapatmak istediğinize emin misiniz?
(Hata ayıklama ayarlarından tekrar açılabilir)
-
+ The amount of shaders currently being builtŞu anda derlenen shader miktarı
-
+ The current selected resolution scaling multiplier.Geçerli seçili çözünürlük ölçekleme çarpanı.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Geçerli emülasyon hızı. %100'den yüksek veya düşük değerler emülasyonun bir Switch'den daha hızlı veya daha yavaş çalıştığını gösterir.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Oyunun şuanda saniye başına kaç kare gösterdiği. Bu oyundan oyuna ve sahneden sahneye değişiklik gösterir.
-
+ 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.Bir Switch karesini emüle etmekte geçen zaman, karelimitleme ve v-sync hariç. Tam hız emülasyon için bu en çok 16,67 ms olmalı.
-
+ Unmute
-
+ Mute
-
+ Reset Volume
-
+ &Clear Recent Files&Son Dosyaları Temizle
-
+ Emulated mouse is enabled
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.
-
+ &Continue&Devam Et
-
+ &Pause&Duraklat
-
+ Warning Outdated Game FormatUyarı, Eski Oyun 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Bu oyun için dekonstrükte ROM formatı kullanıyorsunuz, bu fromatın yerine NCA, NAX, XCI ve NSP formatları kullanılmaktadır. Dekonstrükte ROM formatları ikon, üst veri ve güncelleme desteği içermemektedir.<br><br>Yuzu'nun desteklediği çeşitli Switch formatları için<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>Wiki'yi ziyaret edin</a>. Bu mesaj yeniden gösterilmeyecektir.
-
+ Error while loading ROM!ROM yüklenirken hata oluştu!
-
+ The ROM format is not supported.Bu ROM biçimi desteklenmiyor.
-
+ An error occurred initializing the video core.Video çekirdeğini başlatılırken bir hata oluştu.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu video çekirdeğini çalıştırırken bir hatayla karşılaştı. Bu sorun genellikle eski GPU sürücüleri sebebiyle ortaya çıkar. Daha fazla detay için lütfen log dosyasına bakın. Log dosyasını incelemeye dair daha fazla bilgi için lütfen bu sayfaya ulaşın: <a href='https://yuzu-emu.org/help/reference/log-files/'>Log dosyası nasıl yüklenir</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.ROM yüklenirken hata oluştu! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Lütfen dosyalarınızı yeniden dump etmek için<a href='https://yuzu-emu.org/help/quickstart/'>yuzu hızlı başlangıç kılavuzu'nu</a> takip edin.<br> Yardım için yuzu wiki</a>veya yuzu Discord'una</a> bakabilirsiniz.
-
+ An unknown error occurred. Please see the log for more details.Bilinmeyen bir hata oluştu. Lütfen daha fazla detay için kütüğe göz atınız.
-
+ (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...Yazılım kapatılıyor...
-
+ Save DataKayıt Verisi
-
+ Mod DataMod Verisi
-
+ Error Opening %1 Folder%1 klasörü açılırken hata
-
-
+
+ Folder does not exist!Klasör mevcut değil!
-
+ Error Opening Transferable Shader CacheTransfer Edilebilir Shader Cache'ini Açarken Bir Hata Oluştu
-
+ Failed to create the shader cache directory for this title.Bu oyun için shader cache konumu oluşturulamadı.
-
+ Error Removing Contentsİçerik Kaldırma Hatası
-
+ Error Removing UpdateGüncelleme Kaldırma hatası
-
+ Error Removing DLCDLC Kaldırma Hatası
-
+ Remove Installed Game Contents?Yüklenmiş Oyun İçeriğini Kaldırmak İstediğinize Emin Misiniz?
-
+ Remove Installed Game Update?Yüklenmiş Oyun Güncellemesini Kaldırmak İstediğinize Emin Misiniz?
-
+ Remove Installed Game DLC?Yüklenmiş DLC'yi Kaldırmak İstediğinize Emin Misiniz?
-
+ Remove EntryGirdiyi Kaldır
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedBaşarıyla Kaldırıldı
-
+ Successfully removed the installed base game.Yüklenmiş oyun başarıyla kaldırıldı.
-
+ The base game is not installed in the NAND and cannot be removed.Asıl oyun NAND'de kurulu değil ve kaldırılamaz.
-
+ Successfully removed the installed update.Yüklenmiş güncelleme başarıyla kaldırıldı.
-
+ There is no update installed for this title.Bu oyun için yüklenmiş bir güncelleme yok.
-
+ There are no DLC installed for this title.Bu oyun için yüklenmiş bir DLC yok.
-
+ Successfully removed %1 installed DLC.%1 yüklenmiş DLC başarıyla kaldırıldı.
-
+ Delete OpenGL Transferable Shader Cache?OpenGL Transfer Edilebilir Shader Cache'ini Kaldırmak İstediğinize Emin Misiniz?
-
+ Delete Vulkan Transferable Shader Cache?Vulkan Transfer Edilebilir Shader Cache'ini Kaldırmak İstediğinize Emin Misiniz?
-
+ Delete All Transferable Shader Caches?Tüm Transfer Edilebilir Shader Cache'leri Kaldırmak İstediğinize Emin Misiniz?
-
+ Remove Custom Game Configuration?Oyuna Özel Yapılandırmayı Kaldırmak İstediğinize Emin Misiniz?
-
+ Remove Cache Storage?
-
+ Remove FileDosyayı Sil
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheTransfer Edilebilir Shader Cache Kaldırılırken Bir Hata Oluştu
-
-
+
+ A shader cache for this title does not exist.Bu oyun için oluşturulmuş bir shader cache yok.
-
+ Successfully removed the transferable shader cache.Transfer edilebilir shader cache başarıyla kaldırıldı.
-
+ Failed to remove the transferable shader cache.Transfer edilebilir shader cache kaldırılamadı.
-
+ Error Removing Vulkan Driver Pipeline CacheVulkan Pipeline Önbelleği Kaldırılırken Hata
-
+ Failed to remove the driver pipeline cache.Sürücü pipeline önbelleği kaldırılamadı.
-
-
+
+ Error Removing Transferable Shader CachesTransfer Edilebilir Shader Cache'ler Kaldırılırken Bir Hata Oluştu
-
+ Successfully removed the transferable shader caches.Transfer edilebilir shader cacheler başarıyla kaldırıldı.
-
+ Failed to remove the transferable shader cache directory.Transfer edilebilir shader cache konumu kaldırılamadı.
-
-
+
+ Error Removing Custom ConfigurationOyuna Özel Yapılandırma Kaldırılırken Bir Hata Oluştu.
-
+ A custom configuration for this title does not exist.Bu oyun için bir özel yapılandırma yok.
-
+ Successfully removed the custom game configuration.Oyuna özel yapılandırma başarıyla kaldırıldı.
-
+ Failed to remove the custom game configuration.Oyuna özel yapılandırma kaldırılamadı.
-
-
+
+ RomFS Extraction Failed!RomFS Çıkartımı Başarısız!
-
+ There was an error copying the RomFS files or the user cancelled the operation.RomFS dosyaları kopyalanırken bir hata oluştu veya kullanıcı işlemi iptal etti.
-
+ FullFull
-
+ SkeletonÇerçeve
-
+ Select RomFS Dump ModeRomFS Dump Modunu Seçiniz
-
+ 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.Lütfen RomFS'in nasıl dump edilmesini istediğinizi seçin.<br>"Full" tüm dosyaları yeni bir klasöre kopyalarken <br>"skeleton" sadece klasör yapısını oluşturur.
-
+ 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 konumunda RomFS çıkarmaya yetecek alan yok. Lütfen yer açın ya da Emülasyon > Yapılandırma > Sistem > Dosya Sistemi > Dump konumu kısmından farklı bir çıktı konumu belirleyin.
-
+ Extracting RomFS...RomFS çıkartılıyor...
-
-
-
-
+
+
+
+ Cancelİptal
-
+ RomFS Extraction Succeeded!RomFS Çıkartımı Başarılı!
-
-
-
+
+
+ The operation completed successfully.İşlem başarıyla tamamlandı.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create ShortcutKısayol Oluştur
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Bu seçenek, şu anki AppImage dosyasının kısayolunu oluşturacak. Uygulama güncellenirse kısayol çalışmayabilir. Devam edilsin mi?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Masaüstünde kısayol oluşturulamadı. "%1" dizini yok.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Uygulamalar menüsünde kısayol oluşturulamadı. "%1" dizini yok ve oluşturulamıyor.
-
-
-
+ Create IconSimge Oluştur
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Simge dosyası oluşturulamadı. "%1" dizini yok ve oluşturulamıyor.
-
+ Start %1 with the yuzu Emulatoryuzu Emülatörü başlatılırken %1 başlatılsın
-
+ Failed to create a shortcut at %1%1 dizininde kısayol oluşturulamadı
-
+ Successfully created a shortcut to %1%1 dizinine kısayol oluşturuldu
-
+ Error Opening %1%1 Açılırken Bir Hata Oluştu
-
+ Select DirectoryKlasör Seç
-
+ PropertiesÖzellikler
-
+ The game properties could not be loaded.Oyun özellikleri yüklenemedi.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Switch Çalıştırılabilir Dosyası (%1);;Tüm Dosyalar (*.*)
-
+ Load FileDosya Aç
-
+ Open Extracted ROM DirectoryÇıkartılmış ROM klasörünü aç
-
+ Invalid Directory SelectedGeçersiz Klasör Seçildi
-
+ The directory you have selected does not contain a 'main' file.Seçtiğiniz klasör bir "main" dosyası içermiyor.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Yüklenilebilir Switch Dosyası (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submissions Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesDosya Kur
-
+ %n file(s) remaining%n dosya kaldı%n dosya kaldı
-
+ Installing file "%1"..."%1" dosyası kuruluyor...
-
-
+
+ Install ResultsKurulum Sonuçları
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Olası çakışmaları önlemek için oyunları NAND'e yüklememenizi tavsiye ediyoruz.
Lütfen bu özelliği sadece güncelleme ve DLC yüklemek için kullanın.
-
+ %n file(s) were newly installed
%n dosya güncel olarak yüklendi
@@ -4361,7 +4360,7 @@ Lütfen bu özelliği sadece güncelleme ve DLC yüklemek için kullanın.
-
+ %n file(s) were overwritten
%n dosyanın üstüne yazıldı
@@ -4369,7 +4368,7 @@ Lütfen bu özelliği sadece güncelleme ve DLC yüklemek için kullanın.
-
+ %n file(s) failed to install
%n dosya yüklenemedi
@@ -4377,339 +4376,371 @@ Lütfen bu özelliği sadece güncelleme ve DLC yüklemek için kullanın.
-
+ System ApplicationSistem Uygulaması
-
+ System ArchiveSistem Arşivi
-
+ System Application UpdateSistem Uygulama Güncellemesi
-
+ Firmware Package (Type A)Yazılım Paketi (Tür A)
-
+ Firmware Package (Type B)Yazılım Paketi (Tür B)
-
+ GameOyun
-
+ Game UpdateOyun Güncellemesi
-
+ Game DLCOyun DLC'si
-
+ Delta TitleDelta Başlık
-
+ Select NCA Install Type...NCA Kurulum Tipi Seçin...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Lütfen bu NCA dosyası için belirlemek istediğiniz başlık türünü seçiniz:
(Çoğu durumda, varsayılan olan 'Oyun' kullanılabilir.)
-
+ Failed to InstallKurulum Başarısız Oldu
-
+ The title type you selected for the NCA is invalid.NCA için seçtiğiniz başlık türü geçersiz
-
+ File not foundDosya Bulunamadı
-
+ File "%1" not foundDosya "%1" Bulunamadı
-
+ OKTamam
-
-
+
+ Hardware requirements not metDonanım gereksinimleri karşılanmıyor
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Sisteminiz, önerilen donanım gereksinimlerini karşılamıyor. Uyumluluk raporlayıcı kapatıldı.
-
+ Missing yuzu AccountKayıp yuzu Hesabı
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Oyun uyumluluk test çalışması göndermek için öncelikle yuzu hesabınla giriş yapmanız gerekiyor.<br><br/>Yuzu hesabınızla giriş yapmak için, Emülasyon > Yapılandırma > Web'e gidiniz.
-
+ Error opening URLURL açılırken bir hata oluştu
-
+ Unable to open the URL "%1".URL "%1" açılamıyor.
-
+ TAS RecordingTAS kayıtta
-
+ Overwrite file of player 1?Oyuncu 1'in dosyasının üstüne yazılsın mı?
-
+ Invalid config detectedGeçersiz yapılandırma tespit edildi
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Handheld kontrolcü dock modunda kullanılamaz. Pro kontrolcü seçilecek.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedAmiibo kaldırıldı
-
+ ErrorHata
-
-
+
+ The current game is not looking for amiibosAktif oyun amiibo beklemiyor
-
+ Amiibo File (%1);; All Files (*.*)Amiibo Dosyası (%1);; Tüm Dosyalar (*.*)
-
+ Load AmiiboAmiibo Yükle
-
+ Error loading Amiibo dataAmiibo verisi yüklenirken hata
-
+ The selected file is not a valid amiiboSeçtiğiniz dosya geçerli bir amiibo değil
-
+ The selected file is already on useSeçtiğiniz dosya hali hazırda kullanılıyor
-
+ An unknown error occurredBilinmeyen bir hata oluştu
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotEkran Görüntüsü Al
-
+ PNG Image (*.png)PNG görüntüsü (*.png)
-
+ TAS state: Running %1/%2TAS durumu: %1%2 çalışıyor
-
+ TAS state: Recording %1TAS durumu: %1 kaydediliyor
-
+ TAS state: Idle %1/%2TAS durumu: %1%2 boşta
-
+ TAS State: InvalidTAS durumu: Geçersiz
-
+ &Stop Running&Çalıştırmayı durdur
-
+ &Start&Başlat
-
+ Stop R&ecordingK&aydetmeyi Durdur
-
+ R&ecordK&aydet
-
+ Building: %n shader(s)Oluşturuluyor: %n shaderOluşturuluyor: %n shader
-
+ Scale: %1x%1 is the resolution scaling factorÖlçek: %1x
-
+ Speed: %1% / %2%Hız %1% / %2%
-
+ Speed: %1%Hız: %1%
-
+ Game: %1 FPS (Unlocked)Oyun: %1 FPS (Sınırsız)
-
+ Game: %1 FPSOyun: %1 FPS
-
+ Frame: %1 msKare: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAAA YOK
-
+ VOLUME: MUTESES: KAPALI
-
+ VOLUME: %1%Volume percentage (e.g. 50%)SES: %%1
-
+ Confirm Key RederivationAnahtar Yeniden Türetimini Onayla
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4726,37 +4757,37 @@ ve opsiyonel olarak yedekler alın.
Bu sizin otomatik oluşturulmuş anahtar dosyalarınızı silecek ve anahtar türetme modülünü tekrar çalıştıracak.
-
+ Missing fusesAnahtarlar Kayıp
-
+ - Missing BOOT0- BOOT0 Kayıp
-
+ - Missing BCPKG2-1-Normal-Main- BCPKG2-1-Normal-Main Kayıp
-
+ - Missing PRODINFO- PRODINFO Kayıp
-
+ Derivation Components MissingTüreten Bileşenleri Kayıp
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Şifreleme anahtarları eksik. <br>Lütfen takip edin<a href='https://yuzu-emu.org/help/quickstart/'>yuzu hızlı başlangıç kılavuzunu</a>tüm anahtarlarınızı, aygıt yazılımınızı ve oyunlarınızı almada.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4765,49 +4796,49 @@ Bu sistem performansınıza bağlı olarak
bir dakika kadar zaman alabilir.
-
+ Deriving KeysAnahtarlar Türetiliyor
-
+ System Archive Decryption Failed
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.
-
+ Select RomFS Dump TargetRomFS Dump Hedefini Seçiniz
-
+ Please select which RomFS you would like to dump.Lütfen dump etmek istediğiniz RomFS'i seçiniz.
-
+ Are you sure you want to close yuzu?yuzu'yu kapatmak istediğinizden emin misiniz?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Emülasyonu durdurmak istediğinizden emin misiniz? Kaydedilmemiş veriler kaybolur.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4959,241 +4990,251 @@ Görmezden gelip kapatmak ister misiniz?
GameList
-
+ FavoriteFavori
-
+ Start GameOyunu Başlat
-
+ Start Game without Custom ConfigurationOyunu Özel Yapılandırma Olmadan Başlat
-
+ Open Save Data LocationKayıt Dosyası Konumunu Aç
-
+ Open Mod Data LocationMod Dosyası Konumunu Aç
-
+ Open Transferable Pipeline CacheTransfer Edilebilir Pipeline Cache'ini Aç
-
+ RemoveKaldır
-
+ Remove Installed UpdateYüklenmiş Güncellemeleri Kaldır
-
+ Remove All Installed DLCYüklenmiş DLC'leri Kaldır
-
+ Remove Custom ConfigurationOyuna Özel Yapılandırmayı Kaldır
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache Storage
-
+ Remove OpenGL Pipeline CacheOpenGL Pipeline Cache'ini Kaldır
-
+ Remove Vulkan Pipeline CacheVulkan Pipeline Cache'ini Kaldır
-
+ Remove All Pipeline CachesBütün Pipeline Cache'lerini Kaldır
-
+ Remove All Installed ContentsTüm Yüklenmiş İçeriği Kaldır
-
-
+
+ Dump RomFSRomFS Dump Et
-
+ Dump RomFS to SDMCRomFS'i SDMC'ye çıkar.
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardTitle ID'yi Panoya Kopyala
-
+ Navigate to GameDB entryGameDB sayfasına yönlendir
-
+ Create ShortcutKısayol Oluştur
-
+ Add to DesktopMasaüstüne Ekle
-
+ Add to Applications MenuUygulamalar Menüsüne Ekl
-
+ PropertiesÖzellikler
-
+ Scan SubfoldersAlt Klasörleri Tara
-
+ Remove Game DirectoryOyun Konumunu Kaldır
-
+ ▲ Move Up▲Yukarı Git
-
+ ▼ Move Down▼Aşağı Git
-
+ Open Directory LocationOyun Dosyası Konumunu Aç
-
+ ClearTemizle
-
+ Nameİsim
-
+ CompatibilityUyumluluk
-
+ Add-onsEklentiler
-
+ File typeDosya türü
-
+ SizeBoyut
+
+
+ Play time
+
+ GameListItemCompat
-
+ IngameOyunda
-
+ 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.
-
+ PerfectMükemmel
-
+ Game can be played without issues.Oyun sorunsuz bir şekilde oynanabiliyor.
-
+ PlayableOynanabilir
-
+ 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 BootAçılmıyor
-
+ The game crashes when attempting to startup.Oyun açılmaya çalışıldığında çöküyor.
-
+ Not TestedTest Edilmedi
-
+ The game has not yet been tested.Bu oyun henüz test edilmedi.
@@ -5201,7 +5242,7 @@ Görmezden gelip kapatmak ister misiniz?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listOyun listesine yeni bir klasör eklemek için çift tıklayın.
@@ -5214,12 +5255,12 @@ Görmezden gelip kapatmak ister misiniz?
%n sonucun %1'i%n sonucun %1'i
-
+ Filter:Filtre:
-
+ Enter pattern to filterFiltrelemek için bir düzen giriniz
@@ -5336,6 +5377,7 @@ Debug Message:
+ Main WindowAna Pencere
@@ -5441,6 +5483,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarDurum Çubuğunu Aç/Kapa
@@ -5679,186 +5726,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &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
-
+ &StopDu&rdur
-
+ &Reinitialize keys...&Anahtarları Yeniden Kur...
-
+ &Verify Installed Contents
-
+ &About yuzu&Yuzu Hakkında
-
+ Single &Window Mode&Tek Pencere Modu
-
+ Con&figure...&Yapılandır...
-
+ Display D&ock Widget HeadersD&ock Widget Başlıkları'nı Göster
-
+ Show &Filter Bar&Filtre Çubuğu'nu Göster
-
+ Show &Status Bar&Durum Çubuğu'nu Göster
-
+ Show Status BarDurum Ç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
-
+ Open &yuzu Folder&yuzu Klasörünü Aç
-
+ &Capture Screenshot&Ekran Görüntüsü Al
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...&TAS'i Ayarla...
-
+ Configure C&urrent Game...&Geçerli Oyunu Yapılandır...
-
+ &StartB&aşlat
-
+ &Reset&Sıfırla
-
+ R&ecordK&aydet
@@ -6166,27 +6243,27 @@ p, li { white-space: pre-wrap; }
Şu anda oyun oynamıyor
-
+ Installed SD TitlesYüklenmiş SD Oyunları
-
+ Installed NAND TitlesYüklenmiş NAND Oyunları
-
+ System TitlesSistemde Yüklü Oyunlar
-
+ Add New Game DirectoryYeni Oyun Konumu Ekle
-
+ FavoritesFavoriler
@@ -6712,7 +6789,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6725,7 +6802,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joyconsİkili Joyconlar
@@ -6738,7 +6815,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconSol Joycon
@@ -6751,7 +6828,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconSağ Joycon
@@ -6780,7 +6857,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6896,32 +6973,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerGameCube Kontrolcüsü
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerNES Kontrolcüsü
-
+ SNES ControllerSNES Kontrolcüsü
-
+ N64 ControllerN64 Kontrolcüsü
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/uk.ts b/dist/languages/uk.ts
index 096c6039a..a4fb7893d 100644
--- a/dist/languages/uk.ts
+++ b/dist/languages/uk.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zoneАвто (%1)
-
+ Default (%1)Default time zoneЗа замовчуванням (%1)
@@ -893,49 +893,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- Створювати міні-дамп після крашу
-
-
- 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**Вивантажувати аудіо команди в консоль**
-
+ Enable Verbose Reporting Services**Увімкнути службу звітів у розгорнутому вигляді**
-
+ **This will be reset automatically when yuzu closes.**Це буде автоматично скинуто після закриття yuzu.
-
- Restart Required
- Потрібен перезапуск
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu необхідно перезапустити, щоб застосувати це налаштування.
-
-
-
+ Web applet not compiledВеб-аплет не скомпільовано
-
-
- MiniDump creation not compiled
- Створення міні-дампа не скомпільовано
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceКонфліктуюча комбінація клавіш
@@ -1375,27 +1355,37 @@ This would ban both their forum username and their IP address.
Неприпустимо
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultВідновити значення за замовчуванням
-
+ ClearОчистити
-
+ Conflicting Button SequenceКонфліктуюче поєднання кнопок
-
+ The default button sequence is already assigned to: %1Типова комбінація кнопок вже призначена до: %1
-
+ The default key sequence is already assigned to: %1Типова комбінація клавіш вже призначена до: %1
@@ -3373,67 +3363,72 @@ Drag points to change position, or double-click table cells to edit values.Показувати стовпець типу файлів
-
+
+ Show Play Time Column
+
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value
@@ -3751,612 +3746,616 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Анонімні дані збираються для того,</a> щоб допомогти поліпшити роботу yuzu. <br/><br/>Хотіли б ви ділитися даними про використання з нами?
-
+ TelemetryТелеметрія
-
+ Broken Vulkan Installation DetectedВиявлено пошкоджену інсталяцію Vulkan
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Не вдалося виконати ініціалізацію Vulkan під час завантаження.<br><br>Натисніть <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>тут для отримання інструкцій щодо усунення проблеми</a>.
-
+ Running a gameTRANSLATORS: 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, не беручи до уваги обмеження FPS або вертикальну синхронізацію. Для емуляції в повній швидкості значення має бути не більше 16,67 мс.
-
+ UnmuteУвімкнути звук
-
+ MuteВимкнути звук
-
+ Reset VolumeСкинути гучність
-
+ &Clear Recent Files[&C] Очистити нещодавні файли
-
+ Emulated mouse is enabledЕмульована мишка увімкнена
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Введення реальної миші та панорамування мишею несумісні. Будь ласка, вимкніть емульовану мишу в розширених налаштуваннях введення, щоб дозволити панорамування мишею.
-
+ &Continue[&C] Продовжити
-
+ &Pause[&P] Пауза
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Для цієї гри ви використовуєте розархівований формат ROM'а, який є застарілим і був замінений іншими, такими як NCA, NAX, XCI або NSP. У розархівованих каталогах ROM'а відсутні іконки, метадані та підтримка оновлень. <br><br>Для отримання інформації про різні формати Switch, підтримувані yuzu, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>перегляньте нашу вікі</a>. Це повідомлення більше не буде відображатися.
-
+ Error while loading ROM!Помилка під час завантаження ROM!
-
+ The ROM format is not supported.Формат ROM'а не підтримується.
-
+ An error occurred initializing the video core.Сталася помилка під час ініціалізації відеоядра.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu зіткнувся з помилкою під час запуску відеоядра. Зазвичай це спричинено застарілими драйверами ГП, включно з інтегрованими. Перевірте журнал для отримання більш детальної інформації. Додаткову інформацію про доступ до журналу дивіться на наступній сторінці: <a href='https://yuzu-emu.org/help/reference/log-files/'>Як завантажити файл журналу</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Помилка під час завантаження ROM'а! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Будь ласка, дотримуйтесь <a href='https://yuzu-emu.org/help/quickstart/'>короткого керівництва користувача yuzu</a> щоб пере-дампити ваші файли<br>Ви можете звернутися до вікі yuzu</a> або Discord yuzu</a> для допомоги
-
+ 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!Папка не існує!
-
+ Error Opening Transferable Shader CacheПомилка під час відкриття переносного кешу шейдерів
-
+ Failed to create the shader cache directory for this title.Не вдалося створити папку кешу шейдерів для цієї гри.
-
+ Error Removing ContentsПомилка під час видалення вмісту
-
+ Error Removing UpdateПомилка під час видалення оновлень
-
+ Error Removing DLCПомилка під час видалення DLC
-
+ Remove Installed Game Contents?Видалити встановлений вміст ігор?
-
+ Remove Installed Game Update?Видалити встановлені оновлення гри?
-
+ Remove Installed Game DLC?Видалити встановлені DLC гри?
-
+ Remove EntryВидалити запис
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.Для цієї гри не було встановлено DLC.
-
+ Successfully removed %1 installed DLC.Встановлений DLC %1 було успішно видалено
-
+ 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?
+
+
+
+
+ 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.Не вдалося видалити користувацьке налаштування гри.
-
-
+
+ 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.Операція завершилася успішно.
-
+ Integrity verification couldn't be performed!
-
+ File contents were not checked for validity.
-
-
+
+ Integrity verification failed!
-
+ File contents may be corrupt.
-
-
+
+ Verifying integrity...
-
-
+
+ Integrity verification succeeded!
-
-
-
-
-
+
+
+
+ Create ShortcutСтворити ярлик
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Це створить ярлик для поточного AppImage. Він може не працювати після оновлень. Продовжити?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Не вдається створити ярлик на робочому столі. Шлях "%1" не існує.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Неможливо створити ярлик у меню додатків. Шлях "%1" не існує і не може бути створений.
-
-
-
+ Create IconСтворити іконку
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Неможливо створити файл іконки. Шлях "%1" не існує і не може бути створений.
-
+ Start %1 with the yuzu EmulatorЗапустити %1 за допомогою емулятора yuzu
-
+ Failed to create a shortcut at %1Не вдалося створити ярлик у %1
-
+ Successfully created a shortcut to %1Успішно створено ярлик у %1
-
+ 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.Щоб уникнути можливих конфліктів, ми не рекомендуємо користувачам встановлювати ігри в NAND.
Будь ласка, використовуйте цю функцію тільки для встановлення оновлень і завантажуваного контенту.
-
+ %n file(s) were newly installed
%n файл було нещодавно встановлено
@@ -4366,7 +4365,7 @@ Please, only use this feature to install updates and DLC.
-
+ %n file(s) were overwritten
%n файл було перезаписано
@@ -4376,7 +4375,7 @@ Please, only use this feature to install updates and DLC.
-
+ %n file(s) failed to install
%n файл не вдалося встановити
@@ -4386,339 +4385,371 @@ 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 DLCDLC до гри
-
+ 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ОК
-
-
+
+ Hardware requirements not metНе задоволені системні вимоги
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Ваша система не відповідає рекомендованим системним вимогам. Звіти про сумісність було вимкнено.
-
+ Missing yuzu AccountВідсутній обліковий запис yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Щоб надіслати звіт про сумісність гри, необхідно прив'язати свій обліковий запис yuzu. <br><br/>Щоб прив'язати свій обліковий запис yuzu, перейдіть у розділ Емуляція > Параметри > Мережа.
-
+ 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.
-
-
+
+ AmiiboAmiibo
-
-
+
+ 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Виникла невідома помилка
-
+ Verification failed for the following files:
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotЗробити знімок екрану
-
+ PNG Image (*.png)Зображення PNG (*.png)
-
+ 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] Зупинка
-
+ &Start[&S] Почати
-
+ Stop R&ecording[&E] Закінчити запис
-
+ R&ecord[&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 (Unlocked)Гра: %1 FPS (Необмежено)
-
+ Game: %1 FPSГра: %1 FPS
-
+ Frame: %1 msКадр: %1 мс
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AAБЕЗ ЗГЛАДЖУВАННЯ
-
+ VOLUME: MUTEГУЧНІСТЬ: ЗАГЛУШЕНА
-
+ VOLUME: %1%Volume percentage (e.g. 50%)ГУЧНІСТЬ: %1%
-
+ Confirm Key RederivationПідтвердіть перерахунок ключа
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4735,37 +4766,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
Це видалить ваші автоматично згенеровані файли ключів і повторно запустить модуль розрахунку ключів.
-
+ Missing fusesВідсутні запобіжники
-
+ - Missing BOOT0- Відсутній BOOT0
-
+ - Missing BCPKG2-1-Normal-Main- Відсутній BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Відсутній PRODINFO
-
+ Derivation Components MissingКомпоненти розрахунку відсутні
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Ключі шифрування відсутні.<br>Будь ласка, дотримуйтесь <a href='https://yuzu-emu.org/help/quickstart/'>короткого керівництва користувача yuzu</a>, щоб отримати всі ваші ключі, прошивку та ігри<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4774,49 +4805,49 @@ on your system's performance.
від продуктивності вашої системи.
-
+ Deriving KeysОтримання ключів
-
+ System Archive Decryption FailedНе вдалося розшифрувати системний архів
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Ключі шифрування не змогли розшифрувати прошивку.<br>Будь ласка, дотримуйтесь <a href='https://yuzu-emu.org/help/quickstart/'>короткого керівництва користувача yuzu</a> щоб отримати всі ваші ключі, прошивку та ігри.
-
+ Select RomFS Dump TargetОберіть ціль для дампа RomFS
-
+ Please select which RomFS you would like to dump.Будь ласка, виберіть, який RomFS ви хочете здампити.
-
+ Are you sure you want to close yuzu?Ви впевнені, що хочете закрити yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Ви впевнені, що хочете зупинити емуляцію? Будь-який незбережений прогрес буде втрачено.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4968,241 +4999,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ FavoriteУлюблені
-
+ Start GameЗапустити гру
-
+ Start Game without Custom ConfigurationЗапустити гру без користувацького налаштування
-
+ Open Save Data LocationВідкрити папку для збережень
-
+ Open Mod Data LocationВідкрити папку для модів
-
+ Open Transferable Pipeline CacheВідкрити переносний кеш конвеєра
-
+ RemoveВидалити
-
+ Remove Installed UpdateВидалити встановлене оновлення
-
+ Remove All Installed DLCВидалити усі DLC
-
+ Remove Custom ConfigurationВидалити користувацьке налаштування
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageВидалити кеш-сховище
-
+ Remove OpenGL Pipeline CacheВидалити кеш конвеєра OpenGL
-
+ Remove Vulkan Pipeline CacheВидалити кеш конвеєра Vulkan
-
+ Remove All Pipeline CachesВидалити весь кеш конвеєра
-
+ Remove All Installed ContentsВидалити весь встановлений вміст
-
-
+
+ Dump RomFSДамп RomFS
-
+ Dump RomFS to SDMCЗдампити RomFS у SDMC
-
+ Verify Integrity
-
+ Copy Title ID to ClipboardСкопіювати ідентифікатор додатку в буфер обміну
-
+ Navigate to GameDB entryПерейти до сторінки GameDB
-
+ Create ShortcutСтворити ярлик
-
+ Add to DesktopДодати на Робочий стіл
-
+ Add to Applications MenuДодати до меню застосунків
-
+ PropertiesВластивості
-
+ Scan SubfoldersСканувати підпапки
-
+ Remove Game DirectoryВидалити директорію гри
-
+ ▲ Move Up▲ Перемістити вверх
-
+ ▼ Move Down▼ Перемістити вниз
-
+ Open Directory LocationВідкрити розташування папки
-
+ ClearОчистити
-
+ NameНазва
-
+ CompatibilityСумісність
-
+ Add-onsДоповнення
-
+ File typeТип файлу
-
+ SizeРозмір
+
+
+ Play time
+
+ 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.Гру ще не перевіряли на сумісність.
@@ -5210,7 +5251,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listНатисніть двічі, щоб додати нову папку до списку ігор
@@ -5223,12 +5264,12 @@ Would you like to bypass this and exit anyway?
%1 із %n результат(ів)%1 із %n результат(ів)%1 із %n результат(ів)%1 із %n результат(ів)
-
+ Filter:Пошук:
-
+ Enter pattern to filterВведіть текст для пошуку
@@ -5346,6 +5387,7 @@ Debug Message:
+ Main WindowОсновне вікно
@@ -5451,6 +5493,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarПереключити панель стану
@@ -5689,186 +5736,216 @@ Debug Message:
+ &Amiibo
+
+
+
+ &TAS[&T] TAS
-
+ &Help[&H] Допомога
-
+ &Install Files to NAND...[&I] Встановити файли в NAND...
-
+ L&oad File...[&O] Завантажити файл...
-
+ Load &Folder...[&F] Завантажити папку...
-
+ E&xit[&X] Вихід
-
+ &Pause[&P] Пауза
-
+ &Stop[&S] Стоп
-
+ &Reinitialize keys...[&R] Переініціалізувати ключі...
-
+ &Verify Installed Contents
-
+ &About yuzu[&A] Про yuzu
-
+ Single &Window Mode[&W] Режим одного вікна
-
+ Con&figure...[&F] Налаштування...
-
+ Display D&ock Widget Headers[&O] Відображати заголовки віджетів дока
-
+ 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] ЧАП
-
+ Open &yuzu Folder[&Y] Відкрити папку yuzu
-
+ &Capture Screenshot[&C] Зробити знімок екрану
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &Mii Editor
-
+ &Configure TAS...[&C] Налаштування TAS...
-
+ Configure C&urrent Game...[&U] Налаштувати поточну гру...
-
+ &Start[&S] Почати
-
+ &Reset[&S] Скинути
-
+ R&ecord[&E] Запис
@@ -6176,27 +6253,27 @@ p, li { white-space: pre-wrap; }
Не грає в гру
-
+ Installed SD TitlesВстановлені SD ігри
-
+ Installed NAND TitlesВстановлені NAND ігри
-
+ System TitlesСистемні ігри
-
+ Add New Game DirectoryДодати нову папку з іграми
-
+ FavoritesУлюблені
@@ -6722,7 +6799,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerКонтролер Pro
@@ -6735,7 +6812,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsПодвійні Joy-Con'и
@@ -6748,7 +6825,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconЛівий Joy-Con
@@ -6761,7 +6838,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconПравий Joy-Con
@@ -6790,7 +6867,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldПортативний
@@ -6906,32 +6983,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerКонтролер GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerКонтролер NES
-
+ SNES ControllerКонтролер SNES
-
+ N64 ControllerКонтролер N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/vi.ts b/dist/languages/vi.ts
index c4c1fb3b2..067aab070 100644
--- a/dist/languages/vi.ts
+++ b/dist/languages/vi.ts
@@ -373,13 +373,13 @@ Việc này sẽ ban tên người dùng trên diễn đàn và IP của họ lu
%
-
+ Auto (%1)Auto select time zoneTự động (%1)
-
+ Default (%1)Default time zoneMặc định (%1)
@@ -893,49 +893,29 @@ Việc này sẽ ban tên người dùng trên diễn đàn và IP của họ lu
- Create Minidump After Crash
- Tạo Minidump sau khi crash
-
-
- 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**
-
+ Enable Verbose Reporting Services**Bật dịch vụ báo cáo chi tiết**
-
+ **This will be reset automatically when yuzu closes.**Sẽ tự động đặt lại khi đóng yuzu.
-
- Restart Required
- Cần khởi động lại
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu cần khởi động lại để áp dụng cài đặt này.
-
-
-
+ Web applet not compiledApplet web chưa được biên dịch
-
-
- MiniDump creation not compiled
- Chức năng tạo MiniDump không được biên dịch
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ Việc này sẽ ban tên người dùng trên diễn đàn và IP của họ lu
-
+ Conflicting Key SequenceTổ hợp phím bị xung đột
@@ -1375,27 +1355,37 @@ Việc này sẽ ban tên người dùng trên diễn đàn và IP của họ lu
Không hợp lệ
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultKhôi phục mặc định
-
+ ClearXóa
-
+ Conflicting Button SequenceTổ hợp nút bị xung đột
-
+ The default button sequence is already assigned to: %1Tổ hợp nút mặc định đã được gán cho: %1
-
+ The default key sequence is already assigned to: %1Tổ hợp phím này đã gán với: %1
@@ -3373,67 +3363,72 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr
Hiện cột Loại tập tin
-
+
+ Show Play Time Column
+
+
+
+ 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:
-
+ ......
-
+ TextLabelNhã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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueTự động (%1 x %2, %3 x %4)
@@ -3751,820 +3746,824 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Dữ liệu ẩn danh được thu thập</a>để hỗ trợ cải thiện yuzu. <br/><br/>Bạn có muốn chia sẽ dữ liệu sử dụng với chúng tôi?
-
+ TelemetryViễn trắc
-
+ Broken Vulkan Installation DetectedPhát hiện cài đặt Vulkan bị hỏng
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Khởi tạo Vulkan thất bại trong quá trình khởi động.<br>Nhấp <br><a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>vào đây để xem hướng dẫn khắc phục vấn đề</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingĐang chạy một game
-
+ Loading Web Applet...Đang tải applet web...
-
-
+
+ Disable Web AppletTắt 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.)Tắt applet web có thể dẫn đến hành vi không xác định và chỉ nên được sử dụng với Super Mario 3D All-Stars. Bạn có chắc chắn muốn tắt applet web không?
(Có thể được bật lại trong cài đặt Gỡ lỗi.)
-
+ The amount of shaders currently being builtSố lượng shader đang được dựng
-
+ The current selected resolution scaling multiplier.Bội số tỷ lệ độ phân giải được chọn hiện tại.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Tốc độ giả lập hiện tại. Giá trị cao hơn hoặc thấp hơn 100% chỉ ra giả lập sẽ chạy nhanh hơn hoặc chậm hơn trên máy Switch.
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Có bao nhiêu khung hình trên mỗi giây mà game đang hiển thị. Điều này sẽ thay đổi giữa các game và các cảnh khác nhau.
-
+ 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.Thời gian mà giả lập lấy từ khung hình Switch, sẽ không kể đến giới hạn khung hình hoặc v-sync. Đối với tốc độ tối đa mà giả lập nhận được nhiều nhất là ở độ khoảng 16.67 ms.
-
+ UnmuteBật tiếng
-
+ MuteTắt tiếng
-
+ Reset VolumeĐặt lại âm lượng
-
+ &Clear Recent Files&Xoá tập tin gần đây
-
+ Emulated mouse is enabledChuột giả lập đã được bật
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Đầu vào từ chuột thật và tính năng lia chuột không tương thích. Vui lòng tắt chuột giả lập trong cài đặt đầu vào nâng cao để cho phép lia chuột.
-
+ &Continue&Tiếp tục
-
+ &Pause&Tạm dừng
-
+ Warning Outdated Game FormatCảnh báo định dạng game đã lỗi thời
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Bạn đang sử dụng định dạng thư mục ROM đã giải nén cho game này, một định dạng lỗi thời đã được thay thế bởi những thứ khác như NCA, NAX, XCI, hoặc NSP. Thư mục ROM đã giải nén có thể thiếu các biểu tượng, metadata, và hỗ trợ cập nhật.<br><br>Để hiểu thêm về các định dạng khác nhau của Switch mà yuzu hỗ trợ, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>vui lòng kiểm tra wiki của chúng tôi</a>. Thông báo này sẽ không hiển thị lại lần sau.
-
+ Error while loading ROM!Lỗi khi nạp ROM!
-
+ The ROM format is not supported.Định dạng ROM này không được hỗ trợ.
-
+ An error occurred initializing the video core.Đã xảy ra lỗi khi khởi tạo lõi video.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu đã gặp lỗi khi chạy lõi video. Điều này thường xảy ra do phiên bản driver GPU đã cũ, bao gồm cả driver tích hợp. Vui lòng xem nhật ký để biết thêm chi tiết. Để biết thêm thông tin về cách truy cập nhật ký, vui lòng xem trang sau: <a href='https://yuzu-emu.org/help/reference/log-files/'>Cách tải lên tập tin nhật ký</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Lỗi khi nạp ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a> để trích xuất lại các tập tin của bạn.<br>Bạn có thể tham khảo yuzu wiki</a> hoặc yuzu Discord</a>để được hỗ trợ.
-
+ An unknown error occurred. Please see the log for more details.Đã xảy ra lỗi không xác định. Hãy xem nhật ký để biết thêm chi tiết.
-
+ (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...Đang đóng phần mềm...
-
+ Save DataDữ liệu save
-
+ Mod DataDữ liệu mod
-
+ Error Opening %1 FolderLỗi khi mở thư mục %1
-
-
+
+ Folder does not exist!Thư mục này không tồn tại!
-
+ Error Opening Transferable Shader CacheLỗi khi mở bộ nhớ đệm shader chuyển được
-
+ Failed to create the shader cache directory for this title.Thất bại khi tạo thư mục bộ nhớ đệm shader cho title này.
-
+ Error Removing ContentsLỗi khi loại bỏ nội dung
-
+ Error Removing UpdateLỗi khi loại bỏ bản cập nhật
-
+ Error Removing DLCLỗi khi loại bỏ DLC
-
+ Remove Installed Game Contents?Loại bỏ nội dung game đã cài đặt?
-
+ Remove Installed Game Update?Loại bỏ bản cập nhật game đã cài đặt?
-
+ Remove Installed Game DLC?Loại bỏ DLC game đã cài đặt?
-
+ Remove EntryXoá mục
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedLoại bỏ thành công
-
+ Successfully removed the installed base game.Loại bỏ thành công base game đã cài đặt.
-
+ The base game is not installed in the NAND and cannot be removed.Base game không được cài đặt trong NAND và không thể loại bỏ.
-
+ Successfully removed the installed update.Loại bỏ thành công bản cập nhật đã cài đặt.
-
+ There is no update installed for this title.Không có bản cập nhật nào được cài đặt cho title này.
-
+ There are no DLC installed for this title.Không có DLC nào được cài đặt cho title này.
-
+ Successfully removed %1 installed DLC.Loại bỏ thành công %1 DLC đã cài đặt.
-
+ Delete OpenGL Transferable Shader Cache?Xoá bộ nhớ đệm shader OpenGL chuyển được?
-
+ Delete Vulkan Transferable Shader Cache?Xoá bộ nhớ đệm shader Vulkan chuyển được?
-
+ Delete All Transferable Shader Caches?Xoá tất cả bộ nhớ đệm shader chuyển được?
-
+ Remove Custom Game Configuration?Loại bỏ cấu hình game tuỳ chỉnh?
-
+ Remove Cache Storage?Loại bỏ bộ nhớ đệm?
-
+ Remove FileLoại bỏ tập tin
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheLỗi khi loại bỏ bộ nhớ đệm shader chuyển được
-
-
+
+ A shader cache for this title does not exist.Bộ nhớ đệm shader cho title này không tồn tại.
-
+ Successfully removed the transferable shader cache.Thành công loại bỏ bộ nhớ đệm shader chuyển được.
-
+ Failed to remove the transferable shader cache.Thất bại khi xoá bộ nhớ đệm shader chuyển được.
-
+ Error Removing Vulkan Driver Pipeline CacheLỗi khi xoá bộ nhớ đệm pipeline Vulkan
-
+ Failed to remove the driver pipeline cache.Thất bại khi xoá bộ nhớ đệm pipeline của driver.
-
-
+
+ Error Removing Transferable Shader CachesLỗi khi loại bỏ bộ nhớ đệm shader chuyển được
-
+ Successfully removed the transferable shader caches.Thành công loại bỏ tất cả bộ nhớ đệm shader chuyển được.
-
+ Failed to remove the transferable shader cache directory.Thất bại khi loại bỏ thư mục bộ nhớ đệm shader.
-
-
+
+ Error Removing Custom ConfigurationLỗi khi loại bỏ cấu hình tuỳ chỉnh
-
+ A custom configuration for this title does not exist.Cấu hình tuỳ chỉnh cho title này không tồn tại.
-
+ Successfully removed the custom game configuration.Loại bỏ thành công cấu hình game tuỳ chỉnh.
-
+ Failed to remove the custom game configuration.Thất bại khi xoá cấu hình game tuỳ chỉnh.
-
-
+
+ RomFS Extraction Failed!Giải nén RomFS không thành công!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Đã xảy ra lỗi khi sao chép các tập tin RomFS hoặc người dùng đã hủy bỏ hoạt động này.
-
+ FullĐầy đủ
-
+ SkeletonKhung
-
+ Select RomFS Dump ModeChọn chế độ trích xuất 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.Vui lòng chọn cách mà bạn muốn RomFS được trích xuất.<br>Chế độ Đầy đủ sẽ sao chép toàn bộ tập tin vào một thư mục mới trong khi <br>chế độ Khung chỉ tạo cấu trúc thư mục.
-
+ 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 RootKhông đủ bộ nhớ trống tại %1 để trích xuất RomFS. Hãy giải phóng bộ nhớ hoặc chọn một thư mục trích xuất khác tại Giả lập > Cấu hình > Hệ thống > Hệ thống tập tin > Thư mục trích xuất gốc
-
+ Extracting RomFS...Giải nén RomFS...
-
-
-
-
+
+
+
+ CancelHủy bỏ
-
+ RomFS Extraction Succeeded!Giải nén RomFS thành công!
-
-
-
+
+
+ The operation completed successfully.Các hoạt động đã hoàn tất thành công.
-
+ Integrity verification couldn't be performed!Không thể thực hiện kiểm tra tính toàn vẹn!
-
+ File contents were not checked for validity.Chưa kiểm tra sự hợp lệ của nội dung tập tin.
-
-
+
+ Integrity verification failed!Kiểm tra tính toàn vẹn thất bại!
-
+ File contents may be corrupt.Nội dung tập tin có thể bị hỏng.
-
-
+
+ Verifying integrity...Đang kiểm tra tính toàn vẹn...
-
-
+
+ Integrity verification succeeded!Kiểm tra tính toàn vẹn thành công!
-
-
-
-
-
+
+
+
+ Create ShortcutTạo lối tắt
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Việc này sẽ tạo một lối tắt tới AppImage hiện tại. Điều này có thể không hoạt động tốt nếu bạn cập nhật. Tiếp tục?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Không thể tạo lối tắt trên desktop. Đường dẫn "%1" không tồn tại.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Không thể tạo lối tắt trong menu ứng dụng. Đường dẫn "%1" không tồn tại và không thể tạo.
-
-
-
+ Create IconTạo biểu tượng
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Không thể tạo tập tin biểu tượng. Đường dẫn "%1" không tồn tại và không thể tạo.
-
+ Start %1 with the yuzu EmulatorBắt đầu %1 với giả lập yuzu
-
+ Failed to create a shortcut at %1Thất bại khi tạo lối tắt tại %1
-
+ Successfully created a shortcut to %1Thành công tạo lối tắt tại %1
-
+ Error Opening %1Lỗi khi mở %1
-
+ Select DirectoryChọn thư mục
-
+ PropertiesThuộc tính
-
+ The game properties could not be loaded.Không thể tải thuộc tính của game.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Thực thi Switch (%1);;Tất cả tập tin (*.*)
-
+ Load FileNạp tập tin
-
+ Open Extracted ROM DirectoryMở thư mục ROM đã giải nén
-
+ Invalid Directory SelectedDanh mục đã chọn không hợp lệ
-
+ The directory you have selected does not contain a 'main' file.Thư mục mà bạn đã chọn không chứa tập tin 'main'.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Những tập tin Switch cài được (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesCài đặt tập tin
-
+ %n file(s) remaining%n tập tin còn lại
-
+ Installing file "%1"...Đang cài đặt tập tin "%1"...
-
-
+
+ Install ResultsKết quả cài đặt
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Để tránh xung đột có thể xảy ra, chúng tôi không khuyến khích người dùng cài đặt base game vào NAND.
Vui lòng, chỉ sử dụng tính năng này để cài đặt các bản cập nhật và DLC.
-
+ %n file(s) were newly installed
%n tập tin đã được cài đặt mới
-
+ %n file(s) were overwritten
%n tập tin đã được ghi đè
-
+ %n file(s) failed to install
%n tập tin thất bại khi cài đặt
-
+ System ApplicationỨng dụng hệ thống
-
+ System ArchiveBản lưu trữ của hệ thống
-
+ System Application UpdateCập nhật ứng dụng hệ thống
-
+ Firmware Package (Type A)Gói firmware (Loại A)
-
+ Firmware Package (Type B)Gói firmware (Loại B)
-
+ GameGame
-
+ Game UpdateCập nhật game
-
+ Game DLCDLC game
-
+ Delta TitleTitle Delta
-
+ Select NCA Install Type...Chọn cách cài đặt NCA...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Vui lòng chọn loại title mà bạn muốn cài đặt NCA này:
(Trong hầu hết trường hợp, chọn mặc định 'Game' là tốt nhất.)
-
+ Failed to InstallCài đặt thất bại
-
+ The title type you selected for the NCA is invalid.Loại title mà bạn đã chọn cho NCA không hợp lệ.
-
+ File not foundKhông tìm thấy tập tin
-
+ File "%1" not foundKhông tìm thấy tập tin "%1"
-
+ OKOK
-
-
+
+ Hardware requirements not metYêu cầu phần cứng không được đáp ứng
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Hệ thống của bạn không đáp ứng yêu cầu phần cứng được đề xuất. Báo cáo độ tương thích đã bị vô hiệu hoá.
-
+ Missing yuzu AccountThiếu tài khoản yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Để gửi trường hợp thử nghiệm game tương thích, bạn phải liên kết tài khoản yuzu.<br><br/>Để liên kết tải khoản yuzu của bạn, hãy đến Giả lập > Cấu hình > Web.
-
+ Error opening URLLỗi khi mở URL
-
+ Unable to open the URL "%1".Không thể mở URL "%1".
-
+ TAS RecordingGhi lại TAS
-
+ Overwrite file of player 1?Ghi đè tập tin của người chơi 1?
-
+ Invalid config detectedĐã phát hiện cấu hình không hợp lệ
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Tay cầm handheld không thể được sử dụng trong chế độ docked. Pro Controller sẽ được chọn.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedAmiibo hiện tại đã được loại bỏ
-
+ ErrorLỗi
-
-
+
+ The current game is not looking for amiibosGame hiện tại không tìm kiếm amiibos
-
+ Amiibo File (%1);; All Files (*.*)Tập tin Amiibo (%1);; Tất cả tập tin (*.*)
-
+ Load AmiiboNạp Amiibo
-
+ Error loading Amiibo dataLỗi khi nạp dữ liệu Amiibo
-
+ The selected file is not a valid amiiboTập tin đã chọn không phải là amiibo hợp lệ
-
+ The selected file is already on useTập tin đã chọn đã được sử dụng
-
+ An unknown error occurredĐã xảy ra lỗi không xác định
-
+ Verification failed for the following files:
%1
@@ -4573,145 +4572,177 @@ Vui lòng, chỉ sử dụng tính năng này để cài đặt các bản cập
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotChụp ảnh màn hình
-
+ PNG Image (*.png)Hình ảnh PNG (*.png)
-
+ TAS state: Running %1/%2Trạng thái TAS: Đang chạy %1/%2
-
+ TAS state: Recording %1Trạng thái TAS: Đang ghi %1
-
+ TAS state: Idle %1/%2Trạng thái TAS: Đang chờ %1/%2
-
+ TAS State: InvalidTrạng thái TAS: Không hợp lệ
-
+ &Stop Running&Dừng chạy
-
+ &Start&Bắt đầu
-
+ Stop R&ecordingDừng G&hi
-
+ R&ecordG&hi
-
+ Building: %n shader(s)Đang dựng: %n shader
-
+ Scale: %1x%1 is the resolution scaling factorTỉ lệ thu phóng: %1x
-
+ Speed: %1% / %2%Tốc độ: %1% / %2%
-
+ Speed: %1%Tốc độ: %1%
-
+ Game: %1 FPS (Unlocked)Game: %1 FPS (Đã mở khoá)
-
+ Game: %1 FPSGame: %1 FPS
-
+ Frame: %1 msKhung hình: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANO AA
-
+ VOLUME: MUTEÂM LƯỢNG: TẮT TIẾNG
-
+ VOLUME: %1%Volume percentage (e.g. 50%)ÂM LƯỢNG: %1%
-
+ Confirm Key RederivationXác nhận chuyển hoá lại key
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4728,37 +4759,37 @@ và tạo một bản sao lưu.
Việc này sẽ xóa các tập tin key tự động sinh ra của bạn và chạy lại mô-đun chuyển hoá key.
-
+ Missing fusesThiếu fuses
-
+ - Missing BOOT0 - Thiếu BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Thiếu BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Thiếu PRODINFO
-
+ Derivation Components MissingThiếu các thành phần chuyển hoá
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Keys mã hoá bị thiếu. <br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a> để lấy tất cả key, firmware và game của bạn.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4767,49 +4798,49 @@ on your system's performance.
hệ thống của bạn.
-
+ Deriving KeysĐang chuyển hoá key
-
+ System Archive Decryption FailedGiải mã bản lưu trữ của hệ thống thất bại
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Keys mã hoá thất bại khi giải mã firmware. <br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a>để lấy tất cả key, firmware và game của bạn.
-
+ Select RomFS Dump TargetChọn thư mục để trích xuất RomFS
-
+ Please select which RomFS you would like to dump.Vui lòng chọn RomFS mà bạn muốn trích xuất.
-
+ Are you sure you want to close yuzu?Bạn có chắc chắn muốn đóng yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Bạn có chắc rằng muốn dừng giả lập? Bất kì tiến trình nào chưa được lưu sẽ bị mất.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4961,241 +4992,251 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
GameList
-
+ FavoriteƯa thích
-
+ Start GameBắt đầu game
-
+ Start Game without Custom ConfigurationBắt đầu game mà không có cấu hình tuỳ chỉnh
-
+ Open Save Data LocationMở vị trí dữ liệu save
-
+ Open Mod Data LocationMở vị trí chứa dữ liệu mod
-
+ Open Transferable Pipeline CacheMở thư mục chứa bộ nhớ đệm pipeline
-
+ RemoveLoại bỏ
-
+ Remove Installed UpdateLoại bỏ bản cập nhật đã cài
-
+ Remove All Installed DLCLoại bỏ tất cả DLC đã cài đặt
-
+ Remove Custom ConfigurationLoại bỏ cấu hình tuỳ chỉnh
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageLoại bỏ bộ nhớ đệm
-
+ Remove OpenGL Pipeline CacheLoại bỏ bộ nhớ đệm pipeline OpenGL
-
+ Remove Vulkan Pipeline CacheLoại bỏ bộ nhớ đệm pipeline Vulkan
-
+ Remove All Pipeline CachesLoại bỏ tất cả bộ nhớ đệm shader
-
+ Remove All Installed ContentsLoại bỏ tất cả nội dung đã cài đặt
-
-
+
+ Dump RomFSTrích xuất RomFS
-
+ Dump RomFS to SDMCTrích xuất RomFS tới SDMC
-
+ Verify IntegrityKiểm tra tính toàn vẹn
-
+ Copy Title ID to ClipboardSao chép ID title vào bộ nhớ tạm
-
+ Navigate to GameDB entryĐiều hướng đến mục GameDB
-
+ Create ShortcutTạo lối tắt
-
+ Add to DesktopThêm vào desktop
-
+ Add to Applications MenuThêm vào menu ứng dụng
-
+ PropertiesThuộc tính
-
+ Scan SubfoldersQuét các thư mục con
-
+ Remove Game DirectoryLoại bỏ thư mục game
-
+ ▲ Move Up▲ Di chuyển lên
-
+ ▼ Move Down▼ Di chuyển xuống
-
+ Open Directory LocationMở vị trí thư mục
-
+ ClearXóa
-
+ NameTên
-
+ CompatibilityĐộ tương thích
-
+ Add-onsAdd-ons
-
+ File typeLoại tập tin
-
+ SizeKích thước
+
+
+ Play time
+
+ GameListItemCompat
-
+ IngameTrong 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ó.
-
+ PerfectHoàn hảo
-
+ Game can be played without issues.Game có thể chơi mà không gặp vấn đề.
-
+ PlayableCó 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/MenuPhầ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 BootKhông khởi động
-
+ The game crashes when attempting to startup.Game crash khi đang khởi động.
-
+ Not TestedChưa ai thử
-
+ The game has not yet been tested.Game này chưa được thử nghiệm.
@@ -5203,7 +5244,7 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listNhấp đúp chuột để thêm một thư mục mới vào danh sách game
@@ -5216,12 +5257,12 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
%1 trong %n kết quả
-
+ Filter:Lọc:
-
+ Enter pattern to filterNhập mẫu để lọc
@@ -5339,6 +5380,7 @@ Tin nhắn gỡ lỗi:
+ Main WindowCửa sổ chính
@@ -5444,6 +5486,11 @@ Tin nhắn gỡ lỗi:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarHiện/Ẩn thanh trạng thái
@@ -5682,186 +5729,216 @@ Tin nhắn gỡ lỗi:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &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&xitT&hoát
-
+ &Pause&Tạm dừng
-
+ &Stop&Dừng
-
+ &Reinitialize keys...&Khởi tạo lại keys...
-
+ &Verify Installed Contents
-
+ &About yuzu&Thông tin về yuzu
-
+ Single &Window ModeChế độ &cửa sổ đơn
-
+ Con&figure...Cấu &hình...
-
+ Display D&ock Widget HeadersHiển thị tiêu đề công cụ D&ock
-
+ Show &Filter BarHiện thanh &lọc
-
+ Show &Status BarHiện thanh &trạng thái
-
+ Show Status BarHiệ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&ullscreenT&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 PageMở trang &mods
-
+ Open &Quickstart GuideMở &Hướng dẫn nhanh
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderMở thư mục &yuzu
-
+ &Capture Screenshot&Chụp ảnh màn hình
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &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&ecordG&hi lại
@@ -6169,27 +6246,27 @@ p, li { white-space: pre-wrap; }
Hiện không chơi game
-
+ Installed SD TitlesCác title đã cài đặt trên thẻ SD
-
+ Installed NAND TitlesCác title đã cài đặt trên NAND
-
+ System TitlesTitles hệ thống
-
+ Add New Game DirectoryThêm thư mục game
-
+ FavoritesƯa thích
@@ -6715,7 +6792,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6728,7 +6805,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoycon đôi
@@ -6741,7 +6818,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon trái
@@ -6754,7 +6831,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon phải
@@ -6783,7 +6860,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldHandheld
@@ -6899,32 +6976,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerTay cầm GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerTay cầm NES
-
+ SNES ControllerTay cầm SNES
-
+ N64 ControllerTay cầm N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/vi_VN.ts b/dist/languages/vi_VN.ts
index fcc841ff2..2cee82e7e 100644
--- a/dist/languages/vi_VN.ts
+++ b/dist/languages/vi_VN.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zoneTự động (%1)
-
+ Default (%1)Default time zoneMặc định (%1)
@@ -893,49 +893,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- Tạo Minidump sau khi xảy ra sự cố.
-
-
- 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**
-
+ Enable Verbose Reporting Services**Bật dịch vụ báo cáo chi tiết**
-
+ **This will be reset automatically when yuzu closes.**Sẽ tự động thiết lập lại khi tắt yuzu.
-
- Restart Required
- Cần khởi động lại
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu cần khởi động lại để áp dụng cài đặt này.
-
-
-
+ Web applet not compiledApplet web chưa được biên dịch
-
-
- MiniDump creation not compiled
- Chức năng tạo MiniDump không được biên dịch
- ConfigureDebugController
@@ -1354,7 +1334,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key SequenceTổ hợp phím bị xung đột
@@ -1375,27 +1355,37 @@ This would ban both their forum username and their IP address.
Không hợp lệ
-
+
+ Invalid hotkey settings
+
+
+
+
+ An error occurred. Please report this issue on github.
+
+
+
+ Restore DefaultKhôi phục về mặc định
-
+ ClearXóa
-
+ Conflicting Button SequenceDãy nút xung đột
-
+ The default button sequence is already assigned to: %1Dãy nút mặc định đã được gán cho: %1
-
+ The default key sequence is already assigned to: %1Tổ hợp phím này đã gán với: %1
@@ -3373,67 +3363,72 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr
Hiện cột Loại tệp
-
+
+ Show Play Time Column
+
+
+
+ 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:
-
+ ......
-
+ TextLabelNhã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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width valueTự động (%1 x %2, %3 x %4)
@@ -3751,820 +3746,824 @@ Kéo điểm để thay đổi vị trí, hoặc nhấp đúp chuột vào ô tr
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>Dữ liệu ẩn danh được thu thập</a>để hỗ trợ cải thiện yuzu. <br/><br/>Bạn có muốn chia sẽ dữ liệu sử dụng cho chúng tôi?
-
+ TelemetryViễn trắc
-
+ Broken Vulkan Installation DetectedPhát hiện cài đặt Vulkan bị hỏng
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Khởi tạo Vulkan thất bại trong quá trình khởi động.<br>Nhấn <br><a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>vào đây để xem hướng dẫn khắc phục vấn đề</a>.
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleepingĐang chạy một game
-
+ Loading Web Applet...Đang tải applet web...
-
-
+
+ Disable Web AppletTắt 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.)Tắt applet web có thể dẫn đến hành vi không xác định và chỉ nên được sử dụng với Super Mario 3D All-Stars. Bạn có chắc chắn muốn tắt applet web không?
(Có thể được bật lại trong cài đặt Gỡ lỗi.)
-
+ The amount of shaders currently being builtSố lượng shader đang được dựng
-
+ The current selected resolution scaling multiplier.Bội số tỷ lệ độ phân giải được chọn hiện tại.
-
+ Current emulation speed. Values higher or lower than 100% indicate emulation is running faster or slower than a Switch.Tốc độ giả lập hiện tại. Giá trị cao hơn hoặc thấp hơn 100% chỉ ra giả lập sẽ chạy nhanh hơn hoặc chậm hơn trên máy Switch
-
+ How many frames per second the game is currently displaying. This will vary from game to game and scene to scene.Có bao nhiêu khung hình trên mỗi giây mà trò chơi đang hiển thị. Điều này sẽ thay đổi từ trò chơi này đến trò chơi kia và khung cảnh này đến khung cảnh kia.
-
+ 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.Thời gian mà giả lập lấy từ khung hình Switch, sẽ không kể đến giới hạn khung hình hoặc v-sync. Đối với tốc độ tối đa mà giả lập nhận được nhiều nhất là ở độ khoảng 16.67 ms.
-
+ UnmuteBật tiếng
-
+ MuteTắt tiếng
-
+ Reset VolumeĐặt lại âm lượng
-
+ &Clear Recent Files&Xoá tập tin gần đây
-
+ Emulated mouse is enabledChuột giả lập đã được kích hoạt
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.Đầu vào chuột thật và tính năng lia chuột không tương thích. Vui lòng tắt chuột giả lập trong cài đặt đầu vào nâng cao để cho phép lia chuột.
-
+ &Continue&Tiếp tục
-
+ &Pause&Tạm dừng
-
+ Warning Outdated Game FormatChú ý định dạng trò chơi đã lỗi thời
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.Bạn đang sử dụng định dạng danh mục ROM giải mã cho trò chơi này, và đó là một định dạng lỗi thời đã được thay thế bởi những thứ khác như NCA, NAX, XCI, hoặc NSP. Danh mục ROM giải mã có thể thiếu biểu tượng, metadata, và hỗ trợ cập nhật.<br><br>Để giải thích về các định dạng khác nhau của Switch mà yuzu hỗ trợ, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>vui lòng kiểm tra trên wiki của chúng tôi</a>. Thông báo này sẽ không hiển thị lại lần sau.
-
+ Error while loading ROM!Xảy ra lỗi khi đang nạp ROM!
-
+ The ROM format is not supported.Định dạng ROM này không hỗ trợ.
-
+ An error occurred initializing the video core.Đã xảy ra lỗi khi khởi tạo lõi video.
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu đã gặp lỗi khi chạy lõi video. Điều này thường xảy ra do phiên bản driver GPU đã cũ, bao gồm cả driver tích hợp. Vui lòng xem nhật ký để biết thêm chi tiết. Để biết thêm thông tin về cách truy cập nhật ký, vui lòng xem trang sau: <a href='https://yuzu-emu.org/help/reference/log-files/'>Cách tải lên tập tin nhật ký</a>.
-
+ Error while loading ROM! %1%1 signifies a numeric error code.Lỗi xảy ra khi nạp ROM! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a> để trích xuất lại các tệp của bạn.<br>Bạn có thể tham khảo yuzu wiki</a> hoặc yuzu Discord</a>để được hỗ trợ.
-
+ An unknown error occurred. Please see the log for more details.Đã xảy ra lỗi không xác định. Vui lòng kiểm tra sổ ghi chép để biết thêm chi tiết.
-
+ (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...Đang đóng phần mềm...
-
+ Save DataDữ liệu save
-
+ Mod DataDữ liệu mod
-
+ Error Opening %1 FolderXảy ra lỗi khi mở %1 thư mục
-
-
+
+ Folder does not exist!Thư mục này không tồn tại!
-
+ Error Opening Transferable Shader CacheLỗi khi mở bộ nhớ cache shader có thể chuyển.
-
+ Failed to create the shader cache directory for this title.Thất bại khi tạo thư mục bộ nhớ cache shader cho title này.
-
+ Error Removing ContentsLỗi khi loại bỏ nội dung
-
+ Error Removing UpdateLỗi khi loại bỏ cập nhật
-
+ Error Removing DLCLỗi khi loại bỏ DLC
-
+ Remove Installed Game Contents?Loại bỏ nội dung game đã cài đặt?
-
+ Remove Installed Game Update?Loại bỏ bản cập nhật game đã cài đặt?
-
+ Remove Installed Game DLC?Loại bỏ DLC game đã cài đặt?
-
+ Remove EntryXoá mục
-
-
-
-
-
-
+
+
+
+
+
+ Successfully RemovedLoại bỏ thành công
-
+ Successfully removed the installed base game.Loại bỏ thành công base game đã cài đặt
-
+ The base game is not installed in the NAND and cannot be removed.Base game không được cài đặt trong NAND và không thể loại bỏ.
-
+ Successfully removed the installed update.Loại bỏ thành công bản cập nhật đã cài đặt
-
+ There is no update installed for this title.Không có bản cập nhật nào được cài đặt cho title này.
-
+ There are no DLC installed for this title.Không có DLC nào được cài đặt cho title này.
-
+ Successfully removed %1 installed DLC.Loại bỏ thành công %1 DLC đã cài đặt
-
+ Delete OpenGL Transferable Shader Cache?Xoá bộ nhớ cache shader OpenGL chuyển được?
-
+ Delete Vulkan Transferable Shader Cache?Xoá bộ nhớ cache shader Vulkan chuyển được?
-
+ Delete All Transferable Shader Caches?Xoá tất cả bộ nhớ cache shader chuyển được?
-
+ Remove Custom Game Configuration?Loại bỏ cấu hình game tuỳ chỉnh?
-
+ Remove Cache Storage?Xoá bộ nhớ cache?
-
+ Remove FileXoá tập tin
-
-
+
+ Remove Play Time Data
+
+
+
+
+ Reset play time?
+
+
+
+
+ Error Removing Transferable Shader CacheLỗi khi xoá bộ nhớ cache shader chuyển được
-
-
+
+ A shader cache for this title does not exist.Bộ nhớ cache shader cho title này không tồn tại.
-
+ Successfully removed the transferable shader cache.Thành công loại bỏ bộ nhớ cache shader chuyển được
-
+ Failed to remove the transferable shader cache.Thất bại khi xoá bộ nhớ cache shader chuyển được.
-
+ Error Removing Vulkan Driver Pipeline CacheLỗi khi xoá bộ nhớ cache pipeline Vulkan
-
+ Failed to remove the driver pipeline cache.Thất bại khi xoá bộ nhớ cache pipeline của driver.
-
-
+
+ Error Removing Transferable Shader CachesLỗi khi loại bỏ bộ nhớ cache shader chuyển được
-
+ Successfully removed the transferable shader caches.Thành công loại bỏ tât cả bộ nhớ cache shader chuyển được.
-
+ Failed to remove the transferable shader cache directory.Thất bại khi loại bỏ thư mục bộ nhớ cache shader.
-
-
+
+ Error Removing Custom ConfigurationLỗi khi loại bỏ cấu hình tuỳ chỉnh
-
+ A custom configuration for this title does not exist.Cấu hình tuỳ chỉnh cho title này không tồn tại.
-
+ Successfully removed the custom game configuration.Loại bỏ thành công cấu hình game tuỳ chỉnh.
-
+ Failed to remove the custom game configuration.Thất bại khi xoá cấu hình game tuỳ chỉnh
-
-
+
+ RomFS Extraction Failed!Khai thác RomFS không thành công!
-
+ There was an error copying the RomFS files or the user cancelled the operation.Đã xảy ra lỗi khi sao chép tệp tin RomFS hoặc người dùng đã hủy bỏ hoạt động này.
-
+ FullĐầy
-
+ SkeletonSườn
-
+ Select RomFS Dump ModeChọn chế độ kết xuất 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.Vui lòng chọn RomFS mà bạn muốn kết xuất như thế nào.<br>Đầy đủ sẽ sao chép toàn bộ tệp tin vào một danh mục mới trong khi <br>bộ xương chỉ tạo kết cấu danh mục.
-
+ 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 RootKhông đủ bộ nhớ trống tại %1 để trích xuất RomFS. Hãy giải phóng bộ nhớ hoặc chọn một thư mục trích xuất khác tại Giả lập > Thiết lập > Hệ thống > Hệ thống tệp > Thư mục trích xuất gốc
-
+ Extracting RomFS...Khai thác RomFS...
-
-
-
-
+
+
+
+ CancelHủy bỏ
-
+ RomFS Extraction Succeeded!Khai thác RomFS thành công!
-
-
-
+
+
+ The operation completed successfully.Các hoạt động đã hoàn tất thành công.
-
+ Integrity verification couldn't be performed!Không thể thực hiện kiểm tra tính toàn vẹn!
-
+ File contents were not checked for validity.Chưa kiểm tra sự hợp lệ của nội dung tập tin.
-
-
+
+ Integrity verification failed!Kiểm tra tính toàn vẹn thất bại!
-
+ File contents may be corrupt.Nội dung tập tin có thể bị hỏng.
-
-
+
+ Verifying integrity...Đang kiểm tra tính toàn vẹn...
-
-
+
+ Integrity verification succeeded!Kiểm tra tính toàn vẹn thành công!
-
-
-
-
-
+
+
+
+ Create ShortcutTạo lối tắt
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?Việc này sẽ tạo một lối tắt tới AppImage hiện tại. Điều này có thể không hoạt động tốt nếu bạn cập nhật. Tiếp tục?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- Không thể tạo lối tắt trên desktop. Đường dẫn "%1" không tồn tại.
+
+ Cannot create shortcut. Path "%1" does not exist.
+
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- Không thể tạo lối tắt trong menu ứng dụng. Đường dẫn "%1" không tồn tại và không thể tạo.
-
-
-
+ Create IconTạo icon
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.Không thể tạo tập tin icon. Đường dẫn "%1" không tồn tại và không thể tạo.
-
+ Start %1 with the yuzu EmulatorBắt đầu %1 với giả lập yuzu
-
+ Failed to create a shortcut at %1Thất bại khi tạo lối tắt tại %1
-
+ Successfully created a shortcut to %1Thành công tạo lối tắt tại %1
-
+ Error Opening %1Lỗi khi mở %1
-
+ Select DirectoryChọn danh mục
-
+ PropertiesThuộc tính
-
+ The game properties could not be loaded.Thuộc tính của trò chơi không thể nạp được.
-
+ Switch Executable (%1);;All Files (*.*)%1 is an identifier for the Switch executable file extensions.Thực thi Switch (%1);;Tất cả tệp tin (*.*)
-
+ Load FileNạp tệp tin
-
+ Open Extracted ROM DirectoryMở danh mục ROM đã trích xuất
-
+ Invalid Directory SelectedDanh mục đã chọn không hợp lệ
-
+ The directory you have selected does not contain a 'main' file.Danh mục mà bạn đã chọn không có chứa tệp tin 'main'.
-
+ Installable Switch File (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)Những tệp tin Switch cài được (*.nca *.nsp *.xci);;Nintendo Content Archive (*.nca);;Nintendo Submission Package (*.nsp);;NX Cartridge Image (*.xci)
-
+ Install FilesCài đặt tập tin
-
+ %n file(s) remaining%n tập tin còn lại
-
+ Installing file "%1"...Đang cài đặt tệp tin "%1"...
-
-
+
+ Install ResultsKết quả cài đặt
-
+ To avoid possible conflicts, we discourage users from installing base games to the NAND.
Please, only use this feature to install updates and DLC.Để tránh xung đột có thể xảy ra, chúng tôi không khuyến khích người dùng cài base games vào NAND.
Vui lòng, chỉ sử dụng tính năng này để cài các bản cập nhật và DLC.
-
+ %n file(s) were newly installed
%n đã được cài đặt mới
-
+ %n file(s) were overwritten
%n tập tin đã được ghi đè
-
+ %n file(s) failed to install
%n tập tin thất bại khi cài đặt
-
+ System ApplicationỨng dụng hệ thống
-
+ System ArchiveHệ thống lưu trữ
-
+ System Application UpdateCập nhật hệ thống ứng dụng
-
+ Firmware Package (Type A)Gói phần mềm (Loại A)
-
+ Firmware Package (Type B)Gói phần mềm (Loại B)
-
+ GameTrò chơi
-
+ Game UpdateCập nhật trò chơi
-
+ Game DLCNội dung trò chơi có thể tải xuống
-
+ Delta TitleTiêu đề Delta
-
+ Select NCA Install Type...Chọn loại NCA để cài đặt...
-
+ Please select the type of title you would like to install this NCA as:
(In most instances, the default 'Game' is fine.)Vui lòng chọn loại tiêu đề mà bạn muốn cài đặt NCA này:
(Trong hầu hết trường hợp, chọn mặc định 'Game' là tốt nhất.)
-
+ Failed to InstallCài đặt đã không thành công
-
+ The title type you selected for the NCA is invalid.Loại tiêu đề NCA mà bạn chọn nó không hợp lệ.
-
+ File not foundKhông tìm thấy tệp tin
-
+ File "%1" not foundKhông tìm thấy "%1" tệp tin
-
+ OKOK
-
-
+
+ Hardware requirements not metYêu cầu phần cứng không được đáp ứng
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.Hệ thống của bạn không đáp ứng yêu cầu phần cứng được đề xuất. Báo cáo tương thích đã được tắt.
-
+ Missing yuzu AccountThiếu tài khoản yuzu
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.Để gửi trường hợp thử nghiệm trò chơi tương thích, bạn phải liên kết tài khoản yuzu.<br><br/>Để liên kết tải khoản yuzu của bạn, hãy đến Giả lập > Thiết lập > Web.
-
+ Error opening URLLỗi khi mở URL
-
+ Unable to open the URL "%1".Không thể mở URL "%1".
-
+ TAS RecordingGhi lại TAS
-
+ Overwrite file of player 1?Ghi đè tập tin của người chơi 1?
-
+ Invalid config detectedĐã phát hiện cấu hình không hợp lệ
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.Tay cầm handheld không thể được sử dụng trong chế độ docked. Pro Controller sẽ được chọn.
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removedAmiibo hiện tại đã bị loại bỏ
-
+ ErrorLỗi
-
-
+
+ The current game is not looking for amiibosGame hiện tại không tìm kiếm amiibos
-
+ Amiibo File (%1);; All Files (*.*)Tệp tin Amiibo (%1);; Tất cả tệp tin (*.*)
-
+ Load AmiiboNạp dữ liệu Amiibo
-
+ Error loading Amiibo dataXảy ra lỗi khi nạp dữ liệu Amiibo
-
+ The selected file is not a valid amiiboTập tin đã chọn không phải là amiibo hợp lệ
-
+ The selected file is already on useTập tin đã chọn đã được sử dụng
-
+ An unknown error occurredĐã xảy ra lỗi không xác định
-
+ Verification failed for the following files:
%1
@@ -4573,145 +4572,177 @@ Vui lòng, chỉ sử dụng tính năng này để cài các bản cập nhật
%1
-
+
+
+ No firmware available
-
+
+ Please install the firmware to use the Album applet.
+
+
+
+
+ Album Applet
+
+
+
+
+ Album applet is not available. Please reinstall firmware.
+
+
+
+
+ Please install the firmware to use the Cabinet applet.
+
+
+
+
+ Cabinet Applet
+
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+
+
+
+ Please install the firmware to use the Mii editor.
-
+ Mii Edit Applet
-
+ Mii editor is not available. Please reinstall firmware.
-
+ Capture ScreenshotChụp ảnh màn hình
-
+ PNG Image (*.png)Hình ảnh PNG (*.png)
-
+ TAS state: Running %1/%2Trạng thái TAS: Đang chạy %1/%2
-
+ TAS state: Recording %1Trạng thái TAS: Đang ghi %1
-
+ TAS state: Idle %1/%2Trạng thái TAS: Đang chờ %1/%2
-
+ TAS State: InvalidTrạng thái TAS: Không hợp lệ
-
+ &Stop Running&Dừng chạy
-
+ &Start&Bắt đầu
-
+ Stop R&ecordingDừng G&hi
-
+ R&ecordG&hi
-
+ Building: %n shader(s)Đang dựng: %n shader(s)
-
+ Scale: %1x%1 is the resolution scaling factorTỉ lệ thu phóng: %1x
-
+ Speed: %1% / %2%Tốc độ: %1% / %2%
-
+ Speed: %1%Tốc độ: %1%
-
+ Game: %1 FPS (Unlocked)Game: %1 FPS (Đã mở khoá)
-
+ Game: %1 FPSTrò chơi: %1 FPS
-
+ Frame: %1 msKhung hình: %1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AANO AA
-
+ VOLUME: MUTEÂM LƯỢNG: TẮT TIẾNG
-
+ VOLUME: %1%Volume percentage (e.g. 50%)ÂM LƯỢNG: %1%
-
+ Confirm Key RederivationXác nhận mã khóa Rederivation
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4728,37 +4759,37 @@ và phải tạo ra một bản sao lưu lại.
Điều này sẽ xóa mã khóa tự động tạo trên tệp tin của bạn và chạy lại mô-đun mã khóa derivation.
-
+ Missing fusesThiếu fuses
-
+ - Missing BOOT0 - Thiếu BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - Thiếu BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO - Thiếu PRODINFO
-
+ Derivation Components MissingThiếu các thành phần chuyển hoá
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>Keys mã hoá bị thiếu. <br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a> để lấy tất cả keys, firmware và games của bạn.<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4767,49 +4798,49 @@ on your system's performance.
vào hiệu suất hệ thống của bạn.
-
+ Deriving KeysMã khóa xuất phát
-
+ System Archive Decryption FailedGiải mã bản lưu trữ của hệ thống thất bại
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.Keys mã hoá thấy bại khi giải mã firmware. <br>Vui lòng tuân theo <a href='https://yuzu-emu.org/help/quickstart/'>hướng dẫn nhanh của yuzu</a>để lấy tất cả keys, firmware và games của bạn.
-
+ Select RomFS Dump TargetChọn thư mục để sao chép RomFS
-
+ Please select which RomFS you would like to dump.Vui lòng chọn RomFS mà bạn muốn sao chép.
-
+ Are you sure you want to close yuzu?Bạn có chắc chắn muốn đóng yuzu?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.Bạn có chắc rằng muốn dừng giả lập? Bất kì tiến trình nào chưa được lưu sẽ bị mất.
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4961,241 +4992,251 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
GameList
-
+ FavoriteƯa thích
-
+ Start GameBắt đầu game
-
+ Start Game without Custom ConfigurationBắt đầu game mà không có cấu hình tuỳ chỉnh
-
+ Open Save Data LocationMở vị trí lưu dữ liệu
-
+ Open Mod Data LocationMở vị trí chỉnh sửa dữ liệu
-
+ Open Transferable Pipeline CacheMở thư mục chứa bộ nhớ cache pipeline
-
+ RemoveGỡ Bỏ
-
+ Remove Installed UpdateLoại bỏ bản cập nhật đã cài
-
+ Remove All Installed DLCLoại bỏ tất cả DLC đã cài đặt
-
+ Remove Custom ConfigurationLoại bỏ cấu hình tuỳ chỉnh
-
+
+ Remove Play Time Data
+
+
+
+ Remove Cache StorageXoá bộ nhớ cache
-
+ Remove OpenGL Pipeline CacheLoại bỏ OpenGL Pipeline Cache
-
+ Remove Vulkan Pipeline CacheLoại bỏ bộ nhớ cache pipeline Vulkan
-
+ Remove All Pipeline CachesLoại bỏ tất cả bộ nhớ cache shader
-
+ Remove All Installed ContentsLoại bỏ tất cả nội dung đã cài đặt
-
-
+
+ Dump RomFSKết xuất RomFS
-
+ Dump RomFS to SDMCTrích xuất RomFS tới SDMC
-
+ Verify IntegrityKiểm tra tính toàn vẹn
-
+ Copy Title ID to ClipboardSao 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 ShortcutTạo lối tắt
-
+ Add to DesktopThêm vào Desktop
-
+ Add to Applications MenuThêm vào menu ứng dụng
-
+ PropertiesThuộc tính
-
+ Scan SubfoldersQuét các thư mục con
-
+ Remove Game DirectoryLoại bỏ thư mục game
-
+ ▲ Move Up▲ Di chuyển lên
-
+ ▼ Move Down▼ Di chuyển xuống
-
+ Open Directory LocationMở vị trí thư mục
-
+ ClearBỏ trống
-
+ NameTên
-
+ CompatibilityTương thích
-
+ Add-onsTiện ích ngoài
-
+ File typeLoại tệp tin
-
+ SizeKích cỡ
+
+
+ Play time
+
+ GameListItemCompat
-
+ IngameTrong 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.
-
+ PerfectTốt nhất
-
+ Game can be played without issues.Game có thể chơi mà không gặp vấn đề.
-
+ PlayableCó 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/MenuPhầ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 BootKhô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 TestedChưa ai thử
-
+ The game has not yet been tested.Trò chơi này chưa có ai thử cả.
@@ -5203,7 +5244,7 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
GameListPlaceholder
-
+ Double-click to add a new folder to the game listNháy đúp chuột để thêm một thư mục mới vào danh sách trò chơi game
@@ -5216,12 +5257,12 @@ Bạn có muốn bỏ qua yêu cầu đó và thoát luôn không?
%1 trong %n kết quả
-
+ Filter:Bộ lọc:
-
+ Enter pattern to filterNhập khuôn để lọc
@@ -5339,6 +5380,7 @@ Tin nhắn gỡ lỗi:
+ Main WindowCửa sổ chính
@@ -5444,6 +5486,11 @@ Tin nhắn gỡ lỗi:
+ Toggle Renderdoc Capture
+
+
+
+ Toggle Status BarHiện/Ẩn thanh trạng thái
@@ -5682,186 +5729,216 @@ Tin nhắn gỡ lỗi:
+ &Amiibo
+
+
+
+ &TAS&TAS
-
+ &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&xitTh&oát
-
+ &Pause&Tạm dừng
-
+ &Stop&Dừng
-
+ &Reinitialize keys...&Khởi tạo lại keys...
-
+ &Verify Installed Contents
-
+ &About yuzu&Thông tin về yuzu
-
+ Single &Window Mode&Chế độ cửa sổ đơn
-
+ Con&figure...Cấu& hình
-
+ Display D&ock Widget HeadersHiển thị tiêu đề công cụ D&ock
-
+ Show &Filter BarHiện thanh &lọc
-
+ Show &Status BarHiện thanh &trạng thái
-
+ Show Status BarHiể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&ullscreenT&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 PageMở trang &mods
-
+ Open &Quickstart GuideMở &Hướng dẫn nhanh
-
+ &FAQ&FAQ
-
+ Open &yuzu FolderMở thư mục &yuzu
-
+ &Capture Screenshot&Chụp ảnh màn hình
-
+
+ Open &Album
+
+
+
+
+ &Set Nickname and Owner
+
+
+
+
+ &Delete Game Data
+
+
+
+
+ &Restore Amiibo
+
+
+
+
+ &Format Amiibo
+
+
+
+ Open &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&ecordG&hi
@@ -6168,27 +6245,27 @@ p, li { white-space: pre-wrap; }
Hiện không chơi game
-
+ Installed SD TitlesCác title đã cài đặt trên thẻ SD
-
+ Installed NAND TitlesCác title đã cài đặt trên NAND
-
+ System TitlesTitles hệ thống
-
+ Add New Game DirectoryThêm thư mục game
-
+ FavoritesƯa thích
@@ -6714,7 +6791,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerTay cầm Pro Controller
@@ -6727,7 +6804,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual JoyconsJoycon đôi
@@ -6740,7 +6817,7 @@ p, li { white-space: pre-wrap; }
-
+ Left JoyconJoycon Trái
@@ -6753,7 +6830,7 @@ p, li { white-space: pre-wrap; }
-
+ Right JoyconJoycon Phải
@@ -6782,7 +6859,7 @@ p, li { white-space: pre-wrap; }
-
+ HandheldCầm tay
@@ -6898,32 +6975,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+
+
+
+ GameCube ControllerTay cầm GameCube
-
+ Poke Ball PlusPoke Ball Plus
-
+ NES ControllerTay cầm NES
-
+ SNES ControllerTay cầm SNES
-
+ N64 ControllerTay cầm N64
-
+ Sega GenesisSega Genesis
diff --git a/dist/languages/zh_CN.ts b/dist/languages/zh_CN.ts
index 65baa9175..b7f1d32fb 100644
--- a/dist/languages/zh_CN.ts
+++ b/dist/languages/zh_CN.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone自动 (%1)
-
+ Default (%1)Default time zone默认 (%1)
@@ -853,7 +853,7 @@ This would ban both their forum username and their IP address.
Disable Web Applet
- 禁用 Web 应用程序
+ 禁用 Web 小程序
@@ -892,48 +892,28 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- 微型故障转储
-
-
- 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**将音频命令转储至控制台**
-
+ Enable Verbose Reporting Services**启用详细报告服务**
-
+ **This will be reset automatically when yuzu closes.**该选项将在 yuzu 关闭时自动重置。
-
- Restart Required
- 需要重启
-
-
-
- yuzu is required to restart in order to apply this setting.
- 重启 yuzu 后才能应用此设置。
-
-
-
+ Web applet not compiled
- Web 应用程序未编译
-
-
-
- MiniDump creation not compiled
- 微型转储未编译
+ Web 小程序未编译
@@ -1353,7 +1333,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key Sequence按键冲突
@@ -1374,27 +1354,37 @@ This would ban both their forum username and their IP address.
无效
-
+
+ Invalid hotkey settings
+ 无效的热键设置
+
+
+
+ An error occurred. Please report this issue on github.
+ 发生错误。请在 GitHub 提交 Issue。
+
+
+ Restore Default恢复默认
-
+ Clear清除
-
+ Conflicting Button Sequence键位冲突
-
+ The default button sequence is already assigned to: %1默认的按键序列已分配给: %1
-
+ The default key sequence is already assigned to: %1默认的按键序列已分配给: %1
@@ -1720,7 +1710,7 @@ This would ban both their forum username and their IP address.
Enable XInput 8 player support (disables web applet)
- 启用 XInput 8 输入支持 (禁用 web 应用程序)
+ 启用 XInput 8 输入支持 (禁用 web 小程序)
@@ -3372,67 +3362,72 @@ Drag points to change position, or double-click table cells to edit values.显示“文件类型”列
-
+
+ Show Play Time Column
+ 显示“游玩时间”列
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value自动 (%1 x %2, %3 x %4)
@@ -3750,820 +3745,824 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?<a href='https://yuzu-emu.org/help/feature/telemetry/'>我们收集匿名数据</a>来帮助改进 yuzu 。<br/><br/>您愿意和我们分享您的使用数据吗?
-
+ Telemetry使用数据共享
-
+ Broken Vulkan Installation Detected检测到 Vulkan 的安装已损坏
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Vulkan 初始化失败。<br><br>点击<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>这里</a>获取此问题的相关信息。
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping游戏正在运行
-
+ Loading Web Applet...
- 正在加载 Web 应用程序...
+ 正在加载 Web 小程序...
-
-
+
+ Disable Web Applet
- 禁用 Web 应用程序
+ 禁用 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.)
- 禁用 Web 应用程序可能会发生未知的行为,且只能在《超级马里奥 3D 全明星》中使用。您确定要禁用 Web 应用程序吗?
+ 禁用 Web 小程序可能会发生未知的行为,且只能在《超级马里奥 3D 全明星》中使用。您确定要禁用 Web 小程序吗?
(您可以在调试选项中重新启用它。)
-
+ 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)
-
+ Emulated mouse is enabled已启用模拟鼠标
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.实体鼠标输入与鼠标平移不兼容。请在高级输入设置中禁用模拟鼠标以使用鼠标平移。
-
+ &Continue继续 (&C)
-
+ &Pause暂停 (&P)
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.目前使用的游戏为解体的 ROM 目录格式,这是一种过时的格式,已被其他格式替代,如 NCA,NAX,XCI 或 NSP。解体的 ROM 目录缺少图标、元数据和更新支持。<br><br>有关 yuzu 支持的各种 Switch 格式的说明,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>请查看我们的 wiki</a>。此消息将不会再次出现。
-
+ Error while loading ROM!加载 ROM 时出错!
-
+ The ROM format is not supported.该 ROM 格式不受支持。
-
+ An error occurred initializing the video core.初始化视频核心时发生错误
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu 在运行视频核心时发生错误。这可能是由 GPU 驱动程序过旧造成的。有关详细信息,请参阅日志文件。关于日志文件的更多信息,请参考以下页面:<a href='https://yuzu-emu.org/help/reference/log-files/'>如何上传日志文件</a>。
-
+ Error while loading ROM! %1%1 signifies a numeric error code.加载 ROM 时出错! %1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>请参考<a href='https://yuzu-emu.org/help/quickstart/'>yuzu 快速导航</a>以获取相关文件。<br>您可以参考 yuzu 的 wiki 页面</a>或 Discord 社区</a>以获得帮助。
-
+ 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 DataMod 数据
-
+ Error Opening %1 Folder打开 %1 文件夹时出错
-
-
+
+ Folder does not exist!文件夹不存在!
-
+ Error Opening Transferable Shader Cache打开可转移着色器缓存时出错
-
+ Failed to create the shader cache directory for this title.为该游戏创建着色器缓存目录时失败。
-
+ Error Removing Contents删除内容时出错
-
+ Error Removing Update删除更新时出错
-
+ Error Removing DLC删除 DLC 时出错
-
+ Remove Installed Game Contents?删除已安装的游戏内容?
-
+ Remove Installed Game Update?删除已安装的游戏更新?
-
+ Remove Installed Game DLC?删除已安装的游戏 DLC 内容?
-
+ Remove Entry删除项目
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.这个游戏没有任何已安装的 DLC 。
-
+ Successfully removed %1 installed DLC.成功删除游戏 %1 安装的 DLC 。
-
+ 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?
+ 重置游玩时间?
+
+
+
+ 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.移除自定义游戏设置失败。
-
-
+
+ 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.操作成功完成。
-
+ Integrity verification couldn't be performed!无法执行完整性验证!
-
+ File contents were not checked for validity.未检查文件的完整性。
-
-
+
+ Integrity verification failed!完整性验证失败!
-
+ File contents may be corrupt.文件可能已经损坏。
-
-
+
+ Verifying integrity...正在验证完整性...
-
-
+
+ Integrity verification succeeded!完整性验证成功!
-
-
-
-
-
+
+
+
+ Create Shortcut创建快捷方式
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?这将为当前的游戏创建快捷方式。但在其更新后,快捷方式可能无法正常工作。是否继续?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- 无法在桌面创建快捷方式。路径“ %1 ”不存在。
+
+ Cannot create shortcut. Path "%1" does not exist.
+ 无法创建快捷方式。路径“ %1 ”不存在。
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- 无法在应用程序菜单中创建快捷方式。路径“ %1 ”不存在且无法被创建。
-
-
-
+ Create Icon创建图标
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.无法创建图标文件。路径“ %1 ”不存在且无法被创建。
-
+ Start %1 with the yuzu Emulator使用 yuzu 启动 %1
-
+ Failed to create a shortcut at %1在 %1 处创建快捷方式时失败
-
+ Successfully created a shortcut to %1成功地在 %1 处创建快捷方式
-
+ 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游戏 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确定
-
-
+
+ Hardware requirements not met硬件不满足要求
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.您的系统不满足运行 yuzu 的推荐配置。兼容性报告已被禁用。
-
+ Missing yuzu Account未设置 yuzu 账户
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.要提交游戏兼容性测试用例,您必须设置您的 yuzu 帐户。<br><br/>要设置您的 yuzu 帐户,请转到模拟 > 设置 > 网络。
-
+ Error opening URL打开 URL 时出错
-
+ Unable to open the URL "%1".无法打开 URL : "%1" 。
-
+ TAS RecordingTAS 录制中
-
+ Overwrite file of player 1?覆盖玩家 1 的文件?
-
+ Invalid config detected检测到无效配置
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.掌机手柄无法在主机模式中使用。将会选择 Pro controller。
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removed当前的 Amiibo 已被移除。
-
+ Error错误
-
-
+
+ The current game is not looking for amiibos当前游戏并没有在寻找 Amiibos
-
+ 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发生了未知错误
-
+ Verification failed for the following files:
%1
@@ -4572,145 +4571,177 @@ Please, only use this feature to install updates and DLC.
%1
-
+
+
+ No firmware available无可用固件
-
+
+ Please install the firmware to use the Album applet.
+ 请安装固件以使用相册小程序。
+
+
+
+ Album Applet
+ 相册小程序
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ 相册小程序不可用。请重新安装固件。
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ 请安装固件以使用 Cabinet 小程序。
+
+
+
+ Cabinet Applet
+ Cabinet 小程序
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ Cabinet 小程序不可用。请重新安装固件。
+
+
+ Please install the firmware to use the Mii editor.请安装固件以使用 Mii editor。
-
+ Mii Edit Applet
- MiiEdit 小程序
+ Mii Edit 小程序
-
+ Mii editor is not available. Please reinstall firmware.
- Mii editor 不可用。请安装固件。
+ Mii editor 不可用。请重新安装固件。
-
+ Capture Screenshot捕获截图
-
+ PNG Image (*.png)PNG 图像 (*.png)
-
+ TAS state: Running %1/%2TAS 状态:正在运行 %1/%2
-
+ TAS state: Recording %1TAS 状态:正在录制 %1
-
+ TAS state: Idle %1/%2TAS 状态:空闲 %1/%2
-
+ TAS State: InvalidTAS 状态:无效
-
+ &Stop Running停止运行 (&S)
-
+ &Start开始 (&S)
-
+ Stop R&ecording停止录制 (&E)
-
+ R&ecord录制 (&E)
-
+ 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 (Unlocked)FPS: %1 (未锁定)
-
+ Game: %1 FPSFPS: %1
-
+ Frame: %1 ms帧延迟: %1 毫秒
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AA抗锯齿关
-
+ VOLUME: MUTE音量: 静音
-
+ VOLUME: %1%Volume percentage (e.g. 50%)音量: %1%
-
+ Confirm Key Rederivation确认重新生成密钥
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4726,37 +4757,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
这将删除您自动生成的密钥文件并重新运行密钥生成模块。
-
+ Missing fuses项目丢失
-
+ - Missing BOOT0- 丢失 BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - 丢失 BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- 丢失 PRODINFO
-
+ Derivation Components Missing组件丢失
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>密钥缺失。<br>请查看<a href='https://yuzu-emu.org/help/quickstart/'>yuzu 快速导航</a>以获得你的密钥、固件和游戏。<br><br><small>(%1)</small>
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4765,49 +4796,49 @@ on your system's performance.
您的系统性能。
-
+ Deriving Keys生成密钥
-
+ System Archive Decryption Failed系统固件解密失败
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.当前密钥无法解密系统固件。<br>请查看<a href='https://yuzu-emu.org/help/quickstart/'>yuzu 快速导航</a>以获得你的密钥、固件和游戏。
-
+ Select RomFS Dump Target选择 RomFS 转储目标
-
+ Please select which RomFS you would like to dump.请选择希望转储的 RomFS。
-
+ Are you sure you want to close yuzu?您确定要关闭 yuzu 吗?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.您确定要停止模拟吗?未保存的进度将会丢失。
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4959,241 +4990,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ Favorite收藏
-
+ Start Game开始游戏
-
+ Start Game without Custom Configuration使用公共设置项进行游戏
-
+ Open Save Data Location打开存档位置
-
+ Open Mod Data Location打开 MOD 数据位置
-
+ Open Transferable Pipeline Cache打开可转移着色器缓存
-
+ Remove删除
-
+ Remove Installed Update删除已安装的游戏更新
-
+ Remove All Installed DLC删除所有已安装 DLC
-
+ Remove Custom Configuration删除自定义设置
-
+
+ Remove Play Time Data
+ 清除游玩时间
+
+
+ Remove Cache Storage移除缓存
-
+ Remove OpenGL Pipeline Cache删除 OpenGL 着色器缓存
-
+ Remove Vulkan Pipeline Cache删除 Vulkan 着色器缓存
-
+ Remove All Pipeline Caches删除所有着色器缓存
-
+ Remove All Installed Contents删除所有安装的项目
-
-
+
+ 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添加到应用程序菜单
-
+ Properties属性
-
+ Scan Subfolders扫描子文件夹
-
+ Remove Game Directory移除游戏目录
-
+ ▲ Move Up▲ 向上移动
-
+ ▼ Move Down▼ 向下移动
-
+ Open Directory Location打开目录位置
-
+ Clear清除
-
+ Name名称
-
+ Compatibility兼容性
-
+ Add-ons附加项
-
+ File type文件类型
-
+ Size大小
+
+
+ Play time
+ 游玩时间
+ 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.游戏尚未经过测试。
@@ -5201,7 +5242,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game list双击添加新的游戏文件夹
@@ -5214,12 +5255,12 @@ Would you like to bypass this and exit anyway?
%1 / %n 个结果
-
+ Filter:搜索:
-
+ Enter pattern to filter搜索游戏
@@ -5337,6 +5378,7 @@ Debug Message:
+ Main Window主窗口
@@ -5442,6 +5484,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+ 切换到 Renderdoc 捕获截图
+
+
+ Toggle Status Bar切换状态栏
@@ -5680,186 +5727,216 @@ Debug Message:
+ &Amiibo
+ Amiibo (&A)
+
+
+ &TASTAS (&T)
-
+ &Help帮助 (&H)
-
+ &Install Files to NAND...安装文件到 NAND... (&I)
-
+ L&oad File...加载文件... (&O)
-
+ Load &Folder...加载文件夹... (&F)
-
+ E&xit退出 (&X)
-
+ &Pause暂停 (&P)
-
+ &Stop停止 (&S)
-
+ &Reinitialize keys...重新生成密钥... (&R)
-
+ &Verify Installed Contents验证已安装内容的完整性 (&V)
-
+ &About yuzu关于 yuzu (&A)
-
+ Single &Window Mode单窗口模式 (&W)
-
+ Con&figure...设置... (&F)
-
+ Display D&ock Widget Headers显示停靠小部件的标题 (&O)
-
+ 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)
-
+ &FAQFAQ (&F)
-
+ Open &yuzu Folder打开 yuzu 文件夹 (&Y)
-
+ &Capture Screenshot捕获截图 (&C)
-
+
+ Open &Album
+ 打开相册 (&A)
+
+
+
+ &Set Nickname and Owner
+ 设置昵称及所有者 (&S)
+
+
+
+ &Delete Game Data
+ 删除游戏数据 (&D)
+
+
+
+ &Restore Amiibo
+ 重置 Amiibo (&R)
+
+
+
+ &Format Amiibo
+ 格式化 Amiibo (&F)
+
+
+ Open &Mii Editor打开 Mii Editor (&M)
-
+ &Configure TAS...配置 TAS... (&C)
-
+ Configure C&urrent Game...配置当前游戏... (&U)
-
+ &Start开始 (&S)
-
+ &Reset重置 (&R)
-
+ R&ecord录制 (&E)
@@ -6167,27 +6244,27 @@ p, li { white-space: pre-wrap; }
不在玩游戏
-
+ Installed SD TitlesSD 卡中安装的项目
-
+ Installed NAND TitlesNAND 中安装的项目
-
+ System Titles系统项目
-
+ Add New Game Directory添加游戏目录
-
+ Favorites收藏
@@ -6682,7 +6759,7 @@ p, li { white-space: pre-wrap; }
Controller Applet
- 控制器程序
+ 控制器小程序
@@ -6713,7 +6790,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro Controller
@@ -6726,7 +6803,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joycons双 Joycons 手柄
@@ -6739,7 +6816,7 @@ p, li { white-space: pre-wrap; }
-
+ Left Joycon左 Joycon 手柄
@@ -6752,7 +6829,7 @@ p, li { white-space: pre-wrap; }
-
+ Right Joycon右 Joycon 手柄
@@ -6781,7 +6858,7 @@ p, li { white-space: pre-wrap; }
-
+ Handheld掌机模式
@@ -6897,32 +6974,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ 控制器数量不足
+
+
+ GameCube ControllerGameCube 控制器
-
+ Poke Ball Plus精灵球 PLUS
-
+ NES ControllerNES 控制器
-
+ SNES ControllerSNES 控制器
-
+ N64 ControllerN64 控制器
-
+ Sega Genesis世嘉创世纪
diff --git a/dist/languages/zh_TW.ts b/dist/languages/zh_TW.ts
index 52421f6f6..f0cc66e0a 100644
--- a/dist/languages/zh_TW.ts
+++ b/dist/languages/zh_TW.ts
@@ -373,13 +373,13 @@ This would ban both their forum username and their IP address.
%
-
+ Auto (%1)Auto select time zone自動 (%1)
-
+ Default (%1)Default time zone預設 (%1)
@@ -892,49 +892,29 @@ This would ban both their forum username and their IP address.
- Create Minidump After Crash
- 微型故障转储
-
-
- 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**将音频命令转储至控制台**
-
+ Enable Verbose Reporting Services**啟用詳細報告服務
-
+ **This will be reset automatically when yuzu closes.**當 yuzu 關閉時會自動重設。
-
- Restart Required
- 需要重新啟動
-
-
-
- yuzu is required to restart in order to apply this setting.
- yuzu 需要重新啟動以套用此設定。
-
-
-
+ Web applet not compiledWeb 小程式未編譯
-
-
- MiniDump creation not compiled
- 小型转储创建未编译
- ConfigureDebugController
@@ -1353,7 +1333,7 @@ This would ban both their forum username and their IP address.
-
+ Conflicting Key Sequence按鍵衝突
@@ -1374,27 +1354,37 @@ This would ban both their forum username and their IP address.
無效
-
+
+ Invalid hotkey settings
+ 无效的热键设置
+
+
+
+ An error occurred. Please report this issue on github.
+ 发生错误。请在 GitHub 提交 Issue。
+
+
+ Restore Default還原預設值
-
+ Clear清除
-
+ Conflicting Button Sequence按鍵衝突
-
+ The default button sequence is already assigned to: %1預設的按鍵序列已分配給: %1
-
+ The default key sequence is already assigned to: %1預設金鑰已指定給:%1
@@ -3372,67 +3362,72 @@ Drag points to change position, or double-click table cells to edit values.显示“文件类型”列
-
+
+ Show Play Time Column
+ 显示“游玩时间”列
+
+
+ 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>
-
+ Auto (%1 x %2, %3 x %4)Screenshot width value自动 (%1 x %2, %3 x %4)
@@ -3750,819 +3745,823 @@ Drag points to change position, or double-click table cells to edit values.
GMainWindow
-
+ <a href='https://yuzu-emu.org/help/feature/telemetry/'>Anonymous data is collected</a> to help improve yuzu. <br/><br/>Would you like to share your usage data with us?我們<a href='https://yuzu-emu.org/help/feature/telemetry/'>蒐集匿名的資料</a>以幫助改善 yuzu。<br/><br/>您願意和我們分享您的使用資料嗎?
-
+ Telemetry遙測
-
+ Broken Vulkan Installation Detected检测到 Vulkan 的安装已损坏
-
+ Vulkan initialization failed during boot.<br><br>Click <a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>here for instructions to fix the issue</a>.Vulkan 初始化失败。<br><br>点击<a href='https://yuzu-emu.org/wiki/faq/#yuzu-starts-with-the-error-broken-vulkan-installation-detected'>这里</a>获取此问题的相关信息。
-
+ Running a gameTRANSLATORS: This string is shown to the user to explain why yuzu needs to prevent the computer from sleeping游戏正在运行
-
+ Loading Web Applet...載入 Web Applet...
-
-
+
+ Disable Web Applet停用 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.)禁用 Web 应用程序可能会导致未知的行为,且只能在《超级马里奥 3D 全明星》中使用。您确定要禁用 Web 应用程序吗?
(您可以在调试选项中重新启用它。)
-
+ 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.遊戲即時 FPS。會因遊戲和場景的不同而改變。
-
+ 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)
-
+ Emulated mouse is enabled模擬滑鼠已啟用
-
+ Real mouse input and mouse panning are incompatible. Please disable the emulated mouse in input advanced settings to allow mouse panning.实体鼠标输入与鼠标平移不兼容。请在高级输入设置中禁用模拟鼠标以使用鼠标平移。
-
+ &Continue繼續(&C)
-
+ &Pause&暫停
-
+ 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><br>For an explanation of the various Switch formats yuzu supports, <a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>check out our wiki</a>. This message will not be shown again.此遊戲為解構的 ROM 資料夾格式,這是一種過時的格式,已被其他格式取代,如 NCA、NAX、XCI、NSP。解構的 ROM 目錄缺少圖示、中繼資料和更新支援。<br><br>有關 yuzu 支援的各種 Switch 格式說明,<a href='https://yuzu-emu.org/wiki/overview-of-switch-game-formats'>請參閱我們的 wiki </a>。此訊息將不再顯示。
-
+ Error while loading ROM!載入 ROM 時發生錯誤!
-
+ The ROM format is not supported.此 ROM 格式不支援
-
+ An error occurred initializing the video core.初始化視訊核心時發生錯誤
-
+ yuzu 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-emu.org/help/reference/log-files/'>How to Upload the Log File</a>. yuzu 在執行視訊核心時發生錯誤。 這可能是 GPU 驅動程序過舊造成的。 詳細資訊請查閱日誌檔案。 關於日誌檔案的更多資訊,請參考以下頁面:<a href='https://yuzu-emu.org/help/reference/log-files/'>如何上傳日誌檔案</a>。
-
+ Error while loading ROM! %1%1 signifies a numeric error code.載入 ROM 時發生錯誤!%1
-
+ %1<br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to redump your files.<br>You can refer to the yuzu wiki</a> or the yuzu Discord</a> for help.%1 signifies an error string.%1<br>請參閱 <a href='https://yuzu-emu.org/help/quickstart/'>yuzu 快速指引</a>以重新傾印檔案。<br>您可以前往 yuzu 的 wiki</a> 或 Discord 社群</a>以獲得幫助。
-
+ 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!資料夾不存在
-
+ Error Opening Transferable Shader Cache開啟通用著色器快取位置時發生錯誤
-
+ Failed to create the shader cache directory for this title.無法新增此遊戲的著色器快取資料夾。
-
+ Error Removing Contents移除內容時發生錯誤
-
+ Error Removing Update移除更新時發生錯誤
-
+ Error Removing DLC移除 DLC 時發生錯誤
-
+ Remove Installed Game Contents?移除已安裝的遊戲內容?
-
+ Remove Installed Game Update?移除已安裝的遊戲更新?
-
+ Remove Installed Game DLC?移除已安裝的遊戲 DLC?
-
+ Remove Entry移除項目
-
-
-
-
-
-
+
+
+
+
+
+ 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 DLC installed for this title.此遊戲沒有已安裝的 DLC。
-
+ Successfully removed %1 installed DLC.成功移除遊戲 %1 已安裝的 DLC。
-
+ 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?
+ 重置游玩时间?
+
+
+
+ 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.移除額外遊戲設定失敗。
-
-
+
+ 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.動作已成功完成
-
+ Integrity verification couldn't be performed!无法执行完整性验证!
-
+ File contents were not checked for validity.未检查文件的完整性。
-
-
+
+ Integrity verification failed!完整性验证失败!
-
+ File contents may be corrupt.文件可能已经损坏。
-
-
+
+ Verifying integrity...正在验证完整性...
-
-
+
+ Integrity verification succeeded!完整性验证成功!
-
-
-
-
-
+
+
+
+ Create Shortcut建立捷徑
-
+ This will create a shortcut to the current AppImage. This may not work well if you update. Continue?這將會為目前的應用程式映像建立捷徑,可能在其更新後無法運作,仍要繼續嗎?
-
- Cannot create shortcut on desktop. Path "%1" does not exist.
- 無法在桌面上建立捷徑,路徑「%1」不存在。
+
+ Cannot create shortcut. Path "%1" does not exist.
+ 无法创建快捷方式。路径“ %1 ”不存在。
-
- Cannot create shortcut in applications menu. Path "%1" does not exist and cannot be created.
- 無法在應用程式選單中建立捷徑,路徑「%1」不存在且無法建立。
-
-
-
+ Create Icon建立圖示
-
+ Cannot create icon file. Path "%1" does not exist and cannot be created.無法建立圖示檔案,路徑「%1」不存在且無法建立。
-
+ Start %1 with the yuzu Emulator使用 yuzu 模擬器啟動 %1
-
+ Failed to create a shortcut at %1無法在 %1 建立捷徑
-
+ Successfully created a shortcut to %1已成功在 %1 建立捷徑
-
+ 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 Content Archive (*.nca);;Nintendo Submission Package (*.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.為了避免潛在的衝突,不建議將遊戲本體安裝至內部儲存空間。
此功能僅用於安裝遊戲更新和 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遊戲 DLC
-
+ Delta TitleDelta 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確定
-
-
+
+ Hardware requirements not met硬體不符合需求
-
-
+
+ Your system does not meet the recommended hardware requirements. Compatibility reporting has been disabled.您的系統不符合建議的硬體需求,相容性回報已停用。
-
+ Missing yuzu Account未設定 yuzu 帳號
-
+ In order to submit a game compatibility test case, you must link your yuzu account.<br><br/>To link your yuzu account, go to Emulation > Configuration > Web.為了上傳相容性測試結果,您必須登入 yuzu 帳號。<br><br/>欲登入 yuzu 帳號請至模擬 > 設定 > 網路。
-
+ Error opening URL開啟 URL 時發生錯誤
-
+ Unable to open the URL "%1".無法開啟 URL:「%1」。
-
+ TAS RecordingTAS 錄製
-
+ Overwrite file of player 1?覆寫玩家 1 的檔案?
-
+ Invalid config detected偵測到無效設定
-
+ Handheld controller can't be used on docked mode. Pro controller will be selected.掌機手把無法在主機模式中使用。將會選擇 Pro 手把。
-
-
+
+ AmiiboAmiibo
-
-
+
+ The current amiibo has been removed目前 Amiibo 已被移除。
-
+ Error錯誤
-
-
+
+ The current game is not looking for amiibos目前遊戲並未在尋找 Amiibos
-
+ 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發生了未知錯誤
-
+ Verification failed for the following files:
%1
@@ -4571,145 +4570,177 @@ Please, only use this feature to install updates and DLC.
%1
-
+
+
+ No firmware available无可用固件
-
+
+ Please install the firmware to use the Album applet.
+ 请安装固件以使用相册小程序。
+
+
+
+ Album Applet
+ 相册小程序
+
+
+
+ Album applet is not available. Please reinstall firmware.
+ 相册小程序不可用。请安装固件。
+
+
+
+ Please install the firmware to use the Cabinet applet.
+ 请安装固件以使用 Cabinet 小程序。
+
+
+
+ Cabinet Applet
+ Cabinet 小程序
+
+
+
+ Cabinet applet is not available. Please reinstall firmware.
+ Cabinet 小程序不可用。请安装固件。
+
+
+ Please install the firmware to use the Mii editor.请安装固件以使用 Mii editor。
-
+ Mii Edit AppletMiiEdit 小程序
-
+ Mii editor is not available. Please reinstall firmware.Mii editor 不可用。请安装固件。
-
+ Capture Screenshot截圖
-
+ PNG Image (*.png)PNG 圖片 (*.png)
-
+ TAS state: Running %1/%2TAS 狀態:正在執行 %1/%2
-
+ TAS state: Recording %1TAS 狀態:正在錄製 %1
-
+ TAS state: Idle %1/%2TAS 狀態:閒置 %1/%2
-
+ TAS State: InvalidTAS 狀態:無效
-
+ &Stop Running&停止執行
-
+ &Start開始(&S)
-
+ Stop R&ecording停止錄製
-
+ R&ecord錄製 (&E)
-
+ 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 (Unlocked)遊戲: %1 FPS(未限制)
-
+ Game: %1 FPS遊戲:%1 FPS
-
+ Frame: %1 ms畫格延遲:%1 ms
-
+ %1 %2%1 %2
-
+ FSRFSR
-
+ NO AA抗鋸齒關
-
+ VOLUME: MUTE音量: 靜音
-
+ VOLUME: %1%Volume percentage (e.g. 50%)音量: %1%
-
+ Confirm Key Rederivation確認重新產生金鑰
-
+ You are about to force rederive all of your keys.
If you do not know what this means or what you are doing,
this is a potentially destructive action.
@@ -4725,37 +4756,37 @@ This will delete your autogenerated key files and re-run the key derivation modu
這將刪除您自動產生的金鑰檔案並重新執行產生金鑰模組。
-
+ Missing fuses遺失項目
-
+ - Missing BOOT0- 遺失 BOOT0
-
+ - Missing BCPKG2-1-Normal-Main - 遺失 BCPKG2-1-Normal-Main
-
+ - Missing PRODINFO- 遺失 PRODINFO
-
+ Derivation Components Missing遺失產生元件
-
+ Encryption keys are missing. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.<br><br><small>(%1)</small>缺少加密金鑰。 <br>請按照<a href='https://yuzu-emu.org/help/quickstart/'>《Yuzu快速入門指南》來取得所有金鑰、韌體、遊戲<br><br><small>(%1)。
-
+ Deriving keys...
This may take up to a minute depending
on your system's performance.
@@ -4764,49 +4795,49 @@ on your system's performance.
您的系統效能。
-
+ Deriving Keys產生金鑰
-
+ System Archive Decryption Failed系統封存解密失敗
-
+ Encryption keys failed to decrypt firmware. <br>Please follow <a href='https://yuzu-emu.org/help/quickstart/'>the yuzu quickstart guide</a> to get all your keys, firmware and games.加密金鑰無法解密韌體。<br>請依循<a href='https://yuzu-emu.org/help/quickstart/'>yuzu 快速開始指南</a>以取得您的金鑰、韌體和遊戲。
-
+ Select RomFS Dump Target選擇 RomFS 傾印目標
-
+ Please select which RomFS you would like to dump.請選擇希望傾印的 RomFS。
-
+ Are you sure you want to close yuzu?您確定要關閉 yuzu 嗎?
-
-
-
+
+
+ yuzuyuzu
-
+ Are you sure you want to stop the emulation? Any unsaved progress will be lost.您確定要停止模擬嗎?未儲存的進度將會遺失。
-
+ The currently running application has requested yuzu to not exit.
Would you like to bypass this and exit anyway?
@@ -4958,241 +4989,251 @@ Would you like to bypass this and exit anyway?
GameList
-
+ Favorite我的最愛
-
+ Start Game開始遊戲
-
+ Start Game without Custom Configuration開始遊戲(不使用額外設定)
-
+ Open Save Data Location開啟存檔位置
-
+ Open Mod Data Location開啟模組位置
-
+ Open Transferable Pipeline Cache開啟通用著色器管線快取位置
-
+ Remove移除
-
+ Remove Installed Update移除已安裝的遊戲更新
-
+ Remove All Installed DLC移除所有安裝的遊戲更新
-
+ Remove Custom Configuration移除額外設定
-
+
+ Remove Play Time Data
+ 清除游玩时间
+
+
+ Remove Cache Storage移除快取儲存空間
-
+ Remove OpenGL Pipeline Cache刪除 OpenGL 著色器管線快取
-
+ Remove Vulkan Pipeline Cache刪除 Vulkan 著色器管線快取
-
+ Remove All Pipeline Caches刪除所有著色器管線快取
-
+ Remove All Installed Contents移除所有安裝項目
-
-
+
+ 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新增至應用程式選單
-
+ Properties屬性
-
+ Scan Subfolders包含子資料夾
-
+ Remove Game Directory移除遊戲資料夾
-
+ ▲ Move Up▲ 向上移動
-
+ ▼ Move Down▼ 向下移動
-
+ Open Directory Location開啟資料夾位置
-
+ Clear清除
-
+ Name名稱
-
+ Compatibility相容性
-
+ Add-ons延伸模組
-
+ File type檔案格式
-
+ Size大小
+
+
+ Play time
+ 游玩时间
+ 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.此遊戲尚未經過測試
@@ -5200,7 +5241,7 @@ Would you like to bypass this and exit anyway?
GameListPlaceholder
-
+ Double-click to add a new folder to the game list連點兩下以新增資料夾至遊戲清單
@@ -5213,12 +5254,12 @@ Would you like to bypass this and exit anyway?
%1 / %n 個結果
-
+ Filter:搜尋:
-
+ Enter pattern to filter輸入文字以搜尋
@@ -5336,6 +5377,7 @@ Debug Message:
+ Main Window主要視窗
@@ -5441,6 +5483,11 @@ Debug Message:
+ Toggle Renderdoc Capture
+ 切换到 Renderdoc 捕获截图
+
+
+ Toggle Status Bar切換狀態列
@@ -5678,186 +5725,216 @@ Debug Message:
+ &Amiibo
+ Amiibo (&A)
+
+
+ &TASTAS (&T)
-
+ &Help說明 (&H)
-
+ &Install Files to NAND...&安裝檔案至內部儲存空間
-
+ L&oad File...開啟檔案(&O)...
-
+ Load &Folder...開啟資料夾(&F)...
-
+ E&xit結束(&X)
-
+ &Pause暫停(&P)
-
+ &Stop停止(&S)
-
+ &Reinitialize keys...重新初始化金鑰(&R)...
-
+ &Verify Installed Contents验证已安装内容的完整性 (&V)
-
+ &About yuzu關於 yuzu(&A)
-
+ Single &Window Mode單一視窗模式(&W)
-
+ Con&figure...設定 (&F)
-
+ Display D&ock Widget Headers顯示 Dock 小工具標題 (&O)
-
+ 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)
-
+ Open &yuzu Folder開啟 yuzu 資料夾(&Y)
-
+ &Capture Screenshot截圖 (&C)
-
+
+ Open &Album
+ 打开相册 (&A)
+
+
+
+ &Set Nickname and Owner
+ 设置昵称及所有者 (&S)
+
+
+
+ &Delete Game Data
+ 删除游戏数据 (&D)
+
+
+
+ &Restore Amiibo
+ 重置 Amiibo (&R)
+
+
+
+ &Format Amiibo
+ 格式化 Amiibo (&F)
+
+
+ Open &Mii Editor打开 Mii Editor (&M)
-
+ &Configure TAS...設定 &TAS…
-
+ Configure C&urrent Game...目前遊戲設定...(&U)
-
+ &Start開始(&S)
-
+ &Reset重設 (&R)
-
+ R&ecord錄製 (&E)
@@ -6165,27 +6242,27 @@ p, li { white-space: pre-wrap; }
不在玩游戏
-
+ Installed SD Titles安裝在 SD 卡中的遊戲
-
+ Installed NAND Titles安裝在內部儲存空間中的遊戲
-
+ System Titles系統項目
-
+ Add New Game Directory加入遊戲資料夾
-
+ Favorites我的最愛
@@ -6711,7 +6788,7 @@ p, li { white-space: pre-wrap; }
-
+ Pro ControllerPro 手把
@@ -6724,7 +6801,7 @@ p, li { white-space: pre-wrap; }
-
+ Dual Joycons雙 Joycon 手把
@@ -6737,7 +6814,7 @@ p, li { white-space: pre-wrap; }
-
+ Left Joycon左 Joycon 手把
@@ -6750,7 +6827,7 @@ p, li { white-space: pre-wrap; }
-
+ Right Joycon右 Joycon 手把
@@ -6779,7 +6856,7 @@ p, li { white-space: pre-wrap; }
-
+ Handheld掌機模式
@@ -6895,32 +6972,37 @@ p, li { white-space: pre-wrap; }
8
-
+
+ Not enough controllers
+ 控制器数量不足
+
+
+ GameCube ControllerGameCube 手把
-
+ Poke Ball Plus精靈球 PLUS
-
+ NES ControllerNES 控制手把
-
+ SNES ControllerSNES 控制手把
-
+ N64 ControllerN64 控制手把
-
+ Sega GenesisMega Drive
diff --git a/dist/org.yuzu_emu.yuzu.desktop b/dist/org.yuzu_emu.yuzu.desktop
index 008422863..51e191a8e 100644
--- a/dist/org.yuzu_emu.yuzu.desktop
+++ b/dist/org.yuzu_emu.yuzu.desktop
@@ -13,3 +13,4 @@ Exec=yuzu %f
Categories=Game;Emulator;Qt;
MimeType=application/x-nx-nro;application/x-nx-nso;application/x-nx-nsp;application/x-nx-xci;
Keywords=Nintendo;Switch;
+StartupWMClass=yuzu
diff --git a/externals/CMakeLists.txt b/externals/CMakeLists.txt
index 6e5bfbba6..be8b0b5e8 100644
--- a/externals/CMakeLists.txt
+++ b/externals/CMakeLists.txt
@@ -134,6 +134,10 @@ endif()
# Opus
if (NOT TARGET Opus::opus)
+ set(OPUS_BUILD_TESTING OFF)
+ set(OPUS_BUILD_PROGRAMS OFF)
+ set(OPUS_INSTALL_PKG_CONFIG_MODULE OFF)
+ set(OPUS_INSTALL_CMAKE_CONFIG_MODULE OFF)
add_subdirectory(opus)
endif()
@@ -189,3 +193,105 @@ if (ANDROID)
add_subdirectory(libadrenotools)
endif()
endif()
+
+# Breakpad
+# https://github.com/microsoft/vcpkg/blob/master/ports/breakpad/CMakeLists.txt
+if (YUZU_CRASH_DUMPS AND NOT TARGET libbreakpad_client)
+ set(BREAKPAD_WIN32_DEFINES
+ NOMINMAX
+ UNICODE
+ WIN32_LEAN_AND_MEAN
+ _CRT_SECURE_NO_WARNINGS
+ _CRT_SECURE_NO_DEPRECATE
+ _CRT_NONSTDC_NO_DEPRECATE
+ )
+
+ # libbreakpad
+ add_library(libbreakpad STATIC)
+ file(GLOB_RECURSE LIBBREAKPAD_SOURCES breakpad/src/processor/*.cc)
+ file(GLOB_RECURSE LIBDISASM_SOURCES breakpad/src/third_party/libdisasm/*.c)
+ list(FILTER LIBBREAKPAD_SOURCES EXCLUDE REGEX "_unittest|_selftest|synth_minidump|/tests|/testdata|/solaris|microdump_stackwalk|minidump_dump|minidump_stackwalk")
+ if (WIN32)
+ list(FILTER LIBBREAKPAD_SOURCES EXCLUDE REGEX "/linux|/mac|/android")
+ target_compile_definitions(libbreakpad PRIVATE ${BREAKPAD_WIN32_DEFINES})
+ target_include_directories(libbreakpad PRIVATE "${CMAKE_GENERATOR_INSTANCE}/DIA SDK/include")
+ elseif (APPLE)
+ list(FILTER LIBBREAKPAD_SOURCES EXCLUDE REGEX "/linux|/windows|/android")
+ else()
+ list(FILTER LIBBREAKPAD_SOURCES EXCLUDE REGEX "/mac|/windows|/android")
+ endif()
+ target_sources(libbreakpad PRIVATE ${LIBBREAKPAD_SOURCES} ${LIBDISASM_SOURCES})
+ target_include_directories(libbreakpad
+ PUBLIC
+ ${CMAKE_CURRENT_SOURCE_DIR}/breakpad/src
+ ${CMAKE_CURRENT_SOURCE_DIR}/breakpad/src/third_party/libdisasm
+ )
+
+ # libbreakpad_client
+ add_library(libbreakpad_client STATIC)
+ file(GLOB LIBBREAKPAD_COMMON_SOURCES breakpad/src/common/*.cc breakpad/src/common/*.c breakpad/src/client/*.cc)
+
+ if (WIN32)
+ file(GLOB_RECURSE LIBBREAKPAD_CLIENT_SOURCES breakpad/src/client/windows/*.cc breakpad/src/common/windows/*.cc)
+ list(FILTER LIBBREAKPAD_COMMON_SOURCES EXCLUDE REGEX "language.cc|path_helper.cc|stabs_to_module.cc|stabs_reader.cc|minidump_file_writer.cc")
+ target_include_directories(libbreakpad_client PRIVATE "${CMAKE_GENERATOR_INSTANCE}/DIA SDK/include")
+ target_compile_definitions(libbreakpad_client PRIVATE ${BREAKPAD_WIN32_DEFINES})
+ elseif (APPLE)
+ target_compile_definitions(libbreakpad_client PRIVATE HAVE_MACH_O_NLIST_H)
+ file(GLOB_RECURSE LIBBREAKPAD_CLIENT_SOURCES breakpad/src/client/mac/*.cc breakpad/src/common/mac/*.cc)
+ list(APPEND LIBBREAKPAD_CLIENT_SOURCES breakpad/src/common/mac/MachIPC.mm)
+ else()
+ target_compile_definitions(libbreakpad_client PUBLIC -DHAVE_A_OUT_H)
+ file(GLOB_RECURSE LIBBREAKPAD_CLIENT_SOURCES breakpad/src/client/linux/*.cc breakpad/src/common/linux/*.cc)
+ endif()
+ list(APPEND LIBBREAKPAD_CLIENT_SOURCES ${LIBBREAKPAD_COMMON_SOURCES})
+ list(FILTER LIBBREAKPAD_CLIENT_SOURCES EXCLUDE REGEX "/sender|/tests|/unittests|/testcases|_unittest|_test")
+ target_sources(libbreakpad_client PRIVATE ${LIBBREAKPAD_CLIENT_SOURCES})
+ target_include_directories(libbreakpad_client PUBLIC ${CMAKE_CURRENT_SOURCE_DIR}/breakpad/src)
+
+ if (WIN32)
+ target_link_libraries(libbreakpad_client PRIVATE wininet.lib)
+ elseif (APPLE)
+ find_library(CoreFoundation_FRAMEWORK CoreFoundation)
+ target_link_libraries(libbreakpad_client PRIVATE ${CoreFoundation_FRAMEWORK})
+ else()
+ find_library(PTHREAD_LIBRARIES pthread)
+ target_compile_definitions(libbreakpad_client PRIVATE HAVE_GETCONTEXT=1)
+ if (PTHREAD_LIBRARIES)
+ target_link_libraries(libbreakpad_client PRIVATE ${PTHREAD_LIBRARIES})
+ endif()
+ endif()
+
+ # Host tools for symbol processing
+ if (LINUX)
+ find_package(ZLIB REQUIRED)
+
+ add_executable(minidump_stackwalk breakpad/src/processor/minidump_stackwalk.cc)
+ target_link_libraries(minidump_stackwalk PRIVATE libbreakpad libbreakpad_client)
+
+ add_executable(dump_syms
+ breakpad/src/common/dwarf_cfi_to_module.cc
+ breakpad/src/common/dwarf_cu_to_module.cc
+ breakpad/src/common/dwarf_line_to_module.cc
+ breakpad/src/common/dwarf_range_list_handler.cc
+ breakpad/src/common/language.cc
+ breakpad/src/common/module.cc
+ breakpad/src/common/path_helper.cc
+ breakpad/src/common/stabs_reader.cc
+ breakpad/src/common/stabs_to_module.cc
+ breakpad/src/common/dwarf/bytereader.cc
+ breakpad/src/common/dwarf/dwarf2diehandler.cc
+ breakpad/src/common/dwarf/dwarf2reader.cc
+ breakpad/src/common/dwarf/elf_reader.cc
+ breakpad/src/common/linux/crc32.cc
+ breakpad/src/common/linux/dump_symbols.cc
+ breakpad/src/common/linux/elf_symbols_to_module.cc
+ breakpad/src/common/linux/elfutils.cc
+ breakpad/src/common/linux/file_id.cc
+ breakpad/src/common/linux/linux_libc_support.cc
+ breakpad/src/common/linux/memory_mapped_file.cc
+ breakpad/src/common/linux/safe_readlink.cc
+ breakpad/src/tools/linux/dump_syms/dump_syms.cc)
+ target_link_libraries(dump_syms PRIVATE libbreakpad_client ZLIB::ZLIB)
+ endif()
+endif()
diff --git a/externals/SDL b/externals/SDL
index 031912c4b..cc016b004 160000
--- a/externals/SDL
+++ b/externals/SDL
@@ -1 +1 @@
-Subproject commit 031912c4b6c5db80b443f04aa56fec3e4e645153
+Subproject commit cc016b0046d563287f0aa9f09b958b5e70d43696
diff --git a/externals/Vulkan-Headers b/externals/Vulkan-Headers
index ed857118e..df60f0316 160000
--- a/externals/Vulkan-Headers
+++ b/externals/Vulkan-Headers
@@ -1 +1 @@
-Subproject commit ed857118e243fdc0f3a100f00ac9919e874cfe63
+Subproject commit df60f0316899460eeaaefa06d2dd7e4e300c1604
diff --git a/externals/VulkanMemoryAllocator b/externals/VulkanMemoryAllocator
index 9b0fc3e7b..2f382df21 160000
--- a/externals/VulkanMemoryAllocator
+++ b/externals/VulkanMemoryAllocator
@@ -1 +1 @@
-Subproject commit 9b0fc3e7b02afe97895eb3e945fe800c3a7485ac
+Subproject commit 2f382df218d7e8516dee3b3caccb819a62b571a2
diff --git a/externals/breakpad b/externals/breakpad
new file mode 160000
index 000000000..c89f9dddc
--- /dev/null
+++ b/externals/breakpad
@@ -0,0 +1 @@
+Subproject commit c89f9dddc793f19910ef06c13e4fd240da4e7a59
diff --git a/externals/cpp-httplib b/externals/cpp-httplib
index 6d963fbe8..a609330e4 160000
--- a/externals/cpp-httplib
+++ b/externals/cpp-httplib
@@ -1 +1 @@
-Subproject commit 6d963fbe8d415399d65e94db7910bbd22fe3741c
+Subproject commit a609330e4c6374f741d3b369269f7848255e1954
diff --git a/externals/cpp-jwt b/externals/cpp-jwt
index e12ef0621..10ef5735d 160000
--- a/externals/cpp-jwt
+++ b/externals/cpp-jwt
@@ -1 +1 @@
-Subproject commit e12ef06218596b52d9b5d6e1639484866a8e7067
+Subproject commit 10ef5735d842b31025f1257ae78899f50a40fb14
diff --git a/externals/dynarmic b/externals/dynarmic
index 7da378033..0df09e2f6 160000
--- a/externals/dynarmic
+++ b/externals/dynarmic
@@ -1 +1 @@
-Subproject commit 7da378033a7764f955516f75194856d87bbcd7a5
+Subproject commit 0df09e2f6b61c2d7ad2f2053d4f020a5c33e0378
diff --git a/externals/ffmpeg/ffmpeg b/externals/ffmpeg/ffmpeg
index 6b6b9e593..9c1294ead 160000
--- a/externals/ffmpeg/ffmpeg
+++ b/externals/ffmpeg/ffmpeg
@@ -1 +1 @@
-Subproject commit 6b6b9e593dd4d3aaf75f48d40a13ef03bdef9fdb
+Subproject commit 9c1294eaddb88cb0e044c675ccae059a85fc9c6c
diff --git a/externals/inih/inih b/externals/inih/inih
index 1e80a47df..9cecf0643 160000
--- a/externals/inih/inih
+++ b/externals/inih/inih
@@ -1 +1 @@
-Subproject commit 1e80a47dffbda813604f0913e2ad68c7054c14e4
+Subproject commit 9cecf0643da0846e77f64d10a126d9f48b9e05e8
diff --git a/externals/libusb/CMakeLists.txt b/externals/libusb/CMakeLists.txt
index 6757b59da..1d50c9f8c 100644
--- a/externals/libusb/CMakeLists.txt
+++ b/externals/libusb/CMakeLists.txt
@@ -49,11 +49,6 @@ if (MINGW OR (${CMAKE_SYSTEM_NAME} MATCHES "Linux") OR APPLE)
set(LIBUSB_INCLUDE_DIRS "${LIBUSB_SRC_DIR}/libusb" CACHE PATH "libusb headers path" FORCE)
- # MINGW: causes "externals/libusb/libusb/libusb/os/windows_winusb.c:1427:2: error: conversion to non-scalar type requested", so cannot statically link it for now.
- if (NOT MINGW)
- set(LIBUSB_CFLAGS "-DGUID_DEVINTERFACE_USB_DEVICE=\\(GUID\\){0xA5DCBF10,0x6530,0x11D2,{0x90,0x1F,0x00,0xC0,0x4F,0xB9,0x51,0xED}}")
- endif()
-
make_directory("${LIBUSB_PREFIX}")
add_custom_command(
@@ -146,8 +141,6 @@ else() # MINGW OR (${CMAKE_SYSTEM_NAME} MATCHES "Linux")
target_include_directories(usb BEFORE PRIVATE libusb/msvc)
endif()
- # Works around other libraries providing their own definition of USB GUIDs (e.g. SDL2)
- target_compile_definitions(usb PRIVATE "-DGUID_DEVINTERFACE_USB_DEVICE=(GUID){ 0xA5DCBF10, 0x6530, 0x11D2, {0x90, 0x1F, 0x00, 0xC0, 0x4F, 0xB9, 0x51, 0xED}}")
else()
target_include_directories(usb
# turns out other projects also have "config.h", so make sure the
diff --git a/externals/libusb/libusb b/externals/libusb/libusb
index c6a35c560..c060e9ce3 160000
--- a/externals/libusb/libusb
+++ b/externals/libusb/libusb
@@ -1 +1 @@
-Subproject commit c6a35c56016ea2ab2f19115d2ea1e85e0edae155
+Subproject commit c060e9ce30ac2e3ffb49d94209c4dae77b6642f7
diff --git a/externals/opus b/externals/opus
new file mode 160000
index 000000000..101a71e03
--- /dev/null
+++ b/externals/opus
@@ -0,0 +1 @@
+Subproject commit 101a71e03bbf860aaafb7090a0e440675cb27660
diff --git a/externals/opus/CMakeLists.txt b/externals/opus/CMakeLists.txt
deleted file mode 100644
index d9a03423d..000000000
--- a/externals/opus/CMakeLists.txt
+++ /dev/null
@@ -1,259 +0,0 @@
-# SPDX-FileCopyrightText: 2019 yuzu Emulator Project
-# SPDX-License-Identifier: GPL-2.0-or-later
-
-cmake_minimum_required(VERSION 3.8)
-
-project(opus)
-
-option(OPUS_STACK_PROTECTOR "Use stack protection" OFF)
-option(OPUS_USE_ALLOCA "Use alloca for stack arrays (on non-C99 compilers)" OFF)
-option(OPUS_CUSTOM_MODES "Enable non-Opus modes, e.g. 44.1 kHz & 2^n frames" OFF)
-option(OPUS_FIXED_POINT "Compile as fixed-point (for machines without a fast enough FPU)" OFF)
-option(OPUS_ENABLE_FLOAT_API "Compile with the floating point API (for machines with float library" ON)
-
-include(opus/opus_functions.cmake)
-
-if(OPUS_STACK_PROTECTOR)
- if(NOT MSVC) # GC on by default on MSVC
- check_and_set_flag(STACK_PROTECTION_STRONG -fstack-protector-strong)
- endif()
-else()
- if(MSVC)
- check_and_set_flag(BUFFER_SECURITY_CHECK /GS-)
- endif()
-endif()
-
-add_library(opus
- # CELT sources
- opus/celt/bands.c
- opus/celt/celt.c
- opus/celt/celt_decoder.c
- opus/celt/celt_encoder.c
- opus/celt/celt_lpc.c
- opus/celt/cwrs.c
- opus/celt/entcode.c
- opus/celt/entdec.c
- opus/celt/entenc.c
- opus/celt/kiss_fft.c
- opus/celt/laplace.c
- opus/celt/mathops.c
- opus/celt/mdct.c
- opus/celt/modes.c
- opus/celt/pitch.c
- opus/celt/quant_bands.c
- opus/celt/rate.c
- opus/celt/vq.c
-
- # SILK sources
- opus/silk/A2NLSF.c
- opus/silk/CNG.c
- opus/silk/HP_variable_cutoff.c
- opus/silk/LPC_analysis_filter.c
- opus/silk/LPC_fit.c
- opus/silk/LPC_inv_pred_gain.c
- opus/silk/LP_variable_cutoff.c
- opus/silk/NLSF2A.c
- opus/silk/NLSF_VQ.c
- opus/silk/NLSF_VQ_weights_laroia.c
- opus/silk/NLSF_decode.c
- opus/silk/NLSF_del_dec_quant.c
- opus/silk/NLSF_encode.c
- opus/silk/NLSF_stabilize.c
- opus/silk/NLSF_unpack.c
- opus/silk/NSQ.c
- opus/silk/NSQ_del_dec.c
- opus/silk/PLC.c
- opus/silk/VAD.c
- opus/silk/VQ_WMat_EC.c
- opus/silk/ana_filt_bank_1.c
- opus/silk/biquad_alt.c
- opus/silk/bwexpander.c
- opus/silk/bwexpander_32.c
- opus/silk/check_control_input.c
- opus/silk/code_signs.c
- opus/silk/control_SNR.c
- opus/silk/control_audio_bandwidth.c
- opus/silk/control_codec.c
- opus/silk/dec_API.c
- opus/silk/decode_core.c
- opus/silk/decode_frame.c
- opus/silk/decode_indices.c
- opus/silk/decode_parameters.c
- opus/silk/decode_pitch.c
- opus/silk/decode_pulses.c
- opus/silk/decoder_set_fs.c
- opus/silk/enc_API.c
- opus/silk/encode_indices.c
- opus/silk/encode_pulses.c
- opus/silk/gain_quant.c
- opus/silk/init_decoder.c
- opus/silk/init_encoder.c
- opus/silk/inner_prod_aligned.c
- opus/silk/interpolate.c
- opus/silk/lin2log.c
- opus/silk/log2lin.c
- opus/silk/pitch_est_tables.c
- opus/silk/process_NLSFs.c
- opus/silk/quant_LTP_gains.c
- opus/silk/resampler.c
- opus/silk/resampler_down2.c
- opus/silk/resampler_down2_3.c
- opus/silk/resampler_private_AR2.c
- opus/silk/resampler_private_IIR_FIR.c
- opus/silk/resampler_private_down_FIR.c
- opus/silk/resampler_private_up2_HQ.c
- opus/silk/resampler_rom.c
- opus/silk/shell_coder.c
- opus/silk/sigm_Q15.c
- opus/silk/sort.c
- opus/silk/stereo_LR_to_MS.c
- opus/silk/stereo_MS_to_LR.c
- opus/silk/stereo_decode_pred.c
- opus/silk/stereo_encode_pred.c
- opus/silk/stereo_find_predictor.c
- opus/silk/stereo_quant_pred.c
- opus/silk/sum_sqr_shift.c
- opus/silk/table_LSF_cos.c
- opus/silk/tables_LTP.c
- opus/silk/tables_NLSF_CB_NB_MB.c
- opus/silk/tables_NLSF_CB_WB.c
- opus/silk/tables_gain.c
- opus/silk/tables_other.c
- opus/silk/tables_pitch_lag.c
- opus/silk/tables_pulses_per_block.c
-
- # Opus sources
- opus/src/analysis.c
- opus/src/mapping_matrix.c
- opus/src/mlp.c
- opus/src/mlp_data.c
- opus/src/opus.c
- opus/src/opus_decoder.c
- opus/src/opus_encoder.c
- opus/src/opus_multistream.c
- opus/src/opus_multistream_decoder.c
- opus/src/opus_multistream_encoder.c
- opus/src/opus_projection_decoder.c
- opus/src/opus_projection_encoder.c
- opus/src/repacketizer.c
-)
-
-if (DEBUG)
- target_sources(opus PRIVATE opus/silk/debug.c)
-endif()
-
-if (OPUS_FIXED_POINT)
- target_sources(opus PRIVATE
- opus/silk/fixed/LTP_analysis_filter_FIX.c
- opus/silk/fixed/LTP_scale_ctrl_FIX.c
- opus/silk/fixed/apply_sine_window_FIX.c
- opus/silk/fixed/autocorr_FIX.c
- opus/silk/fixed/burg_modified_FIX.c
- opus/silk/fixed/corrMatrix_FIX.c
- opus/silk/fixed/encode_frame_FIX.c
- opus/silk/fixed/find_LPC_FIX.c
- opus/silk/fixed/find_LTP_FIX.c
- opus/silk/fixed/find_pitch_lags_FIX.c
- opus/silk/fixed/find_pred_coefs_FIX.c
- opus/silk/fixed/k2a_FIX.c
- opus/silk/fixed/k2a_Q16_FIX.c
- opus/silk/fixed/noise_shape_analysis_FIX.c
- opus/silk/fixed/pitch_analysis_core_FIX.c
- opus/silk/fixed/prefilter_FIX.c
- opus/silk/fixed/process_gains_FIX.c
- opus/silk/fixed/regularize_correlations_FIX.c
- opus/silk/fixed/residual_energy16_FIX.c
- opus/silk/fixed/residual_energy_FIX.c
- opus/silk/fixed/schur64_FIX.c
- opus/silk/fixed/schur_FIX.c
- opus/silk/fixed/solve_LS_FIX.c
- opus/silk/fixed/vector_ops_FIX.c
- opus/silk/fixed/warped_autocorrelation_FIX.c
- )
-else()
- target_sources(opus PRIVATE
- opus/silk/float/LPC_analysis_filter_FLP.c
- opus/silk/float/LPC_inv_pred_gain_FLP.c
- opus/silk/float/LTP_analysis_filter_FLP.c
- opus/silk/float/LTP_scale_ctrl_FLP.c
- opus/silk/float/apply_sine_window_FLP.c
- opus/silk/float/autocorrelation_FLP.c
- opus/silk/float/burg_modified_FLP.c
- opus/silk/float/bwexpander_FLP.c
- opus/silk/float/corrMatrix_FLP.c
- opus/silk/float/encode_frame_FLP.c
- opus/silk/float/energy_FLP.c
- opus/silk/float/find_LPC_FLP.c
- opus/silk/float/find_LTP_FLP.c
- opus/silk/float/find_pitch_lags_FLP.c
- opus/silk/float/find_pred_coefs_FLP.c
- opus/silk/float/inner_product_FLP.c
- opus/silk/float/k2a_FLP.c
- opus/silk/float/noise_shape_analysis_FLP.c
- opus/silk/float/pitch_analysis_core_FLP.c
- opus/silk/float/process_gains_FLP.c
- opus/silk/float/regularize_correlations_FLP.c
- opus/silk/float/residual_energy_FLP.c
- opus/silk/float/scale_copy_vector_FLP.c
- opus/silk/float/scale_vector_FLP.c
- opus/silk/float/schur_FLP.c
- opus/silk/float/sort_FLP.c
- opus/silk/float/warped_autocorrelation_FLP.c
- opus/silk/float/wrappers_FLP.c
- )
-endif()
-
-target_compile_definitions(opus PRIVATE OPUS_BUILD ENABLE_HARDENING)
-
-if(NOT MSVC)
- if(MINGW)
- target_compile_definitions(opus PRIVATE _FORTIFY_SOURCE=0)
- else()
- target_compile_definitions(opus PRIVATE _FORTIFY_SOURCE=2)
- endif()
-endif()
-
-# It is strongly recommended to uncomment one of these VAR_ARRAYS: Use C99
-# variable-length arrays for stack allocation USE_ALLOCA: Use alloca() for stack
-# allocation If none is defined, then the fallback is a non-threadsafe global
-# array
-if(OPUS_USE_ALLOCA OR MSVC)
- target_compile_definitions(opus PRIVATE USE_ALLOCA)
-else()
- target_compile_definitions(opus PRIVATE VAR_ARRAYS)
-endif()
-
-if(OPUS_CUSTOM_MODES)
- target_compile_definitions(opus PRIVATE CUSTOM_MODES)
-endif()
-
-if(NOT OPUS_ENABLE_FLOAT_API)
- target_compile_definitions(opus PRIVATE DISABLE_FLOAT_API)
-endif()
-
-target_compile_definitions(opus
-PUBLIC
- -DOPUS_VERSION="\\"1.3.1\\""
-
-PRIVATE
- # Use C99 intrinsics to speed up float-to-int conversion
- HAVE_LRINTF
-)
-
-if (FIXED_POINT)
- target_compile_definitions(opus PRIVATE -DFIXED_POINT=1 -DDISABLE_FLOAT_API)
-endif()
-
-target_include_directories(opus
-PUBLIC
- opus/include
-
-PRIVATE
- opus/celt
- opus/silk
- opus/silk/fixed
- opus/silk/float
- opus/src
-)
-
-add_library(Opus::opus ALIAS opus)
diff --git a/externals/opus/opus b/externals/opus/opus
deleted file mode 160000
index ad8fe90db..000000000
--- a/externals/opus/opus
+++ /dev/null
@@ -1 +0,0 @@
-Subproject commit ad8fe90db79b7d2a135e3dfd2ed6631b0c5662ab
diff --git a/externals/vcpkg b/externals/vcpkg
index cbf56573a..ef2eef173 160000
--- a/externals/vcpkg
+++ b/externals/vcpkg
@@ -1 +1 @@
-Subproject commit cbf56573a987527b39272e88cbdd11389b78c6e4
+Subproject commit ef2eef17340f3fbd679327d286fad06dd6e838ed
diff --git a/src/android/app/build.gradle.kts b/src/android/app/build.gradle.kts
index ac43d84b7..021b070e0 100644
--- a/src/android/app/build.gradle.kts
+++ b/src/android/app/build.gradle.kts
@@ -47,6 +47,10 @@ android {
jniLibs.useLegacyPackaging = true
}
+ androidResources {
+ generateLocaleConfig = true
+ }
+
defaultConfig {
// TODO If this is ever modified, change application_id in strings.xml
applicationId = "org.yuzu.yuzu_emu"
diff --git a/src/android/app/src/main/AndroidManifest.xml b/src/android/app/src/main/AndroidManifest.xml
index a67351727..f10131b24 100644
--- a/src/android/app/src/main/AndroidManifest.xml
+++ b/src/android/app/src/main/AndroidManifest.xml
@@ -26,7 +26,6 @@ SPDX-License-Identifier: GPL-3.0-or-later
android:supportsRtl="true"
android:isGame="true"
android:appCategory="game"
- android:localeConfig="@xml/locales_config"
android:banner="@drawable/tv_banner"
android:fullBackupContent="@xml/data_extraction_rules"
android:dataExtractionRules="@xml/data_extraction_rules_api_31"
diff --git a/src/android/app/src/main/java/org/yuzu/yuzu_emu/NativeLibrary.kt b/src/android/app/src/main/java/org/yuzu/yuzu_emu/NativeLibrary.kt
index 115f72710..9ebd6c732 100644
--- a/src/android/app/src/main/java/org/yuzu/yuzu_emu/NativeLibrary.kt
+++ b/src/android/app/src/main/java/org/yuzu/yuzu_emu/NativeLibrary.kt
@@ -5,6 +5,7 @@ package org.yuzu.yuzu_emu
import android.app.Dialog
import android.content.DialogInterface
+import android.net.Uri
import android.os.Bundle
import android.text.Html
import android.text.method.LinkMovementMethod
@@ -16,7 +17,7 @@ import androidx.fragment.app.DialogFragment
import com.google.android.material.dialog.MaterialAlertDialogBuilder
import java.lang.ref.WeakReference
import org.yuzu.yuzu_emu.activities.EmulationActivity
-import org.yuzu.yuzu_emu.utils.DocumentsTree.Companion.isNativePath
+import org.yuzu.yuzu_emu.utils.DocumentsTree
import org.yuzu.yuzu_emu.utils.FileUtil
import org.yuzu.yuzu_emu.utils.Log
import org.yuzu.yuzu_emu.utils.SerializableHelper.serializable
@@ -68,7 +69,7 @@ object NativeLibrary {
@Keep
@JvmStatic
fun openContentUri(path: String?, openmode: String?): Int {
- return if (isNativePath(path!!)) {
+ return if (DocumentsTree.isNativePath(path!!)) {
YuzuApplication.documentsTree!!.openContentUri(path, openmode)
} else {
FileUtil.openContentUri(path, openmode)
@@ -78,7 +79,7 @@ object NativeLibrary {
@Keep
@JvmStatic
fun getSize(path: String?): Long {
- return if (isNativePath(path!!)) {
+ return if (DocumentsTree.isNativePath(path!!)) {
YuzuApplication.documentsTree!!.getFileSize(path)
} else {
FileUtil.getFileSize(path)
@@ -88,23 +89,41 @@ object NativeLibrary {
@Keep
@JvmStatic
fun exists(path: String?): Boolean {
- return if (isNativePath(path!!)) {
+ return if (DocumentsTree.isNativePath(path!!)) {
YuzuApplication.documentsTree!!.exists(path)
} else {
- FileUtil.exists(path)
+ FileUtil.exists(path, suppressLog = true)
}
}
@Keep
@JvmStatic
fun isDirectory(path: String?): Boolean {
- return if (isNativePath(path!!)) {
+ return if (DocumentsTree.isNativePath(path!!)) {
YuzuApplication.documentsTree!!.isDirectory(path)
} else {
FileUtil.isDirectory(path)
}
}
+ @Keep
+ @JvmStatic
+ fun getParentDirectory(path: String): String =
+ if (DocumentsTree.isNativePath(path)) {
+ YuzuApplication.documentsTree!!.getParentDirectory(path)
+ } else {
+ path
+ }
+
+ @Keep
+ @JvmStatic
+ fun getFilename(path: String): String =
+ if (DocumentsTree.isNativePath(path)) {
+ YuzuApplication.documentsTree!!.getFilename(path)
+ } else {
+ FileUtil.getFilename(Uri.parse(path))
+ }
+
/**
* Returns true if pro controller isn't available and handheld is
*/
@@ -215,32 +234,6 @@ object NativeLibrary {
external fun initGameIni(gameID: String?)
- /**
- * Gets the embedded icon within the given ROM.
- *
- * @param filename the file path to the ROM.
- * @return a byte array containing the JPEG data for the icon.
- */
- external fun getIcon(filename: String): ByteArray
-
- /**
- * Gets the embedded title of the given ISO/ROM.
- *
- * @param filename The file path to the ISO/ROM.
- * @return the embedded title of the ISO/ROM.
- */
- external fun getTitle(filename: String): String
-
- external fun getDescription(filename: String): String
-
- external fun getGameId(filename: String): String
-
- external fun getRegions(filename: String): String
-
- external fun getCompany(filename: String): String
-
- external fun isHomebrew(filename: String): Boolean
-
external fun setAppDirectory(directory: String)
/**
@@ -259,7 +252,7 @@ object NativeLibrary {
external fun reloadKeys(): Boolean
- external fun initializeEmulation()
+ external fun initializeSystem(reload: Boolean)
external fun defaultCPUCore(): Int
@@ -293,11 +286,6 @@ object NativeLibrary {
*/
external fun stopEmulation()
- /**
- * Resets the in-memory ROM metadata cache.
- */
- external fun resetRomMetadata()
-
/**
* Returns true if emulation is running (or is paused).
*/
@@ -474,12 +462,12 @@ object NativeLibrary {
}
fun setEmulationActivity(emulationActivity: EmulationActivity?) {
- Log.verbose("[NativeLibrary] Registering EmulationActivity.")
+ Log.debug("[NativeLibrary] Registering EmulationActivity.")
sEmulationActivity = WeakReference(emulationActivity)
}
fun clearEmulationActivity() {
- Log.verbose("[NativeLibrary] Unregistering EmulationActivity.")
+ Log.debug("[NativeLibrary] Unregistering EmulationActivity.")
sEmulationActivity.clear()
}
@@ -517,6 +505,36 @@ object NativeLibrary {
*/
external fun initializeEmptyUserDirectory()
+ /**
+ * Gets the launch path for a given applet. It is the caller's responsibility to also
+ * set the system's current applet ID before trying to launch the nca given by this function.
+ *
+ * @param id The applet entry ID
+ * @return The applet's launch path
+ */
+ external fun getAppletLaunchPath(id: Long): String
+
+ /**
+ * Sets the system's current applet ID before launching.
+ *
+ * @param appletId One of the ids in the Service::AM::Applets::AppletId enum
+ */
+ external fun setCurrentAppletId(appletId: Int)
+
+ /**
+ * Sets the cabinet mode for launching the cabinet applet.
+ *
+ * @param cabinetMode One of the modes that corresponds to the enum in Service::NFP::CabinetMode
+ */
+ external fun setCabinetMode(cabinetMode: Int)
+
+ /**
+ * Checks whether NAND contents are available and valid.
+ *
+ * @return 'true' if firmware is available
+ */
+ external fun isFirmwareAvailable(): Boolean
+
/**
* Button type for use in onTouchEvent
*/
diff --git a/src/android/app/src/main/java/org/yuzu/yuzu_emu/YuzuApplication.kt b/src/android/app/src/main/java/org/yuzu/yuzu_emu/YuzuApplication.kt
index 8c053670c..d114bd53d 100644
--- a/src/android/app/src/main/java/org/yuzu/yuzu_emu/YuzuApplication.kt
+++ b/src/android/app/src/main/java/org/yuzu/yuzu_emu/YuzuApplication.kt
@@ -11,6 +11,7 @@ import java.io.File
import org.yuzu.yuzu_emu.utils.DirectoryInitialization
import org.yuzu.yuzu_emu.utils.DocumentsTree
import org.yuzu.yuzu_emu.utils.GpuDriverHelper
+import org.yuzu.yuzu_emu.utils.Log
fun Context.getPublicFilesDir(): File = getExternalFilesDir(null) ?: filesDir
@@ -49,6 +50,7 @@ class YuzuApplication : Application() {
DirectoryInitialization.start()
GpuDriverHelper.initializeDriverParameters()
NativeLibrary.logDeviceInfo()
+ Log.logDeviceInfo()
createNotificationChannels()
}
diff --git a/src/android/app/src/main/java/org/yuzu/yuzu_emu/activities/EmulationActivity.kt b/src/android/app/src/main/java/org/yuzu/yuzu_emu/activities/EmulationActivity.kt
index e96a2059b..054e4b755 100644
--- a/src/android/app/src/main/java/org/yuzu/yuzu_emu/activities/EmulationActivity.kt
+++ b/src/android/app/src/main/java/org/yuzu/yuzu_emu/activities/EmulationActivity.kt
@@ -45,9 +45,9 @@ import org.yuzu.yuzu_emu.features.settings.model.IntSetting
import org.yuzu.yuzu_emu.features.settings.model.Settings
import org.yuzu.yuzu_emu.model.EmulationViewModel
import org.yuzu.yuzu_emu.model.Game
-import org.yuzu.yuzu_emu.utils.ControllerMappingHelper
import org.yuzu.yuzu_emu.utils.ForegroundService
import org.yuzu.yuzu_emu.utils.InputHandler
+import org.yuzu.yuzu_emu.utils.Log
import org.yuzu.yuzu_emu.utils.MemoryUtil
import org.yuzu.yuzu_emu.utils.NfcReader
import org.yuzu.yuzu_emu.utils.ThemeHelper
@@ -57,17 +57,16 @@ import kotlin.math.roundToInt
class EmulationActivity : AppCompatActivity(), SensorEventListener {
private lateinit var binding: ActivityEmulationBinding
- private var controllerMappingHelper: ControllerMappingHelper? = null
-
var isActivityRecreated = false
private lateinit var nfcReader: NfcReader
- private lateinit var inputHandler: InputHandler
private val gyro = FloatArray(3)
private val accel = FloatArray(3)
private var motionTimestamp: Long = 0
private var flipMotionOrientation: Boolean = false
+ private var controllerIds = InputHandler.getGameControllerIds()
+
private val actionPause = "ACTION_EMULATOR_PAUSE"
private val actionPlay = "ACTION_EMULATOR_PLAY"
private val actionMute = "ACTION_EMULATOR_MUTE"
@@ -82,6 +81,7 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
}
override fun onCreate(savedInstanceState: Bundle?) {
+ Log.gameLaunched = true
ThemeHelper.setTheme(this)
super.onCreate(savedInstanceState)
@@ -95,8 +95,6 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
isActivityRecreated = savedInstanceState != null
- controllerMappingHelper = ControllerMappingHelper()
-
// Set these options now so that the SurfaceView the game renders into is the right size.
enableFullscreenImmersive()
@@ -105,12 +103,11 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
nfcReader = NfcReader(this)
nfcReader.initialize()
- inputHandler = InputHandler()
- inputHandler.initialize()
+ InputHandler.initialize()
val preferences = PreferenceManager.getDefaultSharedPreferences(YuzuApplication.appContext)
if (!preferences.getBoolean(Settings.PREF_MEMORY_WARNING_SHOWN, false)) {
- if (MemoryUtil.isLessThan(MemoryUtil.REQUIRED_MEMORY, MemoryUtil.Gb)) {
+ if (MemoryUtil.isLessThan(MemoryUtil.REQUIRED_MEMORY, MemoryUtil.totalMemory)) {
Toast.makeText(
this,
getString(
@@ -162,6 +159,7 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
super.onResume()
nfcReader.startScanning()
startMotionSensorListener()
+ InputHandler.updateControllerIds()
buildPictureInPictureParams()
}
@@ -195,7 +193,7 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
return super.dispatchKeyEvent(event)
}
- return inputHandler.dispatchKeyEvent(event)
+ return InputHandler.dispatchKeyEvent(event)
}
override fun dispatchGenericMotionEvent(event: MotionEvent): Boolean {
@@ -210,7 +208,7 @@ class EmulationActivity : AppCompatActivity(), SensorEventListener {
return true
}
- return inputHandler.dispatchGenericMotionEvent(event)
+ return InputHandler.dispatchGenericMotionEvent(event)
}
override fun onSensorChanged(event: SensorEvent) {
diff --git a/src/android/app/src/main/java/org/yuzu/yuzu_emu/adapters/AppletAdapter.kt b/src/android/app/src/main/java/org/yuzu/yuzu_emu/adapters/AppletAdapter.kt
new file mode 100644
index 000000000..a21a705c1
--- /dev/null
+++ b/src/android/app/src/main/java/org/yuzu/yuzu_emu/adapters/AppletAdapter.kt
@@ -0,0 +1,90 @@
+// SPDX-FileCopyrightText: 2023 yuzu Emulator Project
+// SPDX-License-Identifier: GPL-2.0-or-later
+
+package org.yuzu.yuzu_emu.adapters
+
+import android.view.LayoutInflater
+import android.view.View
+import android.view.ViewGroup
+import android.widget.Toast
+import androidx.core.content.res.ResourcesCompat
+import androidx.fragment.app.FragmentActivity
+import androidx.navigation.findNavController
+import androidx.recyclerview.widget.RecyclerView
+import org.yuzu.yuzu_emu.HomeNavigationDirections
+import org.yuzu.yuzu_emu.NativeLibrary
+import org.yuzu.yuzu_emu.R
+import org.yuzu.yuzu_emu.YuzuApplication
+import org.yuzu.yuzu_emu.databinding.CardAppletOptionBinding
+import org.yuzu.yuzu_emu.model.Applet
+import org.yuzu.yuzu_emu.model.AppletInfo
+import org.yuzu.yuzu_emu.model.Game
+
+class AppletAdapter(val activity: FragmentActivity, var applets: List