diff --git a/src/qt_gui/cheats_patches.cpp b/src/qt_gui/cheats_patches.cpp index 13157aa3a..34a5a6760 100644 --- a/src/qt_gui/cheats_patches.cpp +++ b/src/qt_gui/cheats_patches.cpp @@ -568,7 +568,7 @@ void CheatsPatches::downloadCheats(const QString& source, const QString& gameSer } else { QMessageBox::warning(this, tr("Error"), QString(tr("Failed to download file:") + - "%1\n\n" + tr("Error:") + "%2") + "%1\n\n" + tr("Error") + ":%2") .arg(fileUrl) .arg(fileReply->errorString())); } @@ -644,7 +644,7 @@ void CheatsPatches::downloadCheats(const QString& source, const QString& gameSer } else { QMessageBox::warning(this, tr("Error"), QString(tr("Failed to download file:") + - "%1\n\n" + tr("Error:") + "%2") + "%1\n\n" + tr("Error") + ":%2") .arg(fileUrl) .arg(fileReply->errorString())); } @@ -843,7 +843,7 @@ void CheatsPatches::compatibleVersionNotice(const QString repository) { foreach (const QString& xmlFile, xmlFiles) { QFile file(dir.filePath(xmlFile)); if (!file.open(QIODevice::ReadOnly | QIODevice::Text)) { - QMessageBox::warning(this, tr("ERROR"), + QMessageBox::warning(this, tr("Error"), QString(tr("Failed to open file:") + "\n%1").arg(xmlFile)); continue; } @@ -871,7 +871,7 @@ void CheatsPatches::compatibleVersionNotice(const QString repository) { } if (xmlReader.hasError()) { - QMessageBox::warning(this, tr("ERROR"), + QMessageBox::warning(this, tr("Error"), QString(tr("XML ERROR:") + "\n%1").arg(xmlReader.errorString())); } @@ -926,7 +926,7 @@ void CheatsPatches::createFilesJson(const QString& repository) { foreach (const QString& xmlFile, xmlFiles) { QFile file(dir.filePath(xmlFile)); if (!file.open(QIODevice::ReadOnly | QIODevice::Text)) { - QMessageBox::warning(this, tr("ERROR"), + QMessageBox::warning(this, tr("Error"), QString(tr("Failed to open file:") + "\n%1").arg(xmlFile)); continue; } @@ -944,7 +944,7 @@ void CheatsPatches::createFilesJson(const QString& repository) { } if (xmlReader.hasError()) { - QMessageBox::warning(this, tr("ERROR"), + QMessageBox::warning(this, tr("Error"), QString(tr("XML ERROR:") + "\n%1").arg(xmlReader.errorString())); } filesObject[xmlFile] = titleIdsArray; @@ -952,7 +952,7 @@ void CheatsPatches::createFilesJson(const QString& repository) { QFile jsonFile(dir.absolutePath() + "/files.json"); if (!jsonFile.open(QIODevice::WriteOnly)) { - QMessageBox::warning(this, tr("ERROR"), tr("Failed to open files.json for writing")); + QMessageBox::warning(this, tr("Error"), tr("Failed to open files.json for writing")); return; } @@ -1155,7 +1155,7 @@ void CheatsPatches::addPatchesToLayout(const QString& filePath) { QString fullPath = dir.filePath(folderPath); if (!dir.exists(fullPath)) { - QMessageBox::warning(this, tr("ERROR"), + QMessageBox::warning(this, tr("Error"), QString(tr("Directory does not exist:") + "\n%1").arg(fullPath)); return; } @@ -1165,7 +1165,7 @@ void CheatsPatches::addPatchesToLayout(const QString& filePath) { QFile jsonFile(filesJsonPath); if (!jsonFile.open(QIODevice::ReadOnly)) { - QMessageBox::warning(this, tr("ERROR"), tr("Failed to open files.json for reading.")); + QMessageBox::warning(this, tr("Error"), tr("Failed to open files.json for reading.")); return; } @@ -1189,7 +1189,7 @@ void CheatsPatches::addPatchesToLayout(const QString& filePath) { if (!xmlFile.open(QIODevice::ReadOnly)) { QMessageBox::warning( - this, tr("ERROR"), + this, tr("Error"), QString(tr("Failed to open file:") + "\n%1").arg(xmlFile.fileName())); continue; } diff --git a/src/qt_gui/pkg_viewer.cpp b/src/qt_gui/pkg_viewer.cpp index b4dd3afdf..ecbc6312d 100644 --- a/src/qt_gui/pkg_viewer.cpp +++ b/src/qt_gui/pkg_viewer.cpp @@ -18,17 +18,8 @@ PKGViewer::PKGViewer(std::shared_ptr game_info_get, QWidget* pare treeWidget = new QTreeWidget(this); treeWidget->setColumnCount(9); QStringList headers; - headers << "Name" - << "Serial" - << "Installed" - << "Size" - << "Category" - << "Type" - << "App Ver" - << "FW" - << "Region" - << "Flags" - << "Path"; + headers << tr("Name") << tr("Serial") << tr("Installed") << tr("Size") << tr("Category") + << tr("Type") << tr("App Ver") << tr("FW") << tr("Region") << tr("Flags") << tr("Path"); treeWidget->setHeaderLabels(headers); treeWidget->header()->setDefaultAlignment(Qt::AlignCenter); treeWidget->setContextMenuPolicy(Qt::CustomContextMenu); @@ -36,7 +27,7 @@ PKGViewer::PKGViewer(std::shared_ptr game_info_get, QWidget* pare this->setCentralWidget(treeWidget); QMenuBar* menuBar = new QMenuBar(this); menuBar->setContextMenuPolicy(Qt::PreventContextMenu); - QMenu* fileMenu = menuBar->addMenu(tr("&File")); + QMenu* fileMenu = menuBar->addMenu(tr("File")); QAction* openFolderAct = new QAction(tr("Open Folder"), this); fileMenu->addAction(openFolderAct); this->setMenuBar(menuBar); @@ -114,15 +105,15 @@ void PKGViewer::ProcessPKGInfo() { return; } psf.Open(package.sfo); - QString title_name = - QString::fromStdString(std::string{psf.GetString("TITLE").value_or("Unknown")}); - QString title_id = - QString::fromStdString(std::string{psf.GetString("TITLE_ID").value_or("Unknown")}); + QString title_name = QString::fromStdString( + std::string{psf.GetString("TITLE").value_or(std::string{tr("Unknown").toStdString()})}); + QString title_id = QString::fromStdString(std::string{ + psf.GetString("TITLE_ID").value_or(std::string{tr("Unknown").toStdString()})}); QString app_type = GameListUtils::GetAppType(psf.GetInteger("APP_TYPE").value_or(0)); - QString app_version = - QString::fromStdString(std::string{psf.GetString("APP_VER").value_or("Unknown")}); - QString title_category = - QString::fromStdString(std::string{psf.GetString("CATEGORY").value_or("Unknown")}); + QString app_version = QString::fromStdString(std::string{ + psf.GetString("APP_VER").value_or(std::string{tr("Unknown").toStdString()})}); + QString title_category = QString::fromStdString(std::string{ + psf.GetString("CATEGORY").value_or(std::string{tr("Unknown").toStdString()})}); QString pkg_size = GameListUtils::FormatSize(package.GetPkgHeader().pkg_size); pkg_content_flag = package.GetPkgHeader().pkg_content_flags; QString flagss = ""; @@ -134,7 +125,7 @@ void PKGViewer::ProcessPKGInfo() { } } - QString fw_ = "Unknown"; + QString fw_ = tr("Unknown"); if (const auto fw_int_opt = psf.GetInteger("SYSTEM_VER"); fw_int_opt.has_value()) { const u32 fw_int = *fw_int_opt; if (fw_int == 0) { @@ -221,6 +212,6 @@ void PKGViewer::ProcessPKGInfo() { // Update status bar. statusBar->clearMessage(); int numPkgs = m_pkg_list.size(); - QString statusMessage = QString::number(numPkgs) + " Package."; + QString statusMessage = QString::number(numPkgs) + " " + tr("Package"); statusBar->showMessage(statusMessage); } \ No newline at end of file diff --git a/src/qt_gui/translations/ar.ts b/src/qt_gui/translations/ar.ts deleted file mode 100644 index 7a6054025..000000000 --- a/src/qt_gui/translations/ar.ts +++ /dev/null @@ -1,1471 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - حول shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 هو محاكي تجريبي مفتوح المصدر لجهاز PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - يجب عدم استخدام هذا البرنامج لتشغيل الألعاب التي لم تحصل عليها بشكل قانوني. - - - - ElfViewer - - Open Folder - فتح المجلد - - - - GameInfoClass - - Loading game list, please wait :3 - جارٍ تحميل قائمة الألعاب، يرجى الانتظار :3 - - - Cancel - إلغاء - - - Loading... - ...جارٍ التحميل - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - اختر المجلد - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - اختر المجلد - - - Directory to install games - مجلد تثبيت الألعاب - - - Browse - تصفح - - - Error - خطأ - - - The value for location to install games is not valid. - قيمة موقع تثبيت الألعاب غير صالحة. - - - - GuiContextMenus - - Create Shortcut - إنشاء اختصار - - - Cheats / Patches - الغش / التصحيحات - - - SFO Viewer - عارض SFO - - - Trophy Viewer - عارض الجوائز - - - Open Folder... - فتح المجلد... - - - Open Game Folder - فتح مجلد اللعبة - - - Open Save Data Folder - فتح مجلد بيانات الحفظ - - - Open Log Folder - فتح مجلد السجل - - - Copy info... - ...نسخ المعلومات - - - Copy Name - نسخ الاسم - - - Copy Serial - نسخ الرقم التسلسلي - - - Copy All - نسخ الكل - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - إنشاء اختصار - - - Shortcut created successfully! - تم إنشاء الاختصار بنجاح! - - - Error - خطأ - - - Error creating shortcut! - خطأ في إنشاء الاختصار - - - Install PKG - PKG تثبيت - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Elf فتح/إضافة مجلد - - - Install Packages (PKG) - (PKG) تثبيت الحزم - - - Boot Game - تشغيل اللعبة - - - Check for Updates - تحقق من التحديثات - - - About shadPS4 - shadPS4 حول - - - Configure... - ...تكوين - - - Install application from a .pkg file - .pkg تثبيت التطبيق من ملف - - - Recent Games - الألعاب الأخيرة - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - خروج - - - Exit shadPS4 - الخروج من shadPS4 - - - Exit the application. - الخروج من التطبيق. - - - Show Game List - إظهار قائمة الألعاب - - - Game List Refresh - تحديث قائمة الألعاب - - - Tiny - صغير جدًا - - - Small - صغير - - - Medium - متوسط - - - Large - كبير - - - List View - عرض القائمة - - - Grid View - عرض الشبكة - - - Elf Viewer - عارض Elf - - - Game Install Directory - دليل تثبيت اللعبة - - - Download Cheats/Patches - تنزيل الغش/التصحيحات - - - Dump Game List - تفريغ قائمة الألعاب - - - PKG Viewer - عارض PKG - - - Search... - ...بحث - - - File - ملف - - - View - عرض - - - Game List Icons - أيقونات قائمة الألعاب - - - Game List Mode - وضع قائمة الألعاب - - - Settings - الإعدادات - - - Utils - الأدوات - - - Themes - السمات - - - Help - مساعدة - - - Dark - داكن - - - Light - فاتح - - - Green - أخضر - - - Blue - أزرق - - - Violet - بنفسجي - - - toolBar - شريط الأدوات - - - Game List - ققائمة الألعاب - - - * Unsupported Vulkan Version - * إصدار Vulkan غير مدعوم - - - Download Cheats For All Installed Games - تنزيل الغش لجميع الألعاب المثبتة - - - Download Patches For All Games - تنزيل التصحيحات لجميع الألعاب - - - Download Complete - اكتمل التنزيل - - - You have downloaded cheats for all the games you have installed. - لقد قمت بتنزيل الغش لجميع الألعاب التي قمت بتثبيتها. - - - Patches Downloaded Successfully! - !تم تنزيل التصحيحات بنجاح - - - All Patches available for all games have been downloaded. - .تم تنزيل جميع التصحيحات المتاحة لجميع الألعاب - - - Games: - :الألعاب - - - PKG File (*.PKG) - PKG (*.PKG) ملف - - - ELF files (*.bin *.elf *.oelf) - ELF (*.bin *.elf *.oelf) ملفات - - - Game Boot - تشغيل اللعبة - - - Only one file can be selected! - !يمكن تحديد ملف واحد فقط - - - PKG Extraction - PKG استخراج - - - Patch detected! - تم اكتشاف تصحيح! - - - PKG and Game versions match: - :واللعبة تتطابق إصدارات PKG - - - Would you like to overwrite? - هل ترغب في الكتابة فوق الملف الموجود؟ - - - PKG Version %1 is older than installed version: - :أقدم من الإصدار المثبت PKG Version %1 - - - Game is installed: - :اللعبة مثبتة - - - Would you like to install Patch: - :هل ترغب في تثبيت التصحيح - - - DLC Installation - تثبيت المحتوى القابل للتنزيل - - - Would you like to install DLC: %1? - هل ترغب في تثبيت المحتوى القابل للتنزيل: 1%؟ - - - DLC already installed: - :المحتوى القابل للتنزيل مثبت بالفعل - - - Game already installed - اللعبة مثبتة بالفعل - - - PKG is a patch, please install the game first! - !PKG هو تصحيح، يرجى تثبيت اللعبة أولاً - - - PKG ERROR - PKG خطأ في - - - Extracting PKG %1/%2 - PKG %1/%2 جاري استخراج - - - Extraction Finished - اكتمل الاستخراج - - - Game successfully installed at %1 - تم تثبيت اللعبة بنجاح في %1 - - - File doesn't appear to be a valid PKG file - يبدو أن الملف ليس ملف PKG صالحًا - - - - PKGViewer - - Open Folder - فتح المجلد - - - - TrophyViewer - - Trophy Viewer - عارض الجوائز - - - - SettingsDialog - - Settings - الإعدادات - - - General - عام - - - System - النظام - - - Console Language - لغة وحدة التحكم - - - Emulator Language - لغة المحاكي - - - Emulator - المحاكي - - - Enable Fullscreen - تمكين ملء الشاشة - - - Fullscreen Mode - وضع ملء الشاشة - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - علامة التبويب الافتراضية عند فتح الإعدادات - - - Show Game Size In List - عرض حجم اللعبة في القائمة - - - Show Splash - إظهار شاشة البداية - - - Is PS4 Pro - PS4 Pro هل هو - - - Enable Discord Rich Presence - تفعيل حالة الثراء في ديسكورد - - - Username - اسم المستخدم - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - المسجل - - - Log Type - نوع السجل - - - Log Filter - مرشح السجل - - - Open Log Location - افتح موقع السجل - - - Input - إدخال - - - Cursor - مؤشر - - - Hide Cursor - إخفاء المؤشر - - - Hide Cursor Idle Timeout - مهلة إخفاء المؤشر عند الخمول - - - s - s - - - Controller - التحكم - - - Back Button Behavior - سلوك زر العودة - - - Graphics - الرسومات - - - GUI - واجهة - - - User - مستخدم - - - Graphics Device - جهاز الرسومات - - - Width - العرض - - - Height - الارتفاع - - - Vblank Divider - Vblank مقسم - - - Advanced - متقدم - - - Enable Shaders Dumping - تمكين تفريغ الشيدرات - - - Enable NULL GPU - تمكين وحدة معالجة الرسومات الفارغة - - - Paths - المسارات - - - Game Folders - مجلدات اللعبة - - - Add... - إضافة... - - - Remove - إزالة - - - Debug - تصحيح الأخطاء - - - Enable Debug Dumping - تمكين تفريغ التصحيح - - - Enable Vulkan Validation Layers - Vulkan تمكين طبقات التحقق من - - - Enable Vulkan Synchronization Validation - Vulkan تمكين التحقق من تزامن - - - Enable RenderDoc Debugging - RenderDoc تمكين تصحيح أخطاء - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - تحديث - - - Check for Updates at Startup - تحقق من التحديثات عند بدء التشغيل - - - Update Channel - قناة التحديث - - - Check for Updates - التحقق من التحديثات - - - GUI Settings - إعدادات الواجهة - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - تشغيل موسيقى العنوان - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - الصوت - - - Audio Backend - Audio Backend - - - Save - حفظ - - - Apply - تطبيق - - - Restore Defaults - استعادة الإعدادات الافتراضية - - - Close - إغلاق - - - Point your mouse at an option to display its description. - وجّه الماوس نحو خيار لعرض وصفه. - - - consoleLanguageGroupBox - لغة الجهاز:\nتحدد لغة اللعبة التي يستخدمها جهاز PS4.\nيوصى بضبطها على لغة يدعمها الجهاز، والتي قد تختلف حسب المنطقة. - - - emulatorLanguageGroupBox - لغة المحاكي:\nتحدد لغة واجهة المستخدم الخاصة بالمحاكي. - - - fullscreenCheckBox - تمكين وضع ملء الشاشة:\nيجعل نافذة اللعبة تنتقل تلقائيًا إلى وضع ملء الشاشة.\nيمكن التبديل بالضغط على المفتاح F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - إظهار شاشة البداية:\nيعرض شاشة البداية الخاصة باللعبة (صورة خاصة) أثناء بدء التشغيل. - - - ps4proCheckBox - هل هو PS4 Pro:\nيجعل المحاكي يعمل كـ PS4 PRO، مما قد يتيح ميزات خاصة في الألعاب التي تدعمه. - - - discordRPCCheckbox - تفعيل حالة الثراء في ديسكورد:\nيعرض أيقونة المحاكي ومعلومات ذات صلة على ملفك الشخصي في ديسكورد. - - - userName - اسم المستخدم:\nيضبط اسم حساب PS4، الذي قد يتم عرضه في بعض الألعاب. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - نوع السجل:\nيضبط ما إذا كان سيتم مزامنة مخرجات نافذة السجل للأداء. قد يؤثر سلبًا على المحاكاة. - - - logFilter - فلتر السجل:\nيقوم بتصفية السجل لطباعة معلومات محددة فقط.\nأمثلة: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" المستويات: Trace, Debug, Info, Warning, Error, Critical - بالترتيب، مستوى محدد يخفي جميع المستويات التي تسبقه ويعرض جميع المستويات بعده. - - - updaterGroupBox - تحديث: Release: إصدارات رسمية تصدر شهريًا، قد تكون قديمة بعض الشيء، لكنها أكثر استقرارًا واختبارًا. Nightly: إصدارات تطوير تحتوي على أحدث الميزات والإصلاحات، لكنها قد تحتوي على أخطاء وأقل استقرارًا. - - - GUIMusicGroupBox - تشغيل موسيقى العنوان:\nإذا كانت اللعبة تدعم ذلك، قم بتمكين تشغيل موسيقى خاصة عند اختيار اللعبة في واجهة المستخدم. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - إخفاء المؤشر:\nاختر متى سيختفي المؤشر:\nأبداً: سترى الفأرة دائماً.\nعاطل: حدد وقتاً لاختفائه بعد أن يكون غير مستخدم.\nدائماً: لن ترى الفأرة أبداً. - - - idleTimeoutGroupBox - حدد وقتاً لاختفاء الفأرة بعد أن تكون غير مستخدم. - - - backButtonBehaviorGroupBox - سلوك زر العودة:\nيضبط زر العودة في وحدة التحكم ليحاكي الضغط على الموضع المحدد على لوحة اللمس في PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - أبداً - - - Idle - خامل - - - Always - دائماً - - - Touchpad Left - لوحة اللمس اليسرى - - - Touchpad Right - لوحة اللمس اليمنى - - - Touchpad Center - وسط لوحة اللمس - - - None - لا شيء - - - graphicsAdapterGroupBox - جهاز الرسومات:\nعلى الأنظمة متعددة وحدات معالجة الرسومات، اختر وحدة معالجة الرسومات التي سيستخدمها المحاكي من قائمة منسدلة،\nأو اختر "Auto Select" لتحديدها تلقائيًا. - - - resolutionLayout - العرض / الارتفاع:\nيضبط حجم نافذة المحاكي عند التشغيل، والذي يمكن تغيير حجمه أثناء اللعب.\nهذا يختلف عن دقة اللعبة نفسها. - - - heightDivider - مقسم معدل التحديث:\nيتم مضاعفة معدل الإطارات الذي يتم تحديث المحاكي به بواسطة هذا الرقم. قد يؤدي تغيير هذا إلى آثار سلبية، مثل زيادة سرعة اللعبة أو كسر الوظائف الأساسية التي لا تتوقع هذا التغيير! - - - dumpShadersCheckBox - تمكين تفريغ الـ Shaders:\nلأغراض تصحيح الأخطاء التقنية، يحفظ الـ Shaders الخاصة باللعبة في مجلد أثناء التشغيل. - - - nullGpuCheckBox - تمكين GPU الافتراضية:\nلأغراض تصحيح الأخطاء التقنية، يقوم بتعطيل عرض اللعبة كما لو لم يكن هناك بطاقة رسومات. - - - gameFoldersBox - مجلدات اللعبة:\nقائمة بالمجلدات للتحقق من الألعاب المثبتة. - - - addFolderButton - إضافة:\nأضف مجلداً إلى القائمة. - - - removeFolderButton - إزالة:\nأزل مجلداً من القائمة. - - - debugDump - تمكين تفريغ التصحيح:\nيحفظ رموز الاستيراد والتصدير ومعلومات رأس الملف للبرنامج الحالي لجهاز PS4 إلى دليل. - - - vkValidationCheckBox - تمكين طبقات التحقق من Vulkan:\nيتيح نظام يتحقق من حالة مشغل Vulkan ويسجل معلومات حول حالته الداخلية. سيؤدي هذا إلى تقليل الأداء ومن المحتمل تغيير سلوك المحاكاة. - - - vkSyncValidationCheckBox - تمكين التحقق من تزامن Vulkan:\nيتيح نظام يتحقق من توقيت مهام عرض Vulkan. سيؤدي ذلك إلى تقليل الأداء ومن المحتمل تغيير سلوك المحاكاة. - - - rdocCheckBox - تمكين تصحيح RenderDoc:\nإذا تم التمكين، سيوفر المحاكي توافقًا مع Renderdoc لالتقاط وتحليل الإطار الذي يتم عرضه حاليًا. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - الغش والتصحيحات هي ميزات تجريبية.\nاستخدمها بحذر.\n\nقم بتنزيل الغش بشكل فردي عن طريق اختيار المستودع والنقر على زر التنزيل.\nفي علامة تبويب التصحيحات، يمكنك تنزيل جميع التصحيحات دفعة واحدة، واختيار ما تريد استخدامه، وحفظ اختياراتك.\n\nنظرًا لأننا لا نقوم بتطوير الغش/التصحيحات،\nيرجى الإبلاغ عن أي مشاكل إلى مؤلف الغش.\n\nهل قمت بإنشاء غش جديد؟ قم بزيارة:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - لا تتوفر صورة - - - Serial: - الرقم التسلسلي: - - - Version: - الإصدار: - - - Size: - الحجم: - - - Select Cheat File: - اختر ملف الغش: - - - Repository: - المستودع: - - - Download Cheats - تنزيل الغش - - - Delete File - حذف الملف - - - No files selected. - لم يتم اختيار أي ملفات. - - - You can delete the cheats you don't want after downloading them. - يمكنك حذف الغش الذي لا تريده بعد تنزيله. - - - Do you want to delete the selected file?\n%1 - هل تريد حذف الملف المحدد؟\n%1 - - - Select Patch File: - اختر ملف التصحيح: - - - Download Patches - تنزيل التصحيحات - - - Save - حفظ - - - Cheats - الغش - - - Patches - التصحيحات - - - Error - خطأ - - - No patch selected. - لم يتم اختيار أي تصحيح. - - - Unable to open files.json for reading. - تعذر فتح files.json للقراءة. - - - No patch file found for the current serial. - لم يتم العثور على ملف تصحيح للرقم التسلسلي الحالي. - - - Unable to open the file for reading. - تعذر فتح الملف للقراءة. - - - Unable to open the file for writing. - تعذر فتح الملف للكتابة. - - - Failed to parse XML: - :فشل في تحليل XML - - - Success - نجاح - - - Options saved successfully. - تم حفظ الخيارات بنجاح. - - - Invalid Source - مصدر غير صالح - - - The selected source is invalid. - المصدر المحدد غير صالح. - - - File Exists - الملف موجود - - - File already exists. Do you want to replace it? - الملف موجود بالفعل. هل تريد استبداله؟ - - - Failed to save file: - :فشل في حفظ الملف - - - Failed to download file: - :فشل في تنزيل الملف - - - Cheats Not Found - لم يتم العثور على الغش - - - CheatsNotFound_MSG - لم يتم العثور على غش لهذه اللعبة في هذا الإصدار من المستودع المحدد. حاول استخدام مستودع آخر أو إصدار آخر من اللعبة. - - - Cheats Downloaded Successfully - تم تنزيل الغش بنجاح - - - CheatsDownloadedSuccessfully_MSG - لقد نجحت في تنزيل الغش لهذا الإصدار من اللعبة من المستودع المحدد. يمكنك محاولة التنزيل من مستودع آخر. إذا كان متاحًا، يمكنك اختياره عن طريق تحديد الملف من القائمة. - - - Failed to save: - :فشل في الحفظ - - - Failed to download: - :فشل في التنزيل - - - Download Complete - اكتمل التنزيل - - - DownloadComplete_MSG - تم تنزيل التصحيحات بنجاح! تم تنزيل جميع التصحيحات لجميع الألعاب، ولا داعي لتنزيلها بشكل فردي لكل لعبة كما هو الحال مع الغش. إذا لم يظهر التحديث، قد يكون السبب أنه غير متوفر للإصدار وسيريال اللعبة المحدد. - - - Failed to parse JSON data from HTML. - فشل في تحليل بيانات JSON من HTML. - - - Failed to retrieve HTML page. - .HTML فشل في استرجاع صفحة - - - The game is in version: %1 - اللعبة في الإصدار: %1 - - - The downloaded patch only works on version: %1 - الباتش الذي تم تنزيله يعمل فقط على الإصدار: %1 - - - You may need to update your game. - قد تحتاج إلى تحديث لعبتك. - - - Incompatibility Notice - إشعار عدم التوافق - - - Failed to open file: - :فشل في فتح الملف - - - XML ERROR: - :خطأ في XML - - - Failed to open files.json for writing - فشل في فتح files.json للكتابة - - - Author: - :المؤلف - - - Directory does not exist: - :المجلد غير موجود - - - Failed to open files.json for reading. - فشل في فتح files.json للقراءة. - - - Name: - :الاسم - - - Can't apply cheats before the game is started - لا يمكن تطبيق الغش قبل بدء اللعبة. - - - - GameListFrame - - Icon - أيقونة - - - Name - اسم - - - Serial - سيريال - - - Compatibility - Compatibility - - - Region - منطقة - - - Firmware - البرمجيات الثابتة - - - Size - حجم - - - Version - إصدار - - - Path - مسار - - - Play Time - وقت اللعب - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - انقر لرؤية التفاصيل على GitHub - - - Last updated - آخر تحديث - - - - CheckUpdate - - Auto Updater - محدث تلقائي - - - Error - خطأ - - - Network error: - خطأ في الشبكة: - - - Error_Github_limit_MSG - يتيح التحديث التلقائي ما يصل إلى 60 عملية تحقق من التحديث في الساعة.\nلقد وصلت إلى هذا الحد. الرجاء المحاولة مرة أخرى لاحقًا. - - - Failed to parse update information. - فشل في تحليل معلومات التحديث. - - - No pre-releases found. - لم يتم العثور على أي إصدارات مسبقة. - - - Invalid release data. - بيانات الإصدار غير صالحة. - - - No download URL found for the specified asset. - لم يتم العثور على عنوان URL للتنزيل للأصل المحدد. - - - Your version is already up to date! - نسختك محدثة بالفعل! - - - Update Available - تحديث متاح - - - Update Channel - قناة التحديث - - - Current Version - الإصدار الحالي - - - Latest Version - آخر إصدار - - - Do you want to update? - هل تريد التحديث؟ - - - Show Changelog - عرض سجل التغييرات - - - Check for Updates at Startup - تحقق من التحديثات عند بدء التشغيل - - - Update - تحديث - - - No - لا - - - Hide Changelog - إخفاء سجل التغييرات - - - Changes - تغييرات - - - Network error occurred while trying to access the URL - حدث خطأ في الشبكة أثناء محاولة الوصول إلى عنوان URL - - - Download Complete - اكتمل التنزيل - - - The update has been downloaded, press OK to install. - تم تنزيل التحديث، اضغط على OK للتثبيت. - - - Failed to save the update file at - فشل في حفظ ملف التحديث في - - - Starting Update... - بدء التحديث... - - - Failed to create the update script file - فشل في إنشاء ملف سكريبت التحديث - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - جاري جلب بيانات التوافق، يرجى الانتظار - - - Cancel - إلغاء - - - Loading... - جاري التحميل... - - - Error - خطأ - - - Unable to update compatibility data! Try again later. - تعذر تحديث بيانات التوافق! حاول مرة أخرى لاحقاً. - - - Unable to open compatibility_data.json for writing. - تعذر فتح compatibility_data.json للكتابة. - - - Unknown - غير معروف - - - Nothing - لا شيء - - - Boots - أحذية - - - Menus - قوائم - - - Ingame - داخل اللعبة - - - Playable - قابل للعب - - - diff --git a/src/qt_gui/translations/ar_SA.ts b/src/qt_gui/translations/ar_SA.ts new file mode 100644 index 000000000..275751817 --- /dev/null +++ b/src/qt_gui/translations/ar_SA.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + حول shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 هو محاكي تجريبي مفتوح المصدر لجهاز PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + يجب عدم استخدام هذا البرنامج لتشغيل الألعاب التي لم تحصل عليها بشكل قانوني. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + الغش والتصحيحات هي ميزات تجريبية.\nاستخدمها بحذر.\n\nقم بتنزيل الغش بشكل فردي عن طريق اختيار المستودع والنقر على زر التنزيل.\nفي علامة تبويب التصحيحات، يمكنك تنزيل جميع التصحيحات دفعة واحدة، واختيار ما تريد استخدامه، وحفظ اختياراتك.\n\nنظرًا لأننا لا نقوم بتطوير الغش/التصحيحات،\nيرجى الإبلاغ عن أي مشاكل إلى مؤلف الغش.\n\nهل قمت بإنشاء غش جديد؟ قم بزيارة:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + لا تتوفر صورة + + + Serial: + الرقم التسلسلي: + + + Version: + الإصدار: + + + Size: + الحجم: + + + Select Cheat File: + اختر ملف الغش: + + + Repository: + المستودع: + + + Download Cheats + تنزيل الغش + + + Delete File + حذف الملف + + + No files selected. + لم يتم اختيار أي ملفات. + + + You can delete the cheats you don't want after downloading them. + يمكنك حذف الغش الذي لا تريده بعد تنزيله. + + + Do you want to delete the selected file?\n%1 + هل تريد حذف الملف المحدد؟\n%1 + + + Select Patch File: + اختر ملف التصحيح: + + + Download Patches + تنزيل التصحيحات + + + Save + حفظ + + + Cheats + الغش + + + Patches + التصحيحات + + + Error + خطأ + + + No patch selected. + لم يتم اختيار أي تصحيح. + + + Unable to open files.json for reading. + تعذر فتح files.json للقراءة. + + + No patch file found for the current serial. + لم يتم العثور على ملف تصحيح للرقم التسلسلي الحالي. + + + Unable to open the file for reading. + تعذر فتح الملف للقراءة. + + + Unable to open the file for writing. + تعذر فتح الملف للكتابة. + + + Failed to parse XML: + :فشل في تحليل XML + + + Success + نجاح + + + Options saved successfully. + تم حفظ الخيارات بنجاح. + + + Invalid Source + مصدر غير صالح + + + The selected source is invalid. + المصدر المحدد غير صالح. + + + File Exists + الملف موجود + + + File already exists. Do you want to replace it? + الملف موجود بالفعل. هل تريد استبداله؟ + + + Failed to save file: + :فشل في حفظ الملف + + + Failed to download file: + :فشل في تنزيل الملف + + + Cheats Not Found + لم يتم العثور على الغش + + + CheatsNotFound_MSG + لم يتم العثور على غش لهذه اللعبة في هذا الإصدار من المستودع المحدد. حاول استخدام مستودع آخر أو إصدار آخر من اللعبة. + + + Cheats Downloaded Successfully + تم تنزيل الغش بنجاح + + + CheatsDownloadedSuccessfully_MSG + لقد نجحت في تنزيل الغش لهذا الإصدار من اللعبة من المستودع المحدد. يمكنك محاولة التنزيل من مستودع آخر. إذا كان متاحًا، يمكنك اختياره عن طريق تحديد الملف من القائمة. + + + Failed to save: + :فشل في الحفظ + + + Failed to download: + :فشل في التنزيل + + + Download Complete + اكتمل التنزيل + + + DownloadComplete_MSG + تم تنزيل التصحيحات بنجاح! تم تنزيل جميع التصحيحات لجميع الألعاب، ولا داعي لتنزيلها بشكل فردي لكل لعبة كما هو الحال مع الغش. إذا لم يظهر التحديث، قد يكون السبب أنه غير متوفر للإصدار وسيريال اللعبة المحدد. + + + Failed to parse JSON data from HTML. + فشل في تحليل بيانات JSON من HTML. + + + Failed to retrieve HTML page. + .HTML فشل في استرجاع صفحة + + + The game is in version: %1 + اللعبة في الإصدار: %1 + + + The downloaded patch only works on version: %1 + الباتش الذي تم تنزيله يعمل فقط على الإصدار: %1 + + + You may need to update your game. + قد تحتاج إلى تحديث لعبتك. + + + Incompatibility Notice + إشعار عدم التوافق + + + Failed to open file: + :فشل في فتح الملف + + + XML ERROR: + :خطأ في XML + + + Failed to open files.json for writing + فشل في فتح files.json للكتابة + + + Author: + :المؤلف + + + Directory does not exist: + :المجلد غير موجود + + + Failed to open files.json for reading. + فشل في فتح files.json للقراءة. + + + Name: + :الاسم + + + Can't apply cheats before the game is started + لا يمكن تطبيق الغش قبل بدء اللعبة. + + + Close + إغلاق + + + + CheckUpdate + + Auto Updater + محدث تلقائي + + + Error + خطأ + + + Network error: + خطأ في الشبكة: + + + Error_Github_limit_MSG + يتيح التحديث التلقائي ما يصل إلى 60 عملية تحقق من التحديث في الساعة.\nلقد وصلت إلى هذا الحد. الرجاء المحاولة مرة أخرى لاحقًا. + + + Failed to parse update information. + فشل في تحليل معلومات التحديث. + + + No pre-releases found. + لم يتم العثور على أي إصدارات مسبقة. + + + Invalid release data. + بيانات الإصدار غير صالحة. + + + No download URL found for the specified asset. + لم يتم العثور على عنوان URL للتنزيل للأصل المحدد. + + + Your version is already up to date! + نسختك محدثة بالفعل! + + + Update Available + تحديث متاح + + + Update Channel + قناة التحديث + + + Current Version + الإصدار الحالي + + + Latest Version + آخر إصدار + + + Do you want to update? + هل تريد التحديث؟ + + + Show Changelog + عرض سجل التغييرات + + + Check for Updates at Startup + تحقق من التحديثات عند بدء التشغيل + + + Update + تحديث + + + No + لا + + + Hide Changelog + إخفاء سجل التغييرات + + + Changes + تغييرات + + + Network error occurred while trying to access the URL + حدث خطأ في الشبكة أثناء محاولة الوصول إلى عنوان URL + + + Download Complete + اكتمل التنزيل + + + The update has been downloaded, press OK to install. + تم تنزيل التحديث، اضغط على OK للتثبيت. + + + Failed to save the update file at + فشل في حفظ ملف التحديث في + + + Starting Update... + بدء التحديث... + + + Failed to create the update script file + فشل في إنشاء ملف سكريبت التحديث + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + جاري جلب بيانات التوافق، يرجى الانتظار + + + Cancel + إلغاء + + + Loading... + جاري التحميل... + + + Error + خطأ + + + Unable to update compatibility data! Try again later. + تعذر تحديث بيانات التوافق! حاول مرة أخرى لاحقاً. + + + Unable to open compatibility_data.json for writing. + تعذر فتح compatibility_data.json للكتابة. + + + Unknown + غير معروف + + + Nothing + لا شيء + + + Boots + أحذية + + + Menus + قوائم + + + Ingame + داخل اللعبة + + + Playable + قابل للعب + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + فتح المجلد + + + + GameInfoClass + + Loading game list, please wait :3 + جارٍ تحميل قائمة الألعاب، يرجى الانتظار :3 + + + Cancel + إلغاء + + + Loading... + ...جارٍ التحميل + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - اختر المجلد + + + Directory to install games + مجلد تثبيت الألعاب + + + Browse + تصفح + + + Error + خطأ + + + Directory to install DLC + + + + + GameListFrame + + Icon + أيقونة + + + Name + اسم + + + Serial + سيريال + + + Compatibility + Compatibility + + + Region + منطقة + + + Firmware + البرمجيات الثابتة + + + Size + حجم + + + Version + إصدار + + + Path + مسار + + + Play Time + وقت اللعب + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + انقر لرؤية التفاصيل على GitHub + + + Last updated + آخر تحديث + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + إنشاء اختصار + + + Cheats / Patches + الغش / التصحيحات + + + SFO Viewer + عارض SFO + + + Trophy Viewer + عارض الجوائز + + + Open Folder... + فتح المجلد... + + + Open Game Folder + فتح مجلد اللعبة + + + Open Save Data Folder + فتح مجلد بيانات الحفظ + + + Open Log Folder + فتح مجلد السجل + + + Copy info... + ...نسخ المعلومات + + + Copy Name + نسخ الاسم + + + Copy Serial + نسخ الرقم التسلسلي + + + Copy All + نسخ الكل + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + إنشاء اختصار + + + Shortcut created successfully! + تم إنشاء الاختصار بنجاح! + + + Error + خطأ + + + Error creating shortcut! + خطأ في إنشاء الاختصار + + + Install PKG + PKG تثبيت + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - اختر المجلد + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Elf فتح/إضافة مجلد + + + Install Packages (PKG) + (PKG) تثبيت الحزم + + + Boot Game + تشغيل اللعبة + + + Check for Updates + تحقق من التحديثات + + + About shadPS4 + shadPS4 حول + + + Configure... + ...تكوين + + + Install application from a .pkg file + .pkg تثبيت التطبيق من ملف + + + Recent Games + الألعاب الأخيرة + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + خروج + + + Exit shadPS4 + الخروج من shadPS4 + + + Exit the application. + الخروج من التطبيق. + + + Show Game List + إظهار قائمة الألعاب + + + Game List Refresh + تحديث قائمة الألعاب + + + Tiny + صغير جدًا + + + Small + صغير + + + Medium + متوسط + + + Large + كبير + + + List View + عرض القائمة + + + Grid View + عرض الشبكة + + + Elf Viewer + عارض Elf + + + Game Install Directory + دليل تثبيت اللعبة + + + Download Cheats/Patches + تنزيل الغش/التصحيحات + + + Dump Game List + تفريغ قائمة الألعاب + + + PKG Viewer + عارض PKG + + + Search... + ...بحث + + + File + ملف + + + View + عرض + + + Game List Icons + أيقونات قائمة الألعاب + + + Game List Mode + وضع قائمة الألعاب + + + Settings + الإعدادات + + + Utils + الأدوات + + + Themes + السمات + + + Help + مساعدة + + + Dark + داكن + + + Light + فاتح + + + Green + أخضر + + + Blue + أزرق + + + Violet + بنفسجي + + + toolBar + شريط الأدوات + + + Game List + ققائمة الألعاب + + + * Unsupported Vulkan Version + * إصدار Vulkan غير مدعوم + + + Download Cheats For All Installed Games + تنزيل الغش لجميع الألعاب المثبتة + + + Download Patches For All Games + تنزيل التصحيحات لجميع الألعاب + + + Download Complete + اكتمل التنزيل + + + You have downloaded cheats for all the games you have installed. + لقد قمت بتنزيل الغش لجميع الألعاب التي قمت بتثبيتها. + + + Patches Downloaded Successfully! + !تم تنزيل التصحيحات بنجاح + + + All Patches available for all games have been downloaded. + .تم تنزيل جميع التصحيحات المتاحة لجميع الألعاب + + + Games: + :الألعاب + + + ELF files (*.bin *.elf *.oelf) + ELF (*.bin *.elf *.oelf) ملفات + + + Game Boot + تشغيل اللعبة + + + Only one file can be selected! + !يمكن تحديد ملف واحد فقط + + + PKG Extraction + PKG استخراج + + + Patch detected! + تم اكتشاف تصحيح! + + + PKG and Game versions match: + :واللعبة تتطابق إصدارات PKG + + + Would you like to overwrite? + هل ترغب في الكتابة فوق الملف الموجود؟ + + + PKG Version %1 is older than installed version: + :أقدم من الإصدار المثبت PKG Version %1 + + + Game is installed: + :اللعبة مثبتة + + + Would you like to install Patch: + :هل ترغب في تثبيت التصحيح + + + DLC Installation + تثبيت المحتوى القابل للتنزيل + + + Would you like to install DLC: %1? + هل ترغب في تثبيت المحتوى القابل للتنزيل: 1%؟ + + + DLC already installed: + :المحتوى القابل للتنزيل مثبت بالفعل + + + Game already installed + اللعبة مثبتة بالفعل + + + PKG ERROR + PKG خطأ في + + + Extracting PKG %1/%2 + PKG %1/%2 جاري استخراج + + + Extraction Finished + اكتمل الاستخراج + + + Game successfully installed at %1 + تم تثبيت اللعبة بنجاح في %1 + + + File doesn't appear to be a valid PKG file + يبدو أن الملف ليس ملف PKG صالحًا + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + فتح المجلد + + + Name + اسم + + + Serial + سيريال + + + Installed + + + + Size + حجم + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + منطقة + + + Flags + + + + Path + مسار + + + File + ملف + + + PKG ERROR + PKG خطأ في + + + Unknown + غير معروف + + + Package + + + + + SettingsDialog + + Settings + الإعدادات + + + General + عام + + + System + النظام + + + Console Language + لغة وحدة التحكم + + + Emulator Language + لغة المحاكي + + + Emulator + المحاكي + + + Enable Fullscreen + تمكين ملء الشاشة + + + Fullscreen Mode + وضع ملء الشاشة + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + علامة التبويب الافتراضية عند فتح الإعدادات + + + Show Game Size In List + عرض حجم اللعبة في القائمة + + + Show Splash + إظهار شاشة البداية + + + Enable Discord Rich Presence + تفعيل حالة الثراء في ديسكورد + + + Username + اسم المستخدم + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + المسجل + + + Log Type + نوع السجل + + + Log Filter + مرشح السجل + + + Open Log Location + افتح موقع السجل + + + Input + إدخال + + + Cursor + مؤشر + + + Hide Cursor + إخفاء المؤشر + + + Hide Cursor Idle Timeout + مهلة إخفاء المؤشر عند الخمول + + + s + s + + + Controller + التحكم + + + Back Button Behavior + سلوك زر العودة + + + Graphics + الرسومات + + + GUI + واجهة + + + User + مستخدم + + + Graphics Device + جهاز الرسومات + + + Width + العرض + + + Height + الارتفاع + + + Vblank Divider + Vblank مقسم + + + Advanced + متقدم + + + Enable Shaders Dumping + تمكين تفريغ الشيدرات + + + Enable NULL GPU + تمكين وحدة معالجة الرسومات الفارغة + + + Paths + المسارات + + + Game Folders + مجلدات اللعبة + + + Add... + إضافة... + + + Remove + إزالة + + + Debug + تصحيح الأخطاء + + + Enable Debug Dumping + تمكين تفريغ التصحيح + + + Enable Vulkan Validation Layers + Vulkan تمكين طبقات التحقق من + + + Enable Vulkan Synchronization Validation + Vulkan تمكين التحقق من تزامن + + + Enable RenderDoc Debugging + RenderDoc تمكين تصحيح أخطاء + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + تحديث + + + Check for Updates at Startup + تحقق من التحديثات عند بدء التشغيل + + + Update Channel + قناة التحديث + + + Check for Updates + التحقق من التحديثات + + + GUI Settings + إعدادات الواجهة + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + تشغيل موسيقى العنوان + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + الصوت + + + Save + حفظ + + + Apply + تطبيق + + + Restore Defaults + استعادة الإعدادات الافتراضية + + + Close + إغلاق + + + Point your mouse at an option to display its description. + وجّه الماوس نحو خيار لعرض وصفه. + + + consoleLanguageGroupBox + لغة الجهاز:\nتحدد لغة اللعبة التي يستخدمها جهاز PS4.\nيوصى بضبطها على لغة يدعمها الجهاز، والتي قد تختلف حسب المنطقة. + + + emulatorLanguageGroupBox + لغة المحاكي:\nتحدد لغة واجهة المستخدم الخاصة بالمحاكي. + + + fullscreenCheckBox + تمكين وضع ملء الشاشة:\nيجعل نافذة اللعبة تنتقل تلقائيًا إلى وضع ملء الشاشة.\nيمكن التبديل بالضغط على المفتاح F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + إظهار شاشة البداية:\nيعرض شاشة البداية الخاصة باللعبة (صورة خاصة) أثناء بدء التشغيل. + + + discordRPCCheckbox + تفعيل حالة الثراء في ديسكورد:\nيعرض أيقونة المحاكي ومعلومات ذات صلة على ملفك الشخصي في ديسكورد. + + + userName + اسم المستخدم:\nيضبط اسم حساب PS4، الذي قد يتم عرضه في بعض الألعاب. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + نوع السجل:\nيضبط ما إذا كان سيتم مزامنة مخرجات نافذة السجل للأداء. قد يؤثر سلبًا على المحاكاة. + + + logFilter + فلتر السجل:\nيقوم بتصفية السجل لطباعة معلومات محددة فقط.\nأمثلة: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" المستويات: Trace, Debug, Info, Warning, Error, Critical - بالترتيب، مستوى محدد يخفي جميع المستويات التي تسبقه ويعرض جميع المستويات بعده. + + + updaterGroupBox + تحديث: Release: إصدارات رسمية تصدر شهريًا، قد تكون قديمة بعض الشيء، لكنها أكثر استقرارًا واختبارًا. Nightly: إصدارات تطوير تحتوي على أحدث الميزات والإصلاحات، لكنها قد تحتوي على أخطاء وأقل استقرارًا. + + + GUIMusicGroupBox + تشغيل موسيقى العنوان:\nإذا كانت اللعبة تدعم ذلك، قم بتمكين تشغيل موسيقى خاصة عند اختيار اللعبة في واجهة المستخدم. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + إخفاء المؤشر:\nاختر متى سيختفي المؤشر:\nأبداً: سترى الفأرة دائماً.\nعاطل: حدد وقتاً لاختفائه بعد أن يكون غير مستخدم.\nدائماً: لن ترى الفأرة أبداً. + + + idleTimeoutGroupBox + حدد وقتاً لاختفاء الفأرة بعد أن تكون غير مستخدم. + + + backButtonBehaviorGroupBox + سلوك زر العودة:\nيضبط زر العودة في وحدة التحكم ليحاكي الضغط على الموضع المحدد على لوحة اللمس في PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + أبداً + + + Idle + خامل + + + Always + دائماً + + + Touchpad Left + لوحة اللمس اليسرى + + + Touchpad Right + لوحة اللمس اليمنى + + + Touchpad Center + وسط لوحة اللمس + + + None + لا شيء + + + graphicsAdapterGroupBox + جهاز الرسومات:\nعلى الأنظمة متعددة وحدات معالجة الرسومات، اختر وحدة معالجة الرسومات التي سيستخدمها المحاكي من قائمة منسدلة،\nأو اختر "Auto Select" لتحديدها تلقائيًا. + + + resolutionLayout + العرض / الارتفاع:\nيضبط حجم نافذة المحاكي عند التشغيل، والذي يمكن تغيير حجمه أثناء اللعب.\nهذا يختلف عن دقة اللعبة نفسها. + + + heightDivider + مقسم معدل التحديث:\nيتم مضاعفة معدل الإطارات الذي يتم تحديث المحاكي به بواسطة هذا الرقم. قد يؤدي تغيير هذا إلى آثار سلبية، مثل زيادة سرعة اللعبة أو كسر الوظائف الأساسية التي لا تتوقع هذا التغيير! + + + dumpShadersCheckBox + تمكين تفريغ الـ Shaders:\nلأغراض تصحيح الأخطاء التقنية، يحفظ الـ Shaders الخاصة باللعبة في مجلد أثناء التشغيل. + + + nullGpuCheckBox + تمكين GPU الافتراضية:\nلأغراض تصحيح الأخطاء التقنية، يقوم بتعطيل عرض اللعبة كما لو لم يكن هناك بطاقة رسومات. + + + gameFoldersBox + مجلدات اللعبة:\nقائمة بالمجلدات للتحقق من الألعاب المثبتة. + + + addFolderButton + إضافة:\nأضف مجلداً إلى القائمة. + + + removeFolderButton + إزالة:\nأزل مجلداً من القائمة. + + + debugDump + تمكين تفريغ التصحيح:\nيحفظ رموز الاستيراد والتصدير ومعلومات رأس الملف للبرنامج الحالي لجهاز PS4 إلى دليل. + + + vkValidationCheckBox + تمكين طبقات التحقق من Vulkan:\nيتيح نظام يتحقق من حالة مشغل Vulkan ويسجل معلومات حول حالته الداخلية. سيؤدي هذا إلى تقليل الأداء ومن المحتمل تغيير سلوك المحاكاة. + + + vkSyncValidationCheckBox + تمكين التحقق من تزامن Vulkan:\nيتيح نظام يتحقق من توقيت مهام عرض Vulkan. سيؤدي ذلك إلى تقليل الأداء ومن المحتمل تغيير سلوك المحاكاة. + + + rdocCheckBox + تمكين تصحيح RenderDoc:\nإذا تم التمكين، سيوفر المحاكي توافقًا مع Renderdoc لالتقاط وتحليل الإطار الذي يتم عرضه حاليًا. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Always Show Changelog + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + تصفح + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + مجلد تثبيت الألعاب + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + عارض الجوائز + + + diff --git a/src/qt_gui/translations/da_DK.ts b/src/qt_gui/translations/da_DK.ts index 1b1a15a3c..17d34bc3b 100644 --- a/src/qt_gui/translations/da_DK.ts +++ b/src/qt_gui/translations/da_DK.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Trick / Patches - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Åbn Mappe... - - - Open Game Folder - Åbn Spilmappe - - - Open Save Data Folder - Åbn Gem Data Mappe - - - Open Log Folder - Åbn Log Mappe - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Tjek for opdateringer - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Download Tricks / Patches - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Hjælp - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Spiloversigt - - - * Unsupported Vulkan Version - * Ikke understøttet Vulkan-version - - - Download Cheats For All Installed Games - Hent snyd til alle installerede spil - - - Download Patches For All Games - Hent patches til alle spil - - - Download Complete - Download fuldført - - - You have downloaded cheats for all the games you have installed. - Du har hentet snyd til alle de spil, du har installeret. - - - Patches Downloaded Successfully! - Patcher hentet med succes! - - - All Patches available for all games have been downloaded. - Alle patches til alle spil er blevet hentet. - - - Games: - Spil: - - - PKG File (*.PKG) - PKG-fil (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF-filer (*.bin *.elf *.oelf) - - - Game Boot - Spil-boot - - - Only one file can be selected! - Kun én fil kan vælges! - - - PKG Extraction - PKG-udtrækning - - - Patch detected! - Opdatering detekteret! - - - PKG and Game versions match: - PKG og spilversioner matcher: - - - Would you like to overwrite? - Vil du overskrive? - - - PKG Version %1 is older than installed version: - PKG Version %1 er ældre end den installerede version: - - - Game is installed: - Spillet er installeret: - - - Would you like to install Patch: - Vil du installere opdateringen: - - - DLC Installation - DLC Installation - - - Would you like to install DLC: %1? - Vil du installere DLC: %1? - - - DLC already installed: - DLC allerede installeret: - - - Game already installed - Spillet er allerede installeret - - - PKG is a patch, please install the game first! - PKG er en patch, venligst installer spillet først! - - - PKG ERROR - PKG FEJL - - - Extracting PKG %1/%2 - Udvinding af PKG %1/%2 - - - Extraction Finished - Udvinding afsluttet - - - Game successfully installed at %1 - Spillet blev installeret succesfuldt på %1 - - - File doesn't appear to be a valid PKG file - Filen ser ikke ud til at være en gyldig PKG-fil - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Fuldskærmstilstand - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Standardfaneblad ved åbning af indstillinger - - - Show Game Size In List - Vis vis spilstørrelse i listen - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Aktiver Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Åbn logplacering - - - Input - Indtastning - - - Cursor - Markør - - - Hide Cursor - Skjul markør - - - Hide Cursor Idle Timeout - Timeout for skjul markør ved inaktivitet - - - s - s - - - Controller - Controller - - - Back Button Behavior - Tilbageknap adfærd - - - Graphics - Graphics - - - GUI - Interface - - - User - Bruger - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Stier - - - Game Folders - Spilmapper - - - Add... - Tilføj... - - - Remove - Fjern - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Opdatering - - - Check for Updates at Startup - Tjek for opdateringer ved start - - - Always Show Changelog - Vis altid changelog - - - Update Channel - Opdateringskanal - - - Check for Updates - Tjek for opdateringer - - - GUI Settings - GUI-Indstillinger - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Afspil titelsang - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Lydstyrke - - - Audio Backend - Audio Backend - - - Save - Gem - - - Apply - Anvend - - - Restore Defaults - Gendan standardindstillinger - - - Close - Luk - - - Point your mouse at an option to display its description. - Peg musen over et valg for at vise dets beskrivelse. - - - consoleLanguageGroupBox - Konsolsprog:\nIndstiller sproget, som PS4-spillet bruger.\nDet anbefales at indstille dette til et sprog, som spillet understøtter, hvilket kan variere efter region. - - - emulatorLanguageGroupBox - Emulatorsprog:\nIndstiller sproget i emulatorens brugergrænseflade. - - - fullscreenCheckBox - Aktiver fuld skærm:\nSætter automatisk spilvinduet i fuld skærm.\nDette kan skiftes ved at trykke på F11-tasten. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Vis startskærm:\nViser en startskærm (speciel grafik) under opstarten. - - - ps4proCheckBox - Er det en PS4 Pro:\nGør det muligt for emulatoren at fungere som en PS4 PRO, hvilket kan aktivere visse funktioner i spil, der understøtter det. - - - discordRPCCheckbox - Aktiver Discord Rich Presence:\nViser emulatorikonet og relevante oplysninger på din Discord-profil. - - - userName - Brugernavn:\nIndstiller PS4-kontoens navn, som kan blive vist i nogle spil. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Logtype:\nIndstiller, om logvinduets output vil blive synkroniseret for at øge ydeevnen. Dette kan påvirke emulatorens ydeevne negativt. - - - logFilter - Logfilter:\nFiltrerer loggen for kun at udskrive bestemte oplysninger.\nEksempler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaus: Trace, Debug, Info, Warning, Error, Critical - i rækkefølge, et valgt niveau skjuler alle forudgående niveauer og viser alle efterfølgende niveauer. - - - updaterGroupBox - Opdatering:\nRelease: Officielle builds, der frigives månedligt, som kan være meget ældre, men mere stabile og testet.\nNightly: Udviklerbuilds med de nyeste funktioner og rettelser, men som kan indeholde fejl og være mindre stabile. - - - GUIMusicGroupBox - Titelsmusikafspilning:\nHvis spillet understøtter det, aktiver speciel musik, når spillet vælges i brugergrænsefladen. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Skjul Cursor:\nVælg hvornår cursoren skal forsvinde:\nAldrig: Du vil altid se musen.\nInaktiv: Indstil en tid for, hvornår den skal forsvinde efter at være inaktiv.\nAltid: du vil aldrig se musen. - - - idleTimeoutGroupBox - Indstil en tid for, at musen skal forsvinde efter at være inaktiv. - - - backButtonBehaviorGroupBox - Tilbageknap Adfærd:\nIndstiller controllerens tilbageknap til at efterligne tryk på den angivne position på PS4 berøringsflade. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Aldrig - - - Idle - Inaktiv - - - Always - Altid - - - Touchpad Left - Berøringsplade Venstre - - - Touchpad Right - Berøringsplade Højre - - - Touchpad Center - Berøringsplade Center - - - None - Ingen - - - graphicsAdapterGroupBox - Grafikadapter:\nPå systemer med flere GPU'er skal du vælge den GPU, emulatoren vil bruge fra en rullemenu,\neller vælge "Auto Select" for at vælge den automatisk. - - - resolutionLayout - Skærmopløsning:\nIndstiller emulatorvinduets størrelse under afspilning, som kan ændres under afspilning.\nDette er forskelligt fra selve spillets opløsning. - - - heightDivider - Opdateringshastighedsdeler:\nMultiplicerer den frekvens, som emulatoren opdaterer billedet med, med dette tal. Ændring af dette kan have negative effekter, såsom hurtigere spil eller ødelagte funktioner! - - - dumpShadersCheckBox - Aktiver dumping af Shaders:\nTil teknisk fejlfinding gemmer det spillets shaders i en mappe under afspilning. - - - nullGpuCheckBox - Aktiver virtuel GPU:\nTil teknisk fejlfinding deaktiverer det spilvisning, som om der ikke var et grafikkort. - - - gameFoldersBox - Spilmappen:\nListen over mapper til at tjekke for installerede spil. - - - addFolderButton - Tilføj:\nTilføj en mappe til listen. - - - removeFolderButton - Fjern:\nFjern en mappe fra listen. - - - debugDump - Aktiver debugging-dump:\nGemmer import/export-symboler og headeroplysninger for det aktuelle PS4-program til en mappe. - - - vkValidationCheckBox - Aktiver Vulkan-valideringslag:\nAktiverer et system, der validerer Vulkan-driverens tilstand og logger oplysninger om dens interne tilstand. Dette vil reducere ydeevnen og kan muligvis ændre emulatorens adfærd. - - - vkSyncValidationCheckBox - Aktiver Vulkan-synkroniseringsvalidering:\nAktiverer et system, der validerer tidspunktet for Vulkan's renderingsopgaver. Dette vil reducere ydeevnen og kan muligvis ændre emulatorens adfærd. - - - rdocCheckBox - Aktiver RenderDoc-fejlfinding:\nHvis aktiveret, giver det emulatoren mulighed for kompatibilitet med Renderdoc til at fange og analysere det aktuelle gengivne billede. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches er eksperimentelle.\nBrug med forsigtighed.\n\nDownload cheats individuelt ved at vælge lageret og klikke på download-knappen.\nUnder fanen Patches kan du downloade alle patches på én gang, vælge hvilke du vil bruge og gemme valget.\n\nDa vi ikke udvikler cheats/patches,\nvenligst rapporter problemer til cheat-udvikleren.\n\nHar du lavet en ny cheat? Besøg:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Ingen billede tilgængelig - - - Serial: - Serienummer: - - - Version: - Version: - - - Size: - Størrelse: - - - Select Cheat File: - Vælg snyd-fil: - - - Repository: - Repository: - - - Download Cheats - Hent snyd - - - Delete File - Slet fil - - - No files selected. - Ingen filer valgt. - - - You can delete the cheats you don't want after downloading them. - Du kan slette de snyd, du ikke ønsker, efter at have hentet dem. - - - Do you want to delete the selected file?\n%1 - Ønsker du at slette den valgte fil?\n%1 - - - Select Patch File: - Vælg patch-fil: - - - Download Patches - Hent patches - - - Save - Gem - - - Cheats - Snyd - - - Patches - Patches - - - Error - Fejl - - - No patch selected. - Ingen patch valgt. - - - Unable to open files.json for reading. - Kan ikke åbne files.json til læsning. - - - No patch file found for the current serial. - Ingen patch-fil fundet for det nuværende serienummer. - - - Unable to open the file for reading. - Kan ikke åbne filen til læsning. - - - Unable to open the file for writing. - Kan ikke åbne filen til skrivning. - - - Failed to parse XML: - Kunne ikke analysere XML: - - - Success - Succes - - - Options saved successfully. - Indstillinger gemt med succes. - - - Invalid Source - Ugyldig kilde - - - The selected source is invalid. - Den valgte kilde er ugyldig. - - - File Exists - Fil findes - - - File already exists. Do you want to replace it? - Filen findes allerede. Vil du erstatte den? - - - Failed to save file: - Kunne ikke gemme fil: - - - Failed to download file: - Kunne ikke hente fil: - - - Cheats Not Found - Snyd ikke fundet - - - CheatsNotFound_MSG - Ingen snyd fundet til dette spil i denne version af det valgte repository, prøv et andet repository eller en anden version af spillet. - - - Cheats Downloaded Successfully - Snyd hentet med succes - - - CheatsDownloadedSuccessfully_MSG - Du har succesfuldt hentet snyd for denne version af spillet fra det valgte repository. Du kan prøve at hente fra et andet repository, hvis det er tilgængeligt, vil det også være muligt at bruge det ved at vælge filen fra listen. - - - Failed to save: - Kunne ikke gemme: - - - Failed to download: - Kunne ikke hente: - - - Download Complete - Download fuldført - - - DownloadComplete_MSG - Patcher hentet med succes! Alle patches til alle spil er blevet hentet, der er ikke behov for at hente dem individuelt for hvert spil, som det sker med snyd. Hvis opdateringen ikke vises, kan det være, at den ikke findes for den specifikke serie og version af spillet. - - - Failed to parse JSON data from HTML. - Kunne ikke analysere JSON-data fra HTML. - - - Failed to retrieve HTML page. - Kunne ikke hente HTML-side. - - - The game is in version: %1 - Spillet er i version: %1 - - - The downloaded patch only works on version: %1 - Den downloadede patch fungerer kun på version: %1 - - - You may need to update your game. - Du skal muligvis opdatere dit spil. - - - Incompatibility Notice - Uforenelighedsmeddelelse - - - Failed to open file: - Kunne ikke åbne fil: - - - XML ERROR: - XML FEJL: - - - Failed to open files.json for writing - Kunne ikke åbne files.json til skrivning - - - Author: - Forfatter: - - - Directory does not exist: - Mappe findes ikke: - - - Failed to open files.json for reading. - Kunne ikke åbne files.json til læsning. - - - Name: - Navn: - - - Can't apply cheats before the game is started - Kan ikke anvende snyd før spillet er startet. - - - - GameListFrame - - Icon - Ikon - - - Name - Navn - - - Serial - Seriel - - - Compatibility - Compatibility - - - Region - Region - - - Firmware - Firmware - - - Size - Størrelse - - - Version - Version - - - Path - Sti - - - Play Time - Spilletid - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Klik for at se detaljer på GitHub - - - Last updated - Sidst opdateret - - - - CheckUpdate - - Auto Updater - Automatisk opdatering - - - Error - Fejl - - - Network error: - Netsværksfejl: - - - Error_Github_limit_MSG - Autoopdateren tillader op til 60 opdateringstjek i timen.\nDu har nået denne grænse. Prøv igen senere. - - - Failed to parse update information. - Kunne ikke analysere opdateringsoplysninger. - - - No pre-releases found. - Ingen forhåndsudgivelser fundet. - - - Invalid release data. - Ugyldige udgivelsesdata. - - - No download URL found for the specified asset. - Ingen download-URL fundet for den specificerede aktiver. - - - Your version is already up to date! - Din version er allerede opdateret! - - - Update Available - Opdatering tilgængelig - - - Update Channel - Opdateringskanal - - - Current Version - Nuværende version - - - Latest Version - Nyeste version - - - Do you want to update? - Vil du opdatere? - - - Show Changelog - Vis ændringslog - - - Check for Updates at Startup - Tjek for opdateringer ved start - - - Update - Opdater - - - No - Nej - - - Hide Changelog - Skjul ændringslog - - - Changes - Ændringer - - - Network error occurred while trying to access the URL - Netsværksfejl opstod, mens der blev forsøgt at få adgang til URL'en - - - Download Complete - Download fuldført - - - The update has been downloaded, press OK to install. - Opdateringen er blevet downloadet, tryk på OK for at installere. - - - Failed to save the update file at - Kunne ikke gemme opdateringsfilen på - - - Starting Update... - Starter opdatering... - - - Failed to create the update script file - Kunne ikke oprette opdateringsscriptfilen - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Henter kompatibilitetsdata, vent venligst - - - Cancel - Annuller - - - Loading... - Indlæser... - - - Error - Fejl - - - Unable to update compatibility data! Try again later. - Kan ikke opdatere kompatibilitetsdata! Prøv igen senere. - - - Unable to open compatibility_data.json for writing. - Kan ikke åbne compatibility_data.json til skrivning. - - - Unknown - Ukendt - - - Nothing - Intet - - - Boots - Støvler - - - Menus - Menuer - - - Ingame - I spillet - - - Playable - Spilbar - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches er eksperimentelle.\nBrug med forsigtighed.\n\nDownload cheats individuelt ved at vælge lageret og klikke på download-knappen.\nUnder fanen Patches kan du downloade alle patches på én gang, vælge hvilke du vil bruge og gemme valget.\n\nDa vi ikke udvikler cheats/patches,\nvenligst rapporter problemer til cheat-udvikleren.\n\nHar du lavet en ny cheat? Besøg:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Ingen billede tilgængelig + + + Serial: + Serienummer: + + + Version: + Version: + + + Size: + Størrelse: + + + Select Cheat File: + Vælg snyd-fil: + + + Repository: + Repository: + + + Download Cheats + Hent snyd + + + Delete File + Slet fil + + + No files selected. + Ingen filer valgt. + + + You can delete the cheats you don't want after downloading them. + Du kan slette de snyd, du ikke ønsker, efter at have hentet dem. + + + Do you want to delete the selected file?\n%1 + Ønsker du at slette den valgte fil?\n%1 + + + Select Patch File: + Vælg patch-fil: + + + Download Patches + Hent patches + + + Save + Gem + + + Cheats + Snyd + + + Patches + Patches + + + Error + Fejl + + + No patch selected. + Ingen patch valgt. + + + Unable to open files.json for reading. + Kan ikke åbne files.json til læsning. + + + No patch file found for the current serial. + Ingen patch-fil fundet for det nuværende serienummer. + + + Unable to open the file for reading. + Kan ikke åbne filen til læsning. + + + Unable to open the file for writing. + Kan ikke åbne filen til skrivning. + + + Failed to parse XML: + Kunne ikke analysere XML: + + + Success + Succes + + + Options saved successfully. + Indstillinger gemt med succes. + + + Invalid Source + Ugyldig kilde + + + The selected source is invalid. + Den valgte kilde er ugyldig. + + + File Exists + Fil findes + + + File already exists. Do you want to replace it? + Filen findes allerede. Vil du erstatte den? + + + Failed to save file: + Kunne ikke gemme fil: + + + Failed to download file: + Kunne ikke hente fil: + + + Cheats Not Found + Snyd ikke fundet + + + CheatsNotFound_MSG + Ingen snyd fundet til dette spil i denne version af det valgte repository, prøv et andet repository eller en anden version af spillet. + + + Cheats Downloaded Successfully + Snyd hentet med succes + + + CheatsDownloadedSuccessfully_MSG + Du har succesfuldt hentet snyd for denne version af spillet fra det valgte repository. Du kan prøve at hente fra et andet repository, hvis det er tilgængeligt, vil det også være muligt at bruge det ved at vælge filen fra listen. + + + Failed to save: + Kunne ikke gemme: + + + Failed to download: + Kunne ikke hente: + + + Download Complete + Download fuldført + + + DownloadComplete_MSG + Patcher hentet med succes! Alle patches til alle spil er blevet hentet, der er ikke behov for at hente dem individuelt for hvert spil, som det sker med snyd. Hvis opdateringen ikke vises, kan det være, at den ikke findes for den specifikke serie og version af spillet. + + + Failed to parse JSON data from HTML. + Kunne ikke analysere JSON-data fra HTML. + + + Failed to retrieve HTML page. + Kunne ikke hente HTML-side. + + + The game is in version: %1 + Spillet er i version: %1 + + + The downloaded patch only works on version: %1 + Den downloadede patch fungerer kun på version: %1 + + + You may need to update your game. + Du skal muligvis opdatere dit spil. + + + Incompatibility Notice + Uforenelighedsmeddelelse + + + Failed to open file: + Kunne ikke åbne fil: + + + XML ERROR: + XML FEJL: + + + Failed to open files.json for writing + Kunne ikke åbne files.json til skrivning + + + Author: + Forfatter: + + + Directory does not exist: + Mappe findes ikke: + + + Failed to open files.json for reading. + Kunne ikke åbne files.json til læsning. + + + Name: + Navn: + + + Can't apply cheats before the game is started + Kan ikke anvende snyd før spillet er startet. + + + Close + Luk + + + + CheckUpdate + + Auto Updater + Automatisk opdatering + + + Error + Fejl + + + Network error: + Netsværksfejl: + + + Error_Github_limit_MSG + Autoopdateren tillader op til 60 opdateringstjek i timen.\nDu har nået denne grænse. Prøv igen senere. + + + Failed to parse update information. + Kunne ikke analysere opdateringsoplysninger. + + + No pre-releases found. + Ingen forhåndsudgivelser fundet. + + + Invalid release data. + Ugyldige udgivelsesdata. + + + No download URL found for the specified asset. + Ingen download-URL fundet for den specificerede aktiver. + + + Your version is already up to date! + Din version er allerede opdateret! + + + Update Available + Opdatering tilgængelig + + + Update Channel + Opdateringskanal + + + Current Version + Nuværende version + + + Latest Version + Nyeste version + + + Do you want to update? + Vil du opdatere? + + + Show Changelog + Vis ændringslog + + + Check for Updates at Startup + Tjek for opdateringer ved start + + + Update + Opdater + + + No + Nej + + + Hide Changelog + Skjul ændringslog + + + Changes + Ændringer + + + Network error occurred while trying to access the URL + Netsværksfejl opstod, mens der blev forsøgt at få adgang til URL'en + + + Download Complete + Download fuldført + + + The update has been downloaded, press OK to install. + Opdateringen er blevet downloadet, tryk på OK for at installere. + + + Failed to save the update file at + Kunne ikke gemme opdateringsfilen på + + + Starting Update... + Starter opdatering... + + + Failed to create the update script file + Kunne ikke oprette opdateringsscriptfilen + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Henter kompatibilitetsdata, vent venligst + + + Cancel + Annuller + + + Loading... + Indlæser... + + + Error + Fejl + + + Unable to update compatibility data! Try again later. + Kan ikke opdatere kompatibilitetsdata! Prøv igen senere. + + + Unable to open compatibility_data.json for writing. + Kan ikke åbne compatibility_data.json til skrivning. + + + Unknown + Ukendt + + + Nothing + Intet + + + Boots + Støvler + + + Menus + Menuer + + + Ingame + I spillet + + + Playable + Spilbar + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikon + + + Name + Navn + + + Serial + Seriel + + + Compatibility + Compatibility + + + Region + Region + + + Firmware + Firmware + + + Size + Størrelse + + + Version + Version + + + Path + Sti + + + Play Time + Spilletid + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Klik for at se detaljer på GitHub + + + Last updated + Sidst opdateret + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Trick / Patches + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Åbn Mappe... + + + Open Game Folder + Åbn Spilmappe + + + Open Save Data Folder + Åbn Gem Data Mappe + + + Open Log Folder + Åbn Log Mappe + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Tjek for opdateringer + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Download Tricks / Patches + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Hjælp + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Spiloversigt + + + * Unsupported Vulkan Version + * Ikke understøttet Vulkan-version + + + Download Cheats For All Installed Games + Hent snyd til alle installerede spil + + + Download Patches For All Games + Hent patches til alle spil + + + Download Complete + Download fuldført + + + You have downloaded cheats for all the games you have installed. + Du har hentet snyd til alle de spil, du har installeret. + + + Patches Downloaded Successfully! + Patcher hentet med succes! + + + All Patches available for all games have been downloaded. + Alle patches til alle spil er blevet hentet. + + + Games: + Spil: + + + ELF files (*.bin *.elf *.oelf) + ELF-filer (*.bin *.elf *.oelf) + + + Game Boot + Spil-boot + + + Only one file can be selected! + Kun én fil kan vælges! + + + PKG Extraction + PKG-udtrækning + + + Patch detected! + Opdatering detekteret! + + + PKG and Game versions match: + PKG og spilversioner matcher: + + + Would you like to overwrite? + Vil du overskrive? + + + PKG Version %1 is older than installed version: + PKG Version %1 er ældre end den installerede version: + + + Game is installed: + Spillet er installeret: + + + Would you like to install Patch: + Vil du installere opdateringen: + + + DLC Installation + DLC Installation + + + Would you like to install DLC: %1? + Vil du installere DLC: %1? + + + DLC already installed: + DLC allerede installeret: + + + Game already installed + Spillet er allerede installeret + + + PKG ERROR + PKG FEJL + + + Extracting PKG %1/%2 + Udvinding af PKG %1/%2 + + + Extraction Finished + Udvinding afsluttet + + + Game successfully installed at %1 + Spillet blev installeret succesfuldt på %1 + + + File doesn't appear to be a valid PKG file + Filen ser ikke ud til at være en gyldig PKG-fil + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Navn + + + Serial + Seriel + + + Installed + + + + Size + Størrelse + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Sti + + + File + File + + + PKG ERROR + PKG FEJL + + + Unknown + Ukendt + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Fuldskærmstilstand + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Standardfaneblad ved åbning af indstillinger + + + Show Game Size In List + Vis vis spilstørrelse i listen + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Aktiver Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Åbn logplacering + + + Input + Indtastning + + + Cursor + Markør + + + Hide Cursor + Skjul markør + + + Hide Cursor Idle Timeout + Timeout for skjul markør ved inaktivitet + + + s + s + + + Controller + Controller + + + Back Button Behavior + Tilbageknap adfærd + + + Graphics + Graphics + + + GUI + Interface + + + User + Bruger + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Stier + + + Game Folders + Spilmapper + + + Add... + Tilføj... + + + Remove + Fjern + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Opdatering + + + Check for Updates at Startup + Tjek for opdateringer ved start + + + Always Show Changelog + Vis altid changelog + + + Update Channel + Opdateringskanal + + + Check for Updates + Tjek for opdateringer + + + GUI Settings + GUI-Indstillinger + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Afspil titelsang + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Lydstyrke + + + Save + Gem + + + Apply + Anvend + + + Restore Defaults + Gendan standardindstillinger + + + Close + Luk + + + Point your mouse at an option to display its description. + Peg musen over et valg for at vise dets beskrivelse. + + + consoleLanguageGroupBox + Konsolsprog:\nIndstiller sproget, som PS4-spillet bruger.\nDet anbefales at indstille dette til et sprog, som spillet understøtter, hvilket kan variere efter region. + + + emulatorLanguageGroupBox + Emulatorsprog:\nIndstiller sproget i emulatorens brugergrænseflade. + + + fullscreenCheckBox + Aktiver fuld skærm:\nSætter automatisk spilvinduet i fuld skærm.\nDette kan skiftes ved at trykke på F11-tasten. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Vis startskærm:\nViser en startskærm (speciel grafik) under opstarten. + + + discordRPCCheckbox + Aktiver Discord Rich Presence:\nViser emulatorikonet og relevante oplysninger på din Discord-profil. + + + userName + Brugernavn:\nIndstiller PS4-kontoens navn, som kan blive vist i nogle spil. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Logtype:\nIndstiller, om logvinduets output vil blive synkroniseret for at øge ydeevnen. Dette kan påvirke emulatorens ydeevne negativt. + + + logFilter + Logfilter:\nFiltrerer loggen for kun at udskrive bestemte oplysninger.\nEksempler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaus: Trace, Debug, Info, Warning, Error, Critical - i rækkefølge, et valgt niveau skjuler alle forudgående niveauer og viser alle efterfølgende niveauer. + + + updaterGroupBox + Opdatering:\nRelease: Officielle builds, der frigives månedligt, som kan være meget ældre, men mere stabile og testet.\nNightly: Udviklerbuilds med de nyeste funktioner og rettelser, men som kan indeholde fejl og være mindre stabile. + + + GUIMusicGroupBox + Titelsmusikafspilning:\nHvis spillet understøtter det, aktiver speciel musik, når spillet vælges i brugergrænsefladen. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Skjul Cursor:\nVælg hvornår cursoren skal forsvinde:\nAldrig: Du vil altid se musen.\nInaktiv: Indstil en tid for, hvornår den skal forsvinde efter at være inaktiv.\nAltid: du vil aldrig se musen. + + + idleTimeoutGroupBox + Indstil en tid for, at musen skal forsvinde efter at være inaktiv. + + + backButtonBehaviorGroupBox + Tilbageknap Adfærd:\nIndstiller controllerens tilbageknap til at efterligne tryk på den angivne position på PS4 berøringsflade. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Aldrig + + + Idle + Inaktiv + + + Always + Altid + + + Touchpad Left + Berøringsplade Venstre + + + Touchpad Right + Berøringsplade Højre + + + Touchpad Center + Berøringsplade Center + + + None + Ingen + + + graphicsAdapterGroupBox + Grafikadapter:\nPå systemer med flere GPU'er skal du vælge den GPU, emulatoren vil bruge fra en rullemenu,\neller vælge "Auto Select" for at vælge den automatisk. + + + resolutionLayout + Skærmopløsning:\nIndstiller emulatorvinduets størrelse under afspilning, som kan ændres under afspilning.\nDette er forskelligt fra selve spillets opløsning. + + + heightDivider + Opdateringshastighedsdeler:\nMultiplicerer den frekvens, som emulatoren opdaterer billedet med, med dette tal. Ændring af dette kan have negative effekter, såsom hurtigere spil eller ødelagte funktioner! + + + dumpShadersCheckBox + Aktiver dumping af Shaders:\nTil teknisk fejlfinding gemmer det spillets shaders i en mappe under afspilning. + + + nullGpuCheckBox + Aktiver virtuel GPU:\nTil teknisk fejlfinding deaktiverer det spilvisning, som om der ikke var et grafikkort. + + + gameFoldersBox + Spilmappen:\nListen over mapper til at tjekke for installerede spil. + + + addFolderButton + Tilføj:\nTilføj en mappe til listen. + + + removeFolderButton + Fjern:\nFjern en mappe fra listen. + + + debugDump + Aktiver debugging-dump:\nGemmer import/export-symboler og headeroplysninger for det aktuelle PS4-program til en mappe. + + + vkValidationCheckBox + Aktiver Vulkan-valideringslag:\nAktiverer et system, der validerer Vulkan-driverens tilstand og logger oplysninger om dens interne tilstand. Dette vil reducere ydeevnen og kan muligvis ændre emulatorens adfærd. + + + vkSyncValidationCheckBox + Aktiver Vulkan-synkroniseringsvalidering:\nAktiverer et system, der validerer tidspunktet for Vulkan's renderingsopgaver. Dette vil reducere ydeevnen og kan muligvis ændre emulatorens adfærd. + + + rdocCheckBox + Aktiver RenderDoc-fejlfinding:\nHvis aktiveret, giver det emulatoren mulighed for kompatibilitet med Renderdoc til at fange og analysere det aktuelle gengivne billede. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + diff --git a/src/qt_gui/translations/de.ts b/src/qt_gui/translations/de.ts deleted file mode 100644 index 65cdd5f4a..000000000 --- a/src/qt_gui/translations/de.ts +++ /dev/null @@ -1,1499 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - Über shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 ist ein experimenteller Open-Source-Emulator für die Playstation 4. - - - This software should not be used to play games you have not legally obtained. - Diese Software soll nicht dazu benutzt werden illegal kopierte Spiele zu spielen. - - - - ElfViewer - - Open Folder - Ordner öffnen - - - - GameInfoClass - - Loading game list, please wait :3 - Lade Spielliste, bitte warten :3 - - - Cancel - Abbrechen - - - Loading... - Lade... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Wähle Ordner - - - Select which directory you want to install to. - Wählen Sie das Verzeichnis aus, in das Sie installieren möchten. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Wähle Ordner - - - Directory to install games - Installationsverzeichnis für Spiele - - - Browse - Durchsuchen - - - Error - Fehler - - - The value for location to install games is not valid. - Der ausgewählte Ordner ist nicht gültig. - - - - GuiContextMenus - - Create Shortcut - Verknüpfung erstellen - - - Cheats / Patches - Cheats / Patches - - - SFO Viewer - SFO anzeigen - - - Trophy Viewer - Trophäen anzeigen - - - Open Folder... - Ordner öffnen... - - - Open Game Folder - Spielordner öffnen - - - Open Update Folder - Öffne Update-Ordner - - - Open Save Data Folder - Speicherordner öffnen - - - Open Log Folder - Protokollordner öffnen - - - Copy info... - Infos kopieren... - - - Copy Name - Namen kopieren - - - Copy Serial - Seriennummer kopieren - - - Copy Version - Version kopieren - - - Copy Size - Größe kopieren - - - Copy All - Alles kopieren - - - Delete... - Löschen... - - - Delete Game - Lösche Spiel - - - Delete Update - Lösche Aktualisierung - - - Delete Save Data - Lösche Speicherdaten - - - Delete DLC - Lösche DLC - - - Compatibility... - Kompatibilität... - - - Update database - Aktualisiere Datenbank - - - View report - Bericht ansehen - - - Submit a report - Einen Bericht einreichen - - - Shortcut creation - Verknüpfungserstellung - - - Shortcut created successfully! - Verknüpfung erfolgreich erstellt! - - - Error - Fehler - - - Error creating shortcut! - Fehler beim Erstellen der Verknüpfung! - - - Install PKG - PKG installieren - - - Game - Spiel - - - requiresEnableSeparateUpdateFolder_MSG - Damit diese Funktion funktioniert, ist die Konfigurationsoption „Separaten Update-Ordner aktivieren“ erforderlich. Wenn Sie diese Funktion nutzen möchten, aktivieren Sie sie bitte. - - - This game has no update to delete! - Dieses Spiel hat keine Aktualisierung zum löschen! - - - Update - Aktualisieren - - - This game has no DLC to delete! - Dieses Spiel hat kein DLC zum aktualisieren! - - - DLC - DLC - - - Delete %1 - Lösche %1 - - - Are you sure you want to delete %1's %2 directory? - Sind Sie sicher dass Sie %1 %2 Ordner löschen wollen? - - - - MainWindow - - Open/Add Elf Folder - Elf-Ordner öffnen/hinzufügen - - - Install Packages (PKG) - Pakete installieren (PKG) - - - Boot Game - Spiel starten - - - Check for Updates - Nach Updates suchen - - - About shadPS4 - Über shadPS4 - - - Configure... - Konfigurieren... - - - Install application from a .pkg file - Installiere Anwendung aus .pkg-Datei - - - Recent Games - Zuletzt gespielt - - - Open shadPS4 Folder - Öffne shadPS4 Ordner - - - Exit - Beenden - - - Exit shadPS4 - shadPS4 beenden - - - Exit the application. - Die Anwendung beenden. - - - Show Game List - Spielliste anzeigen - - - Game List Refresh - Spielliste aktualisieren - - - Tiny - Winzig - - - Small - Klein - - - Medium - Mittel - - - Large - Groß - - - List View - Listenansicht - - - Grid View - Gitteransicht - - - Elf Viewer - Elf-Ansicht - - - Game Install Directory - Installationsverzeichnis für Spiele - - - Download Cheats/Patches - Cheats/Patches herunterladen - - - Dump Game List - Spielliste ausgeben - - - PKG Viewer - PKG-Anschauer - - - Search... - Suchen... - - - File - Datei - - - View - Ansicht - - - Game List Icons - Spiellisten-Symbole - - - Game List Mode - Spiellisten-Modus - - - Settings - Einstellungen - - - Utils - Werkzeuge - - - Themes - Stile - - - Help - Hilfe - - - Dark - Dunkel - - - Light - Hell - - - Green - Grün - - - Blue - Blau - - - Violet - Violett - - - toolBar - Werkzeugleiste - - - Game List - Spieleliste - - - * Unsupported Vulkan Version - * Nicht unterstützte Vulkan-Version - - - Download Cheats For All Installed Games - Cheats für alle installierten Spiele herunterladen - - - Download Patches For All Games - Patches für alle Spiele herunterladen - - - Download Complete - Download abgeschlossen - - - You have downloaded cheats for all the games you have installed. - Sie haben Cheats für alle installierten Spiele heruntergeladen. - - - Patches Downloaded Successfully! - Patches erfolgreich heruntergeladen! - - - All Patches available for all games have been downloaded. - Alle Patches für alle Spiele wurden heruntergeladen. - - - Games: - Spiele: - - - PKG File (*.PKG) - PKG-Datei (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF-Dateien (*.bin *.elf *.oelf) - - - Game Boot - Spiel-Start - - - Only one file can be selected! - Es kann nur eine Datei ausgewählt werden! - - - PKG Extraction - PKG-Extraktion - - - Patch detected! - Patch erkannt! - - - PKG and Game versions match: - PKG- und Spielversionen stimmen überein: - - - Would you like to overwrite? - Willst du überschreiben? - - - PKG Version %1 is older than installed version: - PKG-Version %1 ist älter als die installierte Version: - - - Game is installed: - Spiel ist installiert: - - - Would you like to install Patch: - Willst du den Patch installieren: - - - DLC Installation - DLC-Installation - - - Would you like to install DLC: %1? - Willst du das DLC installieren: %1? - - - DLC already installed: - DLC bereits installiert: - - - Game already installed - Spiel bereits installiert - - - PKG is a patch, please install the game first! - PKG ist ein Patch, bitte installieren Sie zuerst das Spiel! - - - PKG ERROR - PKG-FEHLER - - - Extracting PKG %1/%2 - Extrahiere PKG %1/%2 - - - Extraction Finished - Extraktion abgeschlossen - - - Game successfully installed at %1 - Spiel erfolgreich installiert auf %1 - - - File doesn't appear to be a valid PKG file - Die Datei scheint keine gültige PKG-Datei zu sein - - - - PKGViewer - - Open Folder - Ordner öffnen - - - - TrophyViewer - - Trophy Viewer - Trophäenansicht - - - - SettingsDialog - - Save Data Path - Speicherdaten-Pfad - - - Settings - Einstellungen - - - General - Allgemein - - - System - System - - - Console Language - Konsolensprache - - - Emulator Language - Emulatorsprache - - - Emulator - Emulator - - - Enable Fullscreen - Vollbild aktivieren - - - Fullscreen Mode - Vollbildmodus - - - Enable Separate Update Folder - Separaten Update-Ordner aktivieren - - - Default tab when opening settings - Standardregisterkarte beim Öffnen der Einstellungen - - - Show Game Size In List - Zeige Spielgröße in der Liste - - - Show Splash - Startbildschirm anzeigen - - - Is PS4 Pro - Ist PS4 Pro - - - Enable Discord Rich Presence - Discord Rich Presence aktivieren - - - Username - Benutzername - - - Trophy Key - Trophäenschlüssel - - - Trophy - Trophäe - - - Logger - Logger - - - Log Type - Logtyp - - - Log Filter - Log-Filter - - - Open Log Location - Protokollspeicherort öffnen - - - Input - Eingabe - - - Enable Motion Controls - Aktiviere Bewegungssteuerung - - - Cursor - Cursor - - - Hide Cursor - Cursor ausblenden - - - Hide Cursor Idle Timeout - Inaktivitätszeitüberschreitung zum Ausblenden des Cursors - - - s - s - - - Controller - Controller - - - Back Button Behavior - Verhalten der Zurück-Taste - - - Graphics - Grafik - - - GUI - Benutzeroberfläche - - - User - Benutzer - - - Graphics Device - Grafikgerät - - - Width - Breite - - - Height - Höhe - - - Vblank Divider - Vblank-Teiler - - - Advanced - Erweitert - - - Enable Shaders Dumping - Shader-Dumping aktivieren - - - Enable NULL GPU - NULL GPU aktivieren - - - Paths - Pfad - - - Game Folders - Spieleordner - - - Add... - Hinzufügen... - - - Remove - Entfernen - - - Debug - Debug - - - Enable Debug Dumping - Debug-Dumping aktivieren - - - Enable Vulkan Validation Layers - Vulkan Validations-Ebenen aktivieren - - - Enable Vulkan Synchronization Validation - Vulkan Synchronisations-Validierung aktivieren - - - Enable RenderDoc Debugging - RenderDoc-Debugging aktivieren - - - Enable Crash Diagnostics - Absturz-Diagnostik aktivieren - - - Collect Shaders - Sammle Shader - - - Copy GPU Buffers - Kopiere GPU Puffer - - - Host Debug Markers - Host-Debug-Markierer - - - Guest Debug Markers - Guest-Debug-Markierer - - - Update - Aktualisieren - - - Check for Updates at Startup - Beim Start nach Updates suchen - - - Always Show Changelog - Changelog immer anzeigen - - - Update Channel - Update-Kanal - - - Check for Updates - Nach Updates suchen - - - GUI Settings - GUI-Einstellungen - - - Title Music - Titelmusik - - - Disable Trophy Pop-ups - Deaktiviere Trophäen Pop-ups - - - Play title music - Titelmusik abspielen - - - Update Compatibility Database On Startup - Aktualisiere Kompatibilitätsdatenbank beim Start - - - Game Compatibility - Spielkompatibilität - - - Display Compatibility Data - Zeige Kompatibilitätsdaten - - - Update Compatibility Database - Aktualisiere Kompatibilitätsdatenbank - - - Volume - Lautstärke - - - Audio Backend - Audio Backend - - - Save - Speichern - - - Apply - Übernehmen - - - Restore Defaults - Werkseinstellungen wiederherstellen - - - Close - Schließen - - - Point your mouse at an option to display its description. - Bewege die Maus über eine Option, um deren Beschreibung anzuzeigen. - - - consoleLanguageGroupBox - Konsolensprache:\nLegt die Sprache fest, die das PS4-Spiel verwendet.\nEs wird empfohlen, diese auf eine vom Spiel unterstützte Sprache einzustellen, die je nach Region unterschiedlich sein kann. - - - emulatorLanguageGroupBox - Emulatorsprache:\nLegt die Sprache der Emulator-Benutzeroberfläche fest. - - - fullscreenCheckBox - Vollbildmodus aktivieren:\nSchaltet das Spielfenster automatisch in den Vollbildmodus.\nKann durch Drücken der F11-Taste umgeschaltet werden. - - - separateUpdatesCheckBox - Separaten Update-Ordner aktivieren:\nErmöglicht die Installation von Spielaktualiserungen in einem separaten Ordner zur einfachen Verwaltung. - - - showSplashCheckBox - Startbildschirm anzeigen:\nZeigt beim Start einen speziellen Bildschirm (Splash) des Spiels an. - - - ps4proCheckBox - Ist es eine PS4 Pro:\nErmöglicht es dem Emulator, als PS4 PRO zu arbeiten, was in Spielen, die dies unterstützen, spezielle Funktionen aktivieren kann. - - - discordRPCCheckbox - Discord Rich Presence aktivieren:\nZeigt das Emulator-Icon und relevante Informationen in deinem Discord-Profil an. - - - userName - Benutzername:\nLegt den Namen des PS4-Kontos fest, der in einigen Spielen angezeigt werden kann. - - - TrophyKey - Trophäenschlüssel:\nSchlüssel zum Entschlüsseln von Trophäen. Muss von Ihrer gejailbreakten Konsole abgerufen werden.\nDarf nur Hex-Zeichen enthalten. - - - logTypeGroupBox - Protokolltyp:\nLegt fest, ob die Ausgabe des Protokollfensters synchronisiert wird, um die Leistung zu verbessern. Dies kann sich negativ auf die Emulation auswirken. - - - logFilter - Protokollfilter:\nFiltert das Protokoll so, dass nur bestimmte Informationen ausgegeben werden.\nBeispiele: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Ebenen: Trace, Debug, Info, Warning, Error, Critical - in dieser Reihenfolge, ein ausgewähltes Level blendet alle vorherigen Ebenen aus und zeigt alle nachfolgenden an. - - - updaterGroupBox - Update:\nRelease: Offizielle Builds, die monatlich veröffentlicht werden, können viel älter sein, aber stabiler und getestet.\nNightly: Entwickler-Builds, die die neuesten Funktionen und Fehlerbehebungen enthalten, aber Fehler enthalten und weniger stabil sein können. - - - GUIMusicGroupBox - Wiedergabe der Titelmusik:\nWenn das Spiel dies unterstützt, wird beim Auswählen des Spiels in der Benutzeroberfläche spezielle Musik abgespielt. - - - disableTrophycheckBox - Trophäen-Popups deaktivieren:\nDeaktivieren Sie Trophäenbenachrichtigungen im Spiel. Der Trophäenfortschritt kann weiterhin mit dem Trophäen-Viewer verfolgt werden (klicken Sie mit der rechten Maustaste auf das Spiel im Hauptfenster).. - - - hideCursorGroupBox - Maus ausblenden:\nWählen Sie, wann der Cursor verschwinden soll:\nNie: Sie sehen die Maus immer.\nInaktiv: Legen Sie eine Zeit fest, nach der sie nach Inaktivität verschwindet.\nImmer: Sie sehen die Maus niemals. - - - idleTimeoutGroupBox - Stellen Sie eine Zeit ein, nach der die Maus nach Inaktivität verschwinden soll. - - - backButtonBehaviorGroupBox - Zurück-Button Verhalten:\nStellt die Zurück-Taste des Controllers so ein, dass sie das Antippen der angegebenen Position auf dem PS4-Touchpad emuliert. - - - enableCompatibilityCheckBox - Kompatibilitätsdaten anzeigen:\nZeigt Spielkompatibilitätsinformationen in Tabellenansicht an. Aktivieren Sie „Aktualisiere Kompatibilitätsdatenbank beim Start“, um aktuelle Informationen zu erhalten. - - - checkCompatibilityOnStartupCheckBox - Kompatibilität beim Start aktualisieren:\nAktualisiert die Kompatibilitätsdatenbank automatisch, wenn shadPS4 startet. - - - updateCompatibilityButton - Aktualisiere Kompatibilitätsdatenbank:\nAktualisiere sofort die Kompatibilitätsdatenbank. - - - Never - Niemals - - - Idle - Im Leerlauf - - - Always - Immer - - - Touchpad Left - Touchpad Links - - - Touchpad Right - Touchpad Rechts - - - Touchpad Center - Touchpad Mitte - - - None - Keine - - - graphicsAdapterGroupBox - Grafikkarte:\nAuf Systemen mit mehreren GPUs wählen Sie aus einem Dropdown-Menü die GPU aus, die der Emulator verwenden wird,\noder wählen Sie "Auto Select", um sie automatisch auszuwählen. - - - resolutionLayout - Auflösung:\nLegt die Größe des Emulator-Fensters während der Wiedergabe fest, die während der Wiedergabe geändert werden kann.\nDies unterscheidet sich von der tatsächlichen Spielauflösung. - - - heightDivider - Framerate-Teiler:\nMultipliziert die Bildrate, mit der der Emulator aktualisiert wird, mit diesem Wert. Dies kann sich negativ auswirken, wie z.B. beschleunigtes Gameplay oder Funktionsstörungen! - - - dumpShadersCheckBox - Shader-Dumping aktivieren:\nZum technischen Debuggen speichert es die Shaders des Spiels in einem Ordner während der Wiedergabe. - - - nullGpuCheckBox - Virtuelle GPU aktivieren:\nFür das technische Debugging deaktiviert es die Spielanzeige, als ob keine Grafikkarte vorhanden wäre. - - - gameFoldersBox - Spieleordner:\nDie Liste der Ordner, in denen nach installierten Spielen gesucht wird. - - - addFolderButton - Hinzufügen:\nFügen Sie einen Ordner zur Liste hinzu. - - - removeFolderButton - Entfernen:\nEntfernen Sie einen Ordner aus der Liste. - - - debugDump - Debug-Dump aktivieren:\nSpeichert Import-/Exportsymbole und Headerinformationen des aktuellen PS4-Programms in einem Verzeichnis. - - - vkValidationCheckBox - Vulkan-Validierungsebenen aktivieren:\nAktiviert ein System, das den Zustand des Vulkan-Treibers validiert und Informationen über dessen internen Zustand protokolliert. Dies verringert die Leistung und kann möglicherweise das Verhalten der Emulation ändern. - - - vkSyncValidationCheckBox - Vulkan-Synchronisationsvalidierung aktivieren:\nAktiviert ein System, das die Zeitplanung der Rendering-Aufgaben von Vulkan validiert. Dies wird die Leistung verringern und kann möglicherweise das Verhalten der Emulation ändern. - - - rdocCheckBox - RenderDoc-Debugging aktivieren:\nWenn aktiviert, bietet der Emulator Kompatibilität mit Renderdoc zur Erfassung und Analyse des aktuell gerenderten Frames. - - - collectShaderCheckBox - Shader sammeln:\nSie müssen diese Option aktivieren, um Shader mit dem Debug-Menü (Strg + F10) bearbeiten zu können. - - - crashDiagnosticsCheckBox - Absturzdiagnose:\nErstellt eine .yaml-Datei mit Informationen über den Vulkan-Status zum Zeitpunkt des Absturzes.\nNützlich zum Debuggen von „Gerät verloren“-Fehlern. Wenn Sie dies aktiviert haben, sollten Sie Host- UND Gast-Debug-Markierungen aktivieren.\nFunktioniert nicht auf Intel-GPUs.\nDamit dies funktioniert, müssen Vulkan Validationsschichten aktiviert und das Vulkan SDK installiert sein. - - - copyGPUBuffersCheckBox - GPU-Puffer kopieren:\nUmgeht Race-Bedingungen mit GPU-Übermittlungen.\nKann bei PM4-Abstürzen vom Typ 0 hilfreich sein oder auch nicht. - - - hostMarkersCheckBox - Host-Debug-Marker:\nFügt emulatorseitige Informationen wie Marker für bestimmte AMDGPU-Befehle rund um Vulkan-Befehle ein und gibt Ressourcen-Debug-Namen an.\nWenn Sie dies aktiviert haben, sollten Sie die Absturzdiagnose aktivieren.\nNützlich für Programme wie RenderDoc. - - - guestMarkersCheckBox - Gast-Debug-Markierer:\nFügt alle Debug-Markierer, die das Spiel selbst hinzugefügt hat, in den Befehlspuffer ein.\nWenn Sie dies aktiviert haben, sollten Sie die Absturzdiagnose aktivieren.\nNützlich für Programme wie RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches für - - - defaultTextEdit_MSG - Cheats/Patches sind experimentell.\nVerwende sie mit Vorsicht.\n\nLade Cheats einzeln herunter, indem du das Repository auswählst und auf die Download-Schaltfläche klickst.\nAuf der Registerkarte Patches kannst du alle Patches auf einmal herunterladen, auswählen, welche du verwenden möchtest, und die Auswahl speichern.\n\nDa wir die Cheats/Patches nicht entwickeln,\nbitte melde Probleme an den Cheat-Autor.\n\nHast du einen neuen Cheat erstellt? Besuche:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Kein Bild verfügbar - - - Serial: - Seriennummer: - - - Version: - Version: - - - Size: - Größe: - - - Select Cheat File: - Cheat-Datei auswählen: - - - Repository: - Repository: - - - Download Cheats - Cheats herunterladen - - - Delete File - Datei löschen - - - No files selected. - Keine Dateien ausgewählt. - - - You can delete the cheats you don't want after downloading them. - Du kannst die Cheats, die du nicht möchtest, nach dem Herunterladen löschen. - - - Do you want to delete the selected file?\n%1 - Willst du die ausgewählte Datei löschen?\n%1 - - - Select Patch File: - Patch-Datei auswählen: - - - Download Patches - Patches herunterladen - - - Save - Speichern - - - Cheats - Cheats - - - Patches - Patches - - - Error - Fehler - - - No patch selected. - Kein Patch ausgewählt. - - - Unable to open files.json for reading. - Kann files.json nicht zum Lesen öffnen. - - - No patch file found for the current serial. - Keine Patch-Datei für die aktuelle Seriennummer gefunden. - - - Unable to open the file for reading. - Kann die Datei nicht zum Lesen öffnen. - - - Unable to open the file for writing. - Kann die Datei nicht zum Schreiben öffnen. - - - Failed to parse XML: - Fehler beim Parsen von XML: - - - Success - Erfolg - - - Options saved successfully. - Optionen erfolgreich gespeichert. - - - Invalid Source - Ungültige Quelle - - - The selected source is invalid. - Die ausgewählte Quelle ist ungültig. - - - File Exists - Datei existiert - - - File already exists. Do you want to replace it? - Datei existiert bereits. Möchtest du sie ersetzen? - - - Failed to save file: - Fehler beim Speichern der Datei: - - - Failed to download file: - Fehler beim Herunterladen der Datei: - - - Cheats Not Found - Cheats nicht gefunden - - - CheatsNotFound_MSG - Keine Cheats für dieses Spiel in dieser Version des gewählten Repositories gefunden. Versuche es mit einem anderen Repository oder einer anderen Version des Spiels. - - - Cheats Downloaded Successfully - Cheats erfolgreich heruntergeladen - - - CheatsDownloadedSuccessfully_MSG - Du hast erfolgreich Cheats für diese Version des Spiels aus dem gewählten Repository heruntergeladen. Du kannst auch versuchen, Cheats von einem anderen Repository herunterzuladen. Wenn verfügbar, kannst du sie auswählen, indem du die Datei aus der Liste auswählst. - - - Failed to save: - Speichern fehlgeschlagen: - - - Failed to download: - Herunterladen fehlgeschlagen: - - - Download Complete - Download abgeschlossen - - - DownloadComplete_MSG - Patches erfolgreich heruntergeladen! Alle Patches für alle Spiele wurden heruntergeladen, es ist nicht notwendig, sie einzeln für jedes Spiel herunterzuladen, wie es bei Cheats der Fall ist. Wenn der Patch nicht angezeigt wird, könnte es sein, dass er für die spezifische Seriennummer und Version des Spiels nicht existiert. - - - Failed to parse JSON data from HTML. - Fehler beim Parsen der JSON-Daten aus HTML. - - - Failed to retrieve HTML page. - Fehler beim Abrufen der HTML-Seite. - - - The game is in version: %1 - Das Spiel ist in der Version: %1 - - - The downloaded patch only works on version: %1 - Der heruntergeladene Patch funktioniert nur in der Version: %1 - - - You may need to update your game. - Sie müssen möglicherweise Ihr Spiel aktualisieren. - - - Incompatibility Notice - Inkompatibilitätsbenachrichtigung - - - Failed to open file: - Öffnung der Datei fehlgeschlagen: - - - XML ERROR: - XML-Fehler: - - - Failed to open files.json for writing - Kann files.json nicht zum Schreiben öffnen - - - Author: - Autor: - - - Directory does not exist: - Verzeichnis existiert nicht: - - - Failed to open files.json for reading. - Kann files.json nicht zum Lesen öffnen. - - - Name: - Name: - - - Can't apply cheats before the game is started - Kann keine Cheats anwenden, bevor das Spiel gestartet ist. - - - - GameListFrame - - Icon - Symbol - - - Name - Name - - - Serial - Seriennummer - - - Compatibility - Kompatibilität - - - Region - Region - - - Firmware - Firmware - - - Size - Größe - - - Version - Version - - - Path - Pfad - - - Play Time - Spielzeit - - - Never Played - Niemals gespielt - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Kompatibilität wurde noch nicht getested - - - Game does not initialize properly / crashes the emulator - Das Spiel wird nicht richtig initialisiert / stürzt den Emulator ab - - - Game boots, but only displays a blank screen - Spiel startet, aber zeigt nur einen blanken Bildschirm - - - Game displays an image but does not go past the menu - Spiel zeigt ein Bild aber geht nicht über das Menü hinaus - - - Game has game-breaking glitches or unplayable performance - Spiel hat spiel-brechende Störungen oder unspielbare Leistung - - - Game can be completed with playable performance and no major glitches - Spiel kann mit spielbarer Leistung und keinen großen Störungen abgeschlossen werden - - - Click to see details on github - Klicken Sie hier, um Details auf GitHub zu sehen - - - Last updated - Zuletzt aktualisiert - - - - CheckUpdate - - Auto Updater - Automatischer Aktualisierer - - - Error - Fehler - - - Network error: - Netzwerkfehler: - - - Error_Github_limit_MSG - Der Auto-Updater erlaubt bis zu 60 Update-Überprüfungen pro Stunde.\nDu hast dieses Limit erreicht. Bitte versuche es später erneut. - - - Failed to parse update information. - Fehler beim Parsen der Aktualisierungsinformationen. - - - No pre-releases found. - Keine Vorabveröffentlichungen gefunden. - - - Invalid release data. - Ungültige Versionsdaten. - - - No download URL found for the specified asset. - Keine Download-URL für das angegebene Asset gefunden. - - - Your version is already up to date! - Ihre Version ist bereits aktuell! - - - Update Available - Aktualisierung verfügbar - - - Update Channel - Update-Kanal - - - Current Version - Aktuelle Version - - - Latest Version - Neueste Version - - - Do you want to update? - Möchten Sie aktualisieren? - - - Show Changelog - Änderungsprotokoll anzeigen - - - Check for Updates at Startup - Beim Start nach Updates suchen - - - Update - Aktualisieren - - - No - Nein - - - Hide Changelog - Änderungsprotokoll ausblenden - - - Changes - Änderungen - - - Network error occurred while trying to access the URL - Beim Zugriff auf die URL ist ein Netzwerkfehler aufgetreten - - - Download Complete - Download abgeschlossen - - - The update has been downloaded, press OK to install. - Die Aktualisierung wurde heruntergeladen, drücken Sie OK, um zu installieren. - - - Failed to save the update file at - Fehler beim Speichern der Aktualisierungsdatei in - - - Starting Update... - Aktualisierung wird gestartet... - - - Failed to create the update script file - Fehler beim Erstellen der Aktualisierungs-Skriptdatei - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Lade Kompatibilitätsdaten, bitte warten - - - Cancel - Abbrechen - - - Loading... - Lädt... - - - Error - Fehler - - - Unable to update compatibility data! Try again later. - Kompatibilitätsdaten konnten nicht aktualisiert werden! Versuchen Sie es später erneut. - - - Unable to open compatibility_data.json for writing. - Kann compatibility_data.json nicht zum Schreiben öffnen. - - - Unknown - Unbekannt - - - Nothing - Nichts - - - Boots - Startet - - - Menus - Menüs - - - Ingame - ImSpiel - - - Playable - Spielbar - - - diff --git a/src/qt_gui/translations/de_DE.ts b/src/qt_gui/translations/de_DE.ts new file mode 100644 index 000000000..4a9ab1a8d --- /dev/null +++ b/src/qt_gui/translations/de_DE.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + Über shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 ist ein experimenteller Open-Source-Emulator für die Playstation 4. + + + This software should not be used to play games you have not legally obtained. + Diese Software soll nicht dazu benutzt werden illegal kopierte Spiele zu spielen. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches für + + + defaultTextEdit_MSG + Cheats/Patches sind experimentell.\nVerwende sie mit Vorsicht.\n\nLade Cheats einzeln herunter, indem du das Repository auswählst und auf die Download-Schaltfläche klickst.\nAuf der Registerkarte Patches kannst du alle Patches auf einmal herunterladen, auswählen, welche du verwenden möchtest, und die Auswahl speichern.\n\nDa wir die Cheats/Patches nicht entwickeln,\nbitte melde Probleme an den Cheat-Autor.\n\nHast du einen neuen Cheat erstellt? Besuche:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Kein Bild verfügbar + + + Serial: + Seriennummer: + + + Version: + Version: + + + Size: + Größe: + + + Select Cheat File: + Cheat-Datei auswählen: + + + Repository: + Repository: + + + Download Cheats + Cheats herunterladen + + + Delete File + Datei löschen + + + No files selected. + Keine Dateien ausgewählt. + + + You can delete the cheats you don't want after downloading them. + Du kannst die Cheats, die du nicht möchtest, nach dem Herunterladen löschen. + + + Do you want to delete the selected file?\n%1 + Willst du die ausgewählte Datei löschen?\n%1 + + + Select Patch File: + Patch-Datei auswählen: + + + Download Patches + Patches herunterladen + + + Save + Speichern + + + Cheats + Cheats + + + Patches + Patches + + + Error + Fehler + + + No patch selected. + Kein Patch ausgewählt. + + + Unable to open files.json for reading. + Kann files.json nicht zum Lesen öffnen. + + + No patch file found for the current serial. + Keine Patch-Datei für die aktuelle Seriennummer gefunden. + + + Unable to open the file for reading. + Kann die Datei nicht zum Lesen öffnen. + + + Unable to open the file for writing. + Kann die Datei nicht zum Schreiben öffnen. + + + Failed to parse XML: + Fehler beim Parsen von XML: + + + Success + Erfolg + + + Options saved successfully. + Optionen erfolgreich gespeichert. + + + Invalid Source + Ungültige Quelle + + + The selected source is invalid. + Die ausgewählte Quelle ist ungültig. + + + File Exists + Datei existiert + + + File already exists. Do you want to replace it? + Datei existiert bereits. Möchtest du sie ersetzen? + + + Failed to save file: + Fehler beim Speichern der Datei: + + + Failed to download file: + Fehler beim Herunterladen der Datei: + + + Cheats Not Found + Cheats nicht gefunden + + + CheatsNotFound_MSG + Keine Cheats für dieses Spiel in dieser Version des gewählten Repositories gefunden. Versuche es mit einem anderen Repository oder einer anderen Version des Spiels. + + + Cheats Downloaded Successfully + Cheats erfolgreich heruntergeladen + + + CheatsDownloadedSuccessfully_MSG + Du hast erfolgreich Cheats für diese Version des Spiels aus dem gewählten Repository heruntergeladen. Du kannst auch versuchen, Cheats von einem anderen Repository herunterzuladen. Wenn verfügbar, kannst du sie auswählen, indem du die Datei aus der Liste auswählst. + + + Failed to save: + Speichern fehlgeschlagen: + + + Failed to download: + Herunterladen fehlgeschlagen: + + + Download Complete + Download abgeschlossen + + + DownloadComplete_MSG + Patches erfolgreich heruntergeladen! Alle Patches für alle Spiele wurden heruntergeladen, es ist nicht notwendig, sie einzeln für jedes Spiel herunterzuladen, wie es bei Cheats der Fall ist. Wenn der Patch nicht angezeigt wird, könnte es sein, dass er für die spezifische Seriennummer und Version des Spiels nicht existiert. + + + Failed to parse JSON data from HTML. + Fehler beim Parsen der JSON-Daten aus HTML. + + + Failed to retrieve HTML page. + Fehler beim Abrufen der HTML-Seite. + + + The game is in version: %1 + Das Spiel ist in der Version: %1 + + + The downloaded patch only works on version: %1 + Der heruntergeladene Patch funktioniert nur in der Version: %1 + + + You may need to update your game. + Sie müssen möglicherweise Ihr Spiel aktualisieren. + + + Incompatibility Notice + Inkompatibilitätsbenachrichtigung + + + Failed to open file: + Öffnung der Datei fehlgeschlagen: + + + XML ERROR: + XML-Fehler: + + + Failed to open files.json for writing + Kann files.json nicht zum Schreiben öffnen + + + Author: + Autor: + + + Directory does not exist: + Verzeichnis existiert nicht: + + + Failed to open files.json for reading. + Kann files.json nicht zum Lesen öffnen. + + + Name: + Name: + + + Can't apply cheats before the game is started + Kann keine Cheats anwenden, bevor das Spiel gestartet ist. + + + Close + Schließen + + + + CheckUpdate + + Auto Updater + Automatischer Aktualisierer + + + Error + Fehler + + + Network error: + Netzwerkfehler: + + + Error_Github_limit_MSG + Der Auto-Updater erlaubt bis zu 60 Update-Überprüfungen pro Stunde.\nDu hast dieses Limit erreicht. Bitte versuche es später erneut. + + + Failed to parse update information. + Fehler beim Parsen der Aktualisierungsinformationen. + + + No pre-releases found. + Keine Vorabveröffentlichungen gefunden. + + + Invalid release data. + Ungültige Versionsdaten. + + + No download URL found for the specified asset. + Keine Download-URL für das angegebene Asset gefunden. + + + Your version is already up to date! + Ihre Version ist bereits aktuell! + + + Update Available + Aktualisierung verfügbar + + + Update Channel + Update-Kanal + + + Current Version + Aktuelle Version + + + Latest Version + Neueste Version + + + Do you want to update? + Möchten Sie aktualisieren? + + + Show Changelog + Änderungsprotokoll anzeigen + + + Check for Updates at Startup + Beim Start nach Updates suchen + + + Update + Aktualisieren + + + No + Nein + + + Hide Changelog + Änderungsprotokoll ausblenden + + + Changes + Änderungen + + + Network error occurred while trying to access the URL + Beim Zugriff auf die URL ist ein Netzwerkfehler aufgetreten + + + Download Complete + Download abgeschlossen + + + The update has been downloaded, press OK to install. + Die Aktualisierung wurde heruntergeladen, drücken Sie OK, um zu installieren. + + + Failed to save the update file at + Fehler beim Speichern der Aktualisierungsdatei in + + + Starting Update... + Aktualisierung wird gestartet... + + + Failed to create the update script file + Fehler beim Erstellen der Aktualisierungs-Skriptdatei + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Lade Kompatibilitätsdaten, bitte warten + + + Cancel + Abbrechen + + + Loading... + Lädt... + + + Error + Fehler + + + Unable to update compatibility data! Try again later. + Kompatibilitätsdaten konnten nicht aktualisiert werden! Versuchen Sie es später erneut. + + + Unable to open compatibility_data.json for writing. + Kann compatibility_data.json nicht zum Schreiben öffnen. + + + Unknown + Unbekannt + + + Nothing + Nichts + + + Boots + Startet + + + Menus + Menüs + + + Ingame + ImSpiel + + + Playable + Spielbar + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Ordner öffnen + + + + GameInfoClass + + Loading game list, please wait :3 + Lade Spielliste, bitte warten :3 + + + Cancel + Abbrechen + + + Loading... + Lade... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Wähle Ordner + + + Directory to install games + Installationsverzeichnis für Spiele + + + Browse + Durchsuchen + + + Error + Fehler + + + Directory to install DLC + + + + + GameListFrame + + Icon + Symbol + + + Name + Name + + + Serial + Seriennummer + + + Compatibility + Kompatibilität + + + Region + Region + + + Firmware + Firmware + + + Size + Größe + + + Version + Version + + + Path + Pfad + + + Play Time + Spielzeit + + + Never Played + Niemals gespielt + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Kompatibilität wurde noch nicht getested + + + Game does not initialize properly / crashes the emulator + Das Spiel wird nicht richtig initialisiert / stürzt den Emulator ab + + + Game boots, but only displays a blank screen + Spiel startet, aber zeigt nur einen blanken Bildschirm + + + Game displays an image but does not go past the menu + Spiel zeigt ein Bild aber geht nicht über das Menü hinaus + + + Game has game-breaking glitches or unplayable performance + Spiel hat spiel-brechende Störungen oder unspielbare Leistung + + + Game can be completed with playable performance and no major glitches + Spiel kann mit spielbarer Leistung und keinen großen Störungen abgeschlossen werden + + + Click to see details on github + Klicken Sie hier, um Details auf GitHub zu sehen + + + Last updated + Zuletzt aktualisiert + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Verknüpfung erstellen + + + Cheats / Patches + Cheats / Patches + + + SFO Viewer + SFO anzeigen + + + Trophy Viewer + Trophäen anzeigen + + + Open Folder... + Ordner öffnen... + + + Open Game Folder + Spielordner öffnen + + + Open Update Folder + Öffne Update-Ordner + + + Open Save Data Folder + Speicherordner öffnen + + + Open Log Folder + Protokollordner öffnen + + + Copy info... + Infos kopieren... + + + Copy Name + Namen kopieren + + + Copy Serial + Seriennummer kopieren + + + Copy Version + Version kopieren + + + Copy Size + Größe kopieren + + + Copy All + Alles kopieren + + + Delete... + Löschen... + + + Delete Game + Lösche Spiel + + + Delete Update + Lösche Aktualisierung + + + Delete Save Data + Lösche Speicherdaten + + + Delete DLC + Lösche DLC + + + Compatibility... + Kompatibilität... + + + Update database + Aktualisiere Datenbank + + + View report + Bericht ansehen + + + Submit a report + Einen Bericht einreichen + + + Shortcut creation + Verknüpfungserstellung + + + Shortcut created successfully! + Verknüpfung erfolgreich erstellt! + + + Error + Fehler + + + Error creating shortcut! + Fehler beim Erstellen der Verknüpfung! + + + Install PKG + PKG installieren + + + Game + Spiel + + + This game has no update to delete! + Dieses Spiel hat keine Aktualisierung zum löschen! + + + Update + Aktualisieren + + + This game has no DLC to delete! + Dieses Spiel hat kein DLC zum aktualisieren! + + + DLC + DLC + + + Delete %1 + Lösche %1 + + + Are you sure you want to delete %1's %2 directory? + Sind Sie sicher dass Sie %1 %2 Ordner löschen wollen? + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Wähle Ordner + + + Select which directory you want to install to. + Wählen Sie das Verzeichnis aus, in das Sie installieren möchten. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Elf-Ordner öffnen/hinzufügen + + + Install Packages (PKG) + Pakete installieren (PKG) + + + Boot Game + Spiel starten + + + Check for Updates + Nach Updates suchen + + + About shadPS4 + Über shadPS4 + + + Configure... + Konfigurieren... + + + Install application from a .pkg file + Installiere Anwendung aus .pkg-Datei + + + Recent Games + Zuletzt gespielt + + + Open shadPS4 Folder + Öffne shadPS4 Ordner + + + Exit + Beenden + + + Exit shadPS4 + shadPS4 beenden + + + Exit the application. + Die Anwendung beenden. + + + Show Game List + Spielliste anzeigen + + + Game List Refresh + Spielliste aktualisieren + + + Tiny + Winzig + + + Small + Klein + + + Medium + Mittel + + + Large + Groß + + + List View + Listenansicht + + + Grid View + Gitteransicht + + + Elf Viewer + Elf-Ansicht + + + Game Install Directory + Installationsverzeichnis für Spiele + + + Download Cheats/Patches + Cheats/Patches herunterladen + + + Dump Game List + Spielliste ausgeben + + + PKG Viewer + PKG-Anschauer + + + Search... + Suchen... + + + File + Datei + + + View + Ansicht + + + Game List Icons + Spiellisten-Symbole + + + Game List Mode + Spiellisten-Modus + + + Settings + Einstellungen + + + Utils + Werkzeuge + + + Themes + Stile + + + Help + Hilfe + + + Dark + Dunkel + + + Light + Hell + + + Green + Grün + + + Blue + Blau + + + Violet + Violett + + + toolBar + Werkzeugleiste + + + Game List + Spieleliste + + + * Unsupported Vulkan Version + * Nicht unterstützte Vulkan-Version + + + Download Cheats For All Installed Games + Cheats für alle installierten Spiele herunterladen + + + Download Patches For All Games + Patches für alle Spiele herunterladen + + + Download Complete + Download abgeschlossen + + + You have downloaded cheats for all the games you have installed. + Sie haben Cheats für alle installierten Spiele heruntergeladen. + + + Patches Downloaded Successfully! + Patches erfolgreich heruntergeladen! + + + All Patches available for all games have been downloaded. + Alle Patches für alle Spiele wurden heruntergeladen. + + + Games: + Spiele: + + + ELF files (*.bin *.elf *.oelf) + ELF-Dateien (*.bin *.elf *.oelf) + + + Game Boot + Spiel-Start + + + Only one file can be selected! + Es kann nur eine Datei ausgewählt werden! + + + PKG Extraction + PKG-Extraktion + + + Patch detected! + Patch erkannt! + + + PKG and Game versions match: + PKG- und Spielversionen stimmen überein: + + + Would you like to overwrite? + Willst du überschreiben? + + + PKG Version %1 is older than installed version: + PKG-Version %1 ist älter als die installierte Version: + + + Game is installed: + Spiel ist installiert: + + + Would you like to install Patch: + Willst du den Patch installieren: + + + DLC Installation + DLC-Installation + + + Would you like to install DLC: %1? + Willst du das DLC installieren: %1? + + + DLC already installed: + DLC bereits installiert: + + + Game already installed + Spiel bereits installiert + + + PKG ERROR + PKG-FEHLER + + + Extracting PKG %1/%2 + Extrahiere PKG %1/%2 + + + Extraction Finished + Extraktion abgeschlossen + + + Game successfully installed at %1 + Spiel erfolgreich installiert auf %1 + + + File doesn't appear to be a valid PKG file + Die Datei scheint keine gültige PKG-Datei zu sein + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Ordner öffnen + + + Name + Name + + + Serial + Seriennummer + + + Installed + + + + Size + Größe + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Pfad + + + File + Datei + + + PKG ERROR + PKG-FEHLER + + + Unknown + Unbekannt + + + Package + + + + + SettingsDialog + + Save Data Path + Speicherdaten-Pfad + + + Settings + Einstellungen + + + General + Allgemein + + + System + System + + + Console Language + Konsolensprache + + + Emulator Language + Emulatorsprache + + + Emulator + Emulator + + + Enable Fullscreen + Vollbild aktivieren + + + Fullscreen Mode + Vollbildmodus + + + Enable Separate Update Folder + Separaten Update-Ordner aktivieren + + + Default tab when opening settings + Standardregisterkarte beim Öffnen der Einstellungen + + + Show Game Size In List + Zeige Spielgröße in der Liste + + + Show Splash + Startbildschirm anzeigen + + + Enable Discord Rich Presence + Discord Rich Presence aktivieren + + + Username + Benutzername + + + Trophy Key + Trophäenschlüssel + + + Trophy + Trophäe + + + Logger + Logger + + + Log Type + Logtyp + + + Log Filter + Log-Filter + + + Open Log Location + Protokollspeicherort öffnen + + + Input + Eingabe + + + Enable Motion Controls + Aktiviere Bewegungssteuerung + + + Cursor + Cursor + + + Hide Cursor + Cursor ausblenden + + + Hide Cursor Idle Timeout + Inaktivitätszeitüberschreitung zum Ausblenden des Cursors + + + s + s + + + Controller + Controller + + + Back Button Behavior + Verhalten der Zurück-Taste + + + Graphics + Grafik + + + GUI + Benutzeroberfläche + + + User + Benutzer + + + Graphics Device + Grafikgerät + + + Width + Breite + + + Height + Höhe + + + Vblank Divider + Vblank-Teiler + + + Advanced + Erweitert + + + Enable Shaders Dumping + Shader-Dumping aktivieren + + + Enable NULL GPU + NULL GPU aktivieren + + + Paths + Pfad + + + Game Folders + Spieleordner + + + Add... + Hinzufügen... + + + Remove + Entfernen + + + Debug + Debug + + + Enable Debug Dumping + Debug-Dumping aktivieren + + + Enable Vulkan Validation Layers + Vulkan Validations-Ebenen aktivieren + + + Enable Vulkan Synchronization Validation + Vulkan Synchronisations-Validierung aktivieren + + + Enable RenderDoc Debugging + RenderDoc-Debugging aktivieren + + + Enable Crash Diagnostics + Absturz-Diagnostik aktivieren + + + Collect Shaders + Sammle Shader + + + Copy GPU Buffers + Kopiere GPU Puffer + + + Host Debug Markers + Host-Debug-Markierer + + + Guest Debug Markers + Guest-Debug-Markierer + + + Update + Aktualisieren + + + Check for Updates at Startup + Beim Start nach Updates suchen + + + Always Show Changelog + Changelog immer anzeigen + + + Update Channel + Update-Kanal + + + Check for Updates + Nach Updates suchen + + + GUI Settings + GUI-Einstellungen + + + Title Music + Titelmusik + + + Disable Trophy Pop-ups + Deaktiviere Trophäen Pop-ups + + + Play title music + Titelmusik abspielen + + + Update Compatibility Database On Startup + Aktualisiere Kompatibilitätsdatenbank beim Start + + + Game Compatibility + Spielkompatibilität + + + Display Compatibility Data + Zeige Kompatibilitätsdaten + + + Update Compatibility Database + Aktualisiere Kompatibilitätsdatenbank + + + Volume + Lautstärke + + + Save + Speichern + + + Apply + Übernehmen + + + Restore Defaults + Werkseinstellungen wiederherstellen + + + Close + Schließen + + + Point your mouse at an option to display its description. + Bewege die Maus über eine Option, um deren Beschreibung anzuzeigen. + + + consoleLanguageGroupBox + Konsolensprache:\nLegt die Sprache fest, die das PS4-Spiel verwendet.\nEs wird empfohlen, diese auf eine vom Spiel unterstützte Sprache einzustellen, die je nach Region unterschiedlich sein kann. + + + emulatorLanguageGroupBox + Emulatorsprache:\nLegt die Sprache der Emulator-Benutzeroberfläche fest. + + + fullscreenCheckBox + Vollbildmodus aktivieren:\nSchaltet das Spielfenster automatisch in den Vollbildmodus.\nKann durch Drücken der F11-Taste umgeschaltet werden. + + + separateUpdatesCheckBox + Separaten Update-Ordner aktivieren:\nErmöglicht die Installation von Spielaktualiserungen in einem separaten Ordner zur einfachen Verwaltung. + + + showSplashCheckBox + Startbildschirm anzeigen:\nZeigt beim Start einen speziellen Bildschirm (Splash) des Spiels an. + + + discordRPCCheckbox + Discord Rich Presence aktivieren:\nZeigt das Emulator-Icon und relevante Informationen in deinem Discord-Profil an. + + + userName + Benutzername:\nLegt den Namen des PS4-Kontos fest, der in einigen Spielen angezeigt werden kann. + + + TrophyKey + Trophäenschlüssel:\nSchlüssel zum Entschlüsseln von Trophäen. Muss von Ihrer gejailbreakten Konsole abgerufen werden.\nDarf nur Hex-Zeichen enthalten. + + + logTypeGroupBox + Protokolltyp:\nLegt fest, ob die Ausgabe des Protokollfensters synchronisiert wird, um die Leistung zu verbessern. Dies kann sich negativ auf die Emulation auswirken. + + + logFilter + Protokollfilter:\nFiltert das Protokoll so, dass nur bestimmte Informationen ausgegeben werden.\nBeispiele: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Ebenen: Trace, Debug, Info, Warning, Error, Critical - in dieser Reihenfolge, ein ausgewähltes Level blendet alle vorherigen Ebenen aus und zeigt alle nachfolgenden an. + + + updaterGroupBox + Update:\nRelease: Offizielle Builds, die monatlich veröffentlicht werden, können viel älter sein, aber stabiler und getestet.\nNightly: Entwickler-Builds, die die neuesten Funktionen und Fehlerbehebungen enthalten, aber Fehler enthalten und weniger stabil sein können. + + + GUIMusicGroupBox + Wiedergabe der Titelmusik:\nWenn das Spiel dies unterstützt, wird beim Auswählen des Spiels in der Benutzeroberfläche spezielle Musik abgespielt. + + + disableTrophycheckBox + Trophäen-Popups deaktivieren:\nDeaktivieren Sie Trophäenbenachrichtigungen im Spiel. Der Trophäenfortschritt kann weiterhin mit dem Trophäen-Viewer verfolgt werden (klicken Sie mit der rechten Maustaste auf das Spiel im Hauptfenster).. + + + hideCursorGroupBox + Maus ausblenden:\nWählen Sie, wann der Cursor verschwinden soll:\nNie: Sie sehen die Maus immer.\nInaktiv: Legen Sie eine Zeit fest, nach der sie nach Inaktivität verschwindet.\nImmer: Sie sehen die Maus niemals. + + + idleTimeoutGroupBox + Stellen Sie eine Zeit ein, nach der die Maus nach Inaktivität verschwinden soll. + + + backButtonBehaviorGroupBox + Zurück-Button Verhalten:\nStellt die Zurück-Taste des Controllers so ein, dass sie das Antippen der angegebenen Position auf dem PS4-Touchpad emuliert. + + + enableCompatibilityCheckBox + Kompatibilitätsdaten anzeigen:\nZeigt Spielkompatibilitätsinformationen in Tabellenansicht an. Aktivieren Sie „Aktualisiere Kompatibilitätsdatenbank beim Start“, um aktuelle Informationen zu erhalten. + + + checkCompatibilityOnStartupCheckBox + Kompatibilität beim Start aktualisieren:\nAktualisiert die Kompatibilitätsdatenbank automatisch, wenn shadPS4 startet. + + + updateCompatibilityButton + Aktualisiere Kompatibilitätsdatenbank:\nAktualisiere sofort die Kompatibilitätsdatenbank. + + + Never + Niemals + + + Idle + Im Leerlauf + + + Always + Immer + + + Touchpad Left + Touchpad Links + + + Touchpad Right + Touchpad Rechts + + + Touchpad Center + Touchpad Mitte + + + None + Keine + + + graphicsAdapterGroupBox + Grafikkarte:\nAuf Systemen mit mehreren GPUs wählen Sie aus einem Dropdown-Menü die GPU aus, die der Emulator verwenden wird,\noder wählen Sie "Auto Select", um sie automatisch auszuwählen. + + + resolutionLayout + Auflösung:\nLegt die Größe des Emulator-Fensters während der Wiedergabe fest, die während der Wiedergabe geändert werden kann.\nDies unterscheidet sich von der tatsächlichen Spielauflösung. + + + heightDivider + Framerate-Teiler:\nMultipliziert die Bildrate, mit der der Emulator aktualisiert wird, mit diesem Wert. Dies kann sich negativ auswirken, wie z.B. beschleunigtes Gameplay oder Funktionsstörungen! + + + dumpShadersCheckBox + Shader-Dumping aktivieren:\nZum technischen Debuggen speichert es die Shaders des Spiels in einem Ordner während der Wiedergabe. + + + nullGpuCheckBox + Virtuelle GPU aktivieren:\nFür das technische Debugging deaktiviert es die Spielanzeige, als ob keine Grafikkarte vorhanden wäre. + + + gameFoldersBox + Spieleordner:\nDie Liste der Ordner, in denen nach installierten Spielen gesucht wird. + + + addFolderButton + Hinzufügen:\nFügen Sie einen Ordner zur Liste hinzu. + + + removeFolderButton + Entfernen:\nEntfernen Sie einen Ordner aus der Liste. + + + debugDump + Debug-Dump aktivieren:\nSpeichert Import-/Exportsymbole und Headerinformationen des aktuellen PS4-Programms in einem Verzeichnis. + + + vkValidationCheckBox + Vulkan-Validierungsebenen aktivieren:\nAktiviert ein System, das den Zustand des Vulkan-Treibers validiert und Informationen über dessen internen Zustand protokolliert. Dies verringert die Leistung und kann möglicherweise das Verhalten der Emulation ändern. + + + vkSyncValidationCheckBox + Vulkan-Synchronisationsvalidierung aktivieren:\nAktiviert ein System, das die Zeitplanung der Rendering-Aufgaben von Vulkan validiert. Dies wird die Leistung verringern und kann möglicherweise das Verhalten der Emulation ändern. + + + rdocCheckBox + RenderDoc-Debugging aktivieren:\nWenn aktiviert, bietet der Emulator Kompatibilität mit Renderdoc zur Erfassung und Analyse des aktuell gerenderten Frames. + + + collectShaderCheckBox + Shader sammeln:\nSie müssen diese Option aktivieren, um Shader mit dem Debug-Menü (Strg + F10) bearbeiten zu können. + + + crashDiagnosticsCheckBox + Absturzdiagnose:\nErstellt eine .yaml-Datei mit Informationen über den Vulkan-Status zum Zeitpunkt des Absturzes.\nNützlich zum Debuggen von „Gerät verloren“-Fehlern. Wenn Sie dies aktiviert haben, sollten Sie Host- UND Gast-Debug-Markierungen aktivieren.\nFunktioniert nicht auf Intel-GPUs.\nDamit dies funktioniert, müssen Vulkan Validationsschichten aktiviert und das Vulkan SDK installiert sein. + + + copyGPUBuffersCheckBox + GPU-Puffer kopieren:\nUmgeht Race-Bedingungen mit GPU-Übermittlungen.\nKann bei PM4-Abstürzen vom Typ 0 hilfreich sein oder auch nicht. + + + hostMarkersCheckBox + Host-Debug-Marker:\nFügt emulatorseitige Informationen wie Marker für bestimmte AMDGPU-Befehle rund um Vulkan-Befehle ein und gibt Ressourcen-Debug-Namen an.\nWenn Sie dies aktiviert haben, sollten Sie die Absturzdiagnose aktivieren.\nNützlich für Programme wie RenderDoc. + + + guestMarkersCheckBox + Gast-Debug-Markierer:\nFügt alle Debug-Markierer, die das Spiel selbst hinzugefügt hat, in den Befehlspuffer ein.\nWenn Sie dies aktiviert haben, sollten Sie die Absturzdiagnose aktivieren.\nNützlich für Programme wie RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Browse + Durchsuchen + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Installationsverzeichnis für Spiele + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophäenansicht + + + diff --git a/src/qt_gui/translations/el.ts b/src/qt_gui/translations/el.ts deleted file mode 100644 index ad7bed9c1..000000000 --- a/src/qt_gui/translations/el.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Kodikí / Enimeróseis - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Άνοιγμα Φακέλου... - - - Open Game Folder - Άνοιγμα Φακέλου Παιχνιδιού - - - Open Save Data Folder - Άνοιγμα Φακέλου Αποθηκευμένων Δεδομένων - - - Open Log Folder - Άνοιγμα Φακέλου Καταγραφής - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Έλεγχος για ενημερώσεις - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Κατεβάστε Κωδικούς / Ενημερώσεις - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Βοήθεια - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Λίστα παιχνιδιών - - - * Unsupported Vulkan Version - * Μη υποστηριζόμενη έκδοση Vulkan - - - Download Cheats For All Installed Games - Λήψη Cheats για όλα τα εγκατεστημένα παιχνίδια - - - Download Patches For All Games - Λήψη Patches για όλα τα παιχνίδια - - - Download Complete - Η λήψη ολοκληρώθηκε - - - You have downloaded cheats for all the games you have installed. - Έχετε κατεβάσει cheats για όλα τα εγκατεστημένα παιχνίδια. - - - Patches Downloaded Successfully! - Τα Patches κατέβηκαν επιτυχώς! - - - All Patches available for all games have been downloaded. - Όλα τα διαθέσιμα Patches για όλα τα παιχνίδια έχουν κατέβει. - - - Games: - Παιχνίδια: - - - PKG File (*.PKG) - Αρχείο PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Αρχεία ELF (*.bin *.elf *.oelf) - - - Game Boot - Εκκίνηση παιχνιδιού - - - Only one file can be selected! - Μπορεί να επιλεγεί μόνο ένα αρχείο! - - - PKG Extraction - Εξαγωγή PKG - - - Patch detected! - Αναγνώριση ενημέρωσης! - - - PKG and Game versions match: - Οι εκδόσεις PKG και παιχνιδιού ταιριάζουν: - - - Would you like to overwrite? - Θέλετε να αντικαταστήσετε; - - - PKG Version %1 is older than installed version: - Η έκδοση PKG %1 είναι παλαιότερη από την εγκατεστημένη έκδοση: - - - Game is installed: - Το παιχνίδι είναι εγκατεστημένο: - - - Would you like to install Patch: - Θέλετε να εγκαταστήσετε την ενημέρωση: - - - DLC Installation - Εγκατάσταση DLC - - - Would you like to install DLC: %1? - Θέλετε να εγκαταστήσετε το DLC: %1; - - - DLC already installed: - DLC ήδη εγκατεστημένο: - - - Game already installed - Παιχνίδι ήδη εγκατεστημένο - - - PKG is a patch, please install the game first! - Το PKG είναι patch, παρακαλώ εγκαταστήστε πρώτα το παιχνίδι! - - - PKG ERROR - ΣΦΑΛΜΑ PKG - - - Extracting PKG %1/%2 - Εξαγωγή PKG %1/%2 - - - Extraction Finished - Η εξαγωγή ολοκληρώθηκε - - - Game successfully installed at %1 - Το παιχνίδι εγκαταστάθηκε επιτυχώς στο %1 - - - File doesn't appear to be a valid PKG file - Η αρχείο δεν φαίνεται να είναι έγκυρο αρχείο PKG - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Λειτουργία Πλήρους Οθόνης - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Προεπιλεγμένη καρτέλα κατά την ανοίγμα των ρυθμίσεων - - - Show Game Size In List - Εμφάνιση Μεγέθους Παιχνιδιού στη Λίστα - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Ενεργοποίηση Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Άνοιγμα τοποθεσίας αρχείου καταγραφής - - - Input - Είσοδος - - - Cursor - Δείκτης - - - Hide Cursor - Απόκρυψη δείκτη - - - Hide Cursor Idle Timeout - Χρόνος αδράνειας απόκρυψης δείκτη - - - s - s - - - Controller - Controller - - - Back Button Behavior - Συμπεριφορά κουμπιού επιστροφής - - - Graphics - Graphics - - - GUI - Διεπαφή - - - User - Χρήστης - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Διαδρομές - - - Game Folders - Φάκελοι παιχνιδιών - - - Add... - Προσθήκη... - - - Remove - Αφαίρεση - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Ενημέρωση - - - Check for Updates at Startup - Έλεγχος για ενημερώσεις κατά την εκκίνηση - - - Always Show Changelog - Πάντα εμφάνιση ιστορικού αλλαγών - - - Update Channel - Κανάλι Ενημέρωσης - - - Check for Updates - Έλεγχος για ενημερώσεις - - - GUI Settings - Ρυθμίσεις GUI - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Αναπαραγωγή μουσικής τίτλου - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - ένταση - - - Audio Backend - Audio Backend - - - Save - Αποθήκευση - - - Apply - Εφαρμογή - - - Restore Defaults - Επαναφορά Προεπιλογών - - - Close - Κλείσιμο - - - Point your mouse at an option to display its description. - Τοποθετήστε το ποντίκι σας πάνω σε μια επιλογή για να εμφανίσετε την περιγραφή της. - - - consoleLanguageGroupBox - Γλώσσα Κονσόλας:\nΡυθμίζει τη γλώσσα που θα χρησιμοποιήσει το παιχνίδι PS4.\nΣυνιστάται να επιλέξετε μία από τις γλώσσες που υποστηρίζονται από το παιχνίδι, η οποία ενδέχεται να διαφέρει ανάλογα με την περιοχή. - - - emulatorLanguageGroupBox - Γλώσσα Εξομοιωτή:\nΡυθμίζει τη γλώσσα του γραφικού περιβάλλοντος του εξομοιωτή. - - - fullscreenCheckBox - Ενεργοποίηση Πλήρους Οθόνης:\nΑυτόματα μετατρέπει το παράθυρο του παιχνιδιού σε λειτουργία πλήρους οθόνης.\nΜπορεί να ενεργοποιηθεί/απενεργοποιηθεί πατώντας το πλήκτρο F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Εμφάνιση Splash Screen:\nΕμφανίζει ειδική γραφική οθόνη κατά την εκκίνηση. - - - ps4proCheckBox - Είναι PS4 Pro:\nΕπιτρέπει στον εξομοιωτή να λειτουργεί σαν PS4 PRO, κάτι που μπορεί να ενεργοποιήσει συγκεκριμένες λειτουργίες σε παιχνίδια που το υποστηρίζουν. - - - discordRPCCheckbox - Ενεργοποίηση Discord Rich Presence:\nΕμφανίζει το εικονίδιο του emulator και σχετικές πληροφορίες στο προφίλ σας στο Discord. - - - userName - Όνομα Χρήστη:\nΟρίζει το όνομα του λογαριασμού PS4, το οποίο μπορεί να εμφανιστεί σε ορισμένα παιχνίδια. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Τύπος Καταγραφής:\nΚαθορίζει αν η έξοδος του παραθύρου καταγραφής θα συγχρονιστεί για αύξηση της απόδοσης. Αυτό μπορεί να επηρεάσει αρνητικά τις επιδόσεις του εξομοιωτή. - - - logFilter - Φίλτρο Καταγραφής:\nΦιλτράρει τις καταγραφές ώστε να εκτυπώνονται μόνο συγκεκριμένες πληροφορίες.\nΠαραδείγματα: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Επίπεδα: Trace, Debug, Info, Warning, Error, Critical - με τη σειρά αυτή, κάθε επίπεδο που επιλέγεται αποκλείει τα προηγούμενα και εμφανίζει τα επόμενα επίπεδα. - - - updaterGroupBox - Ενημερώσεις:\nRelease: Επίσημες εκδόσεις που κυκλοφορούν μηνιαίως, είναι παλαιότερες αλλά πιο σταθερές και δοκιμασμένες.\nNightly: Εκδόσεις προγραμματιστών με νέες δυνατότητες και διορθώσεις, αλλά μπορεί να περιέχουν σφάλματα και να είναι λιγότερο σταθερές. - - - GUIMusicGroupBox - Αναπαραγωγή Μουσικής Τίτλων:\nΕάν το παιχνίδι το υποστηρίζει, ενεργοποιεί ειδική μουσική κατά την επιλογή του παιχνιδιού από τη διεπαφή χρήστη. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Απόκρυψη Κέρσορα:\nΕπιλέξτε πότε θα εξαφανιστεί ο κέρσορας:\nΠοτέ: θα βλέπετε πάντα το ποντίκι.\nΑδρανές: ορίστε έναν χρόνο για να εξαφανιστεί μετά από αδράνεια.\nΠάντα: δεν θα δείτε ποτέ το ποντίκι. - - - idleTimeoutGroupBox - Ορίστε έναν χρόνο για να εξαφανιστεί το ποντίκι μετά από αδράνεια. - - - backButtonBehaviorGroupBox - Συμπεριφορά Κουμπιού Επιστροφής:\nΟρίζει το κουμπί επιστροφής του ελεγκτή να προσομοιώνει το πάτημα της καθορισμένης θέσης στην οθόνη αφής PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Ποτέ - - - Idle - Αδρανής - - - Always - Πάντα - - - Touchpad Left - Touchpad Αριστερά - - - Touchpad Right - Touchpad Δεξιά - - - Touchpad Center - Κέντρο Touchpad - - - None - Κανένα - - - graphicsAdapterGroupBox - Προσαρμογέας Γραφικών:\nΣε συστήματα με πολλές GPU, επιλέξτε από το μενού την GPU που θα χρησιμοποιήσει ο εξομοιωτής,\nή επιλέξτε "Auto Select" για αυτόματη επιλογή. - - - resolutionLayout - Ανάλυση Οθόνης:\nΚαθορίζει το μέγεθος του παραθύρου του εξομοιωτή κατά την αναπαραγωγή, το οποίο μπορεί να αλλάξει κατά τη διάρκεια του παιχνιδιού.\nΑυτό είναι διαφορετικό από την ανάλυση του ίδιου του παιχνιδιού. - - - heightDivider - Διαιρέτης Συχνότητας Ανανέωσης:\nΠολλαπλασιάζει τον ρυθμό με τον οποίο ο εξομοιωτής ενημερώνει την εικόνα με αυτόν τον αριθμό. Η αλλαγή αυτής της ρύθμισης μπορεί να έχει αρνητικές επιπτώσεις, όπως ταχύτερο παιχνίδι ή σπασμένες λειτουργίες! - - - dumpShadersCheckBox - Ενεργοποίηση Καταγραφής Σκιάσεων (Shaders):\nΓια τεχνικό εντοπισμό σφαλμάτων, αποθηκεύει τις σκιάσεις του παιχνιδιού σε φάκελο κατά τη διάρκεια της αναπαραγωγής. - - - nullGpuCheckBox - Ενεργοποίηση Εικονικής GPU:\nΓια τεχνικό εντοπισμό σφαλμάτων, απενεργοποιεί την εμφάνιση του παιχνιδιού σαν να μην υπάρχει κάρτα γραφικών. - - - gameFoldersBox - Φάκελοι Παιχνιδιών:\nΗ λίστα των φακέλων για έλεγχο των εγκατεστημένων παιχνιδιών. - - - addFolderButton - Προσθήκη:\nΠροσθέστε έναν φάκελο στη λίστα. - - - removeFolderButton - Αφαίρεση:\nΑφαιρέστε έναν φάκελο από τη λίστα. - - - debugDump - Ενεργοποίηση Καταγραφής Αποσφαλμάτωσης:\nΑποθηκεύει τα σύμβολα εισαγωγής/εξαγωγής και τις κεφαλίδες πληροφοριών του τρέχοντος προγράμματος PS4 σε έναν φάκελο. - - - vkValidationCheckBox - Ενεργοποίηση Επικύρωσης Vulkan:\nΕνεργοποιεί ένα σύστημα που επικυρώνει την κατάσταση του προγράμματος οδήγησης Vulkan και καταγράφει πληροφορίες για την εσωτερική του κατάσταση. Αυτό θα μειώσει την απόδοση και ενδέχεται να αλλάξει τη συμπεριφορά του εξομοιωτή. - - - vkSyncValidationCheckBox - Ενεργοποίηση Επικύρωσης Συγχρονισμού Vulkan:\nΕνεργοποιεί ένα σύστημα που επικυρώνει τον συγχρονισμό των εργασιών απόδοσης του Vulkan. Αυτό θα μειώσει την απόδοση και ενδέχεται να αλλάξει τη συμπεριφορά του εξομοιωτή. - - - rdocCheckBox - Ενεργοποίηση Καταγραφής RenderDoc:\nΌταν είναι ενεργοποιημένο, ο εξομοιωτής είναι συμβατός με το RenderDoc για τη λήψη και ανάλυση του τρέχοντος καρέ. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Οι cheats/patches είναι πειραματικά.\nΧρησιμοποιήστε τα με προσοχή.\n\nΚατεβάστε τους cheats μεμονωμένα επιλέγοντας το αποθετήριο και κάνοντας κλικ στο κουμπί λήψης.\nΣτην καρτέλα Patches, μπορείτε να κατεβάσετε όλα τα patches ταυτόχρονα, να επιλέξετε ποια θέλετε να χρησιμοποιήσετε και να αποθηκεύσετε την επιλογή.\n\nΔεδομένου ότι δεν αναπτύσσουμε τους cheats/patches,\nπαρακαλώ αναφέρετε προβλήματα στον δημιουργό του cheat.\n\nΔημιουργήσατε ένα νέο cheat; Επισκεφθείτε:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Δεν διατίθεται εικόνα - - - Serial: - Σειριακός αριθμός: - - - Version: - Έκδοση: - - - Size: - Μέγεθος: - - - Select Cheat File: - Επιλέξτε αρχείο Cheat: - - - Repository: - Αποθετήριο: - - - Download Cheats - Λήψη Cheats - - - Delete File - Διαγραφή αρχείου - - - No files selected. - Δεν έχουν επιλεγεί αρχεία. - - - You can delete the cheats you don't want after downloading them. - Μπορείτε να διαγράψετε τα cheats που δεν θέλετε μετά τη λήψη τους. - - - Do you want to delete the selected file?\n%1 - Θέλετε να διαγράψετε το επιλεγμένο αρχείο;\n%1 - - - Select Patch File: - Επιλέξτε αρχείο Patch: - - - Download Patches - Λήψη Patches - - - Save - Αποθήκευση - - - Cheats - Cheats - - - Patches - Patches - - - Error - Σφάλμα - - - No patch selected. - Δεν έχει επιλεγεί κανένα patch. - - - Unable to open files.json for reading. - Αδυναμία ανοίγματος του files.json για ανάγνωση. - - - No patch file found for the current serial. - Δεν βρέθηκε αρχείο patch για τον τρέχοντα σειριακό αριθμό. - - - Unable to open the file for reading. - Αδυναμία ανοίγματος του αρχείου για ανάγνωση. - - - Unable to open the file for writing. - Αδυναμία ανοίγματος του αρχείου για εγγραφή. - - - Failed to parse XML: - Αποτυχία ανάλυσης XML: - - - Success - Επιτυχία - - - Options saved successfully. - Οι ρυθμίσεις αποθηκεύτηκαν επιτυχώς. - - - Invalid Source - Μη έγκυρη Πηγή - - - The selected source is invalid. - Η επιλεγμένη πηγή είναι μη έγκυρη. - - - File Exists - Η αρχείο υπάρχει - - - File already exists. Do you want to replace it? - Η αρχείο υπάρχει ήδη. Θέλετε να την αντικαταστήσετε; - - - Failed to save file: - Αποτυχία αποθήκευσης αρχείου: - - - Failed to download file: - Αποτυχία λήψης αρχείου: - - - Cheats Not Found - Δεν βρέθηκαν Cheats - - - CheatsNotFound_MSG - Δεν βρέθηκαν cheats για αυτό το παιχνίδι στην τρέχουσα έκδοση του επιλεγμένου αποθετηρίου. Δοκιμάστε να κατεβάσετε από άλλο αποθετήριο ή άλλη έκδοση του παιχνιδιού. - - - Cheats Downloaded Successfully - Cheats κατεβάστηκαν επιτυχώς - - - CheatsDownloadedSuccessfully_MSG - Κατεβάσατε επιτυχώς cheats για αυτή την έκδοση του παιχνιδιού από το επιλεγμένο αποθετήριο. Μπορείτε να δοκιμάσετε να κατεβάσετε από άλλο αποθετήριο. Αν είναι διαθέσιμο, μπορείτε να το επιλέξετε επιλέγοντας το αρχείο από τη λίστα. - - - Failed to save: - Αποτυχία αποθήκευσης: - - - Failed to download: - Αποτυχία λήψης: - - - Download Complete - Η λήψη ολοκληρώθηκε - - - DownloadComplete_MSG - Τα Patches κατεβάστηκαν επιτυχώς! Όλα τα Patches για όλα τα παιχνίδια έχουν κατέβει, δεν είναι απαραίτητο να τα κατεβάσετε ένα-ένα για κάθε παιχνίδι, όπως με τα Cheats. Εάν η ενημέρωση δεν εμφανίζεται, μπορεί να μην υπάρχει για τον συγκεκριμένο σειριακό αριθμό και έκδοση του παιχνιδιού. - - - Failed to parse JSON data from HTML. - Αποτυχία ανάλυσης δεδομένων JSON από HTML. - - - Failed to retrieve HTML page. - Αποτυχία ανάκτησης σελίδας HTML. - - - The game is in version: %1 - Το παιχνίδι είναι στην έκδοση: %1 - - - The downloaded patch only works on version: %1 - Η ληφθείσα ενημέρωση λειτουργεί μόνο στην έκδοση: %1 - - - You may need to update your game. - Μπορεί να χρειαστεί να ενημερώσετε το παιχνίδι σας. - - - Incompatibility Notice - Ειδοποίηση ασυμβατότητας - - - Failed to open file: - Αποτυχία ανοίγματος αρχείου: - - - XML ERROR: - ΣΦΑΛΜΑ XML: - - - Failed to open files.json for writing - Αποτυχία ανοίγματος του files.json για εγγραφή - - - Author: - Συγγραφέας: - - - Directory does not exist: - Ο φάκελος δεν υπάρχει: - - - Failed to open files.json for reading. - Αποτυχία ανοίγματος του files.json για ανάγνωση. - - - Name: - Όνομα: - - - Can't apply cheats before the game is started - Δεν μπορείτε να εφαρμόσετε cheats πριν ξεκινήσει το παιχνίδι. - - - - GameListFrame - - Icon - Εικονίδιο - - - Name - Όνομα - - - Serial - Σειριακός αριθμός - - - Compatibility - Compatibility - - - Region - Περιοχή - - - Firmware - Λογισμικό - - - Size - Μέγεθος - - - Version - Έκδοση - - - Path - Διαδρομή - - - Play Time - Χρόνος παιχνιδιού - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Κάντε κλικ για να δείτε λεπτομέρειες στο GitHub - - - Last updated - Τελευταία ενημέρωση - - - - CheckUpdate - - Auto Updater - Αυτόματος Ενημερωτής - - - Error - Σφάλμα - - - Network error: - Σφάλμα δικτύου: - - - Error_Github_limit_MSG - Ο Αυτόματος Ενημερωτής επιτρέπει έως και 60 ελέγχους ενημερώσεων ανά ώρα.\nΈχετε φτάσει αυτό το όριο. Παρακαλώ δοκιμάστε ξανά αργότερα. - - - Failed to parse update information. - Αποτυχία ανάλυσης πληροφοριών ενημέρωσης. - - - No pre-releases found. - Δεν βρέθηκαν προ-κυκλοφορίες. - - - Invalid release data. - Μη έγκυρα δεδομένα έκδοσης. - - - No download URL found for the specified asset. - Δεν βρέθηκε URL λήψης για το συγκεκριμένο στοιχείο. - - - Your version is already up to date! - Η έκδοσή σας είναι ήδη ενημερωμένη! - - - Update Available - Διαθέσιμη Ενημέρωση - - - Update Channel - Κανάλι Ενημέρωσης - - - Current Version - Τρέχουσα Έκδοση - - - Latest Version - Τελευταία Έκδοση - - - Do you want to update? - Θέλετε να ενημερώσετε; - - - Show Changelog - Εμφάνιση Ιστορικού Αλλαγών - - - Check for Updates at Startup - Έλεγχος για ενημερώσεις κατά την εκκίνηση - - - Update - Ενημέρωση - - - No - Όχι - - - Hide Changelog - Απόκρυψη Ιστορικού Αλλαγών - - - Changes - Αλλαγές - - - Network error occurred while trying to access the URL - Σφάλμα δικτύου κατά την προσπάθεια πρόσβασης στη διεύθυνση URL - - - Download Complete - Λήψη ολοκληρώθηκε - - - The update has been downloaded, press OK to install. - Η ενημέρωση έχει ληφθεί, πατήστε OK για να εγκαταστήσετε. - - - Failed to save the update file at - Αποτυχία αποθήκευσης του αρχείου ενημέρωσης στο - - - Starting Update... - Εκκίνηση Ενημέρωσης... - - - Failed to create the update script file - Αποτυχία δημιουργίας του αρχείου σεναρίου ενημέρωσης - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Φόρτωση δεδομένων συμβατότητας, παρακαλώ περιμένετε - - - Cancel - Ακύρωση - - - Loading... - Φόρτωση... - - - Error - Σφάλμα - - - Unable to update compatibility data! Try again later. - Δεν ήταν δυνατή η ενημέρωση των δεδομένων συμβατότητας! Προσπαθήστε αργότερα. - - - Unable to open compatibility_data.json for writing. - Αδύνατο να ανοίξετε το compatibility_data.json για εγγραφή. - - - Unknown - Άγνωστο - - - Nothing - Τίποτα - - - Boots - Μπότες - - - Menus - Μενού - - - Ingame - Εντός παιχνιδιού - - - Playable - Παιχνιδεύσιμο - - - diff --git a/src/qt_gui/translations/el_GR.ts b/src/qt_gui/translations/el_GR.ts new file mode 100644 index 000000000..8c1c9517d --- /dev/null +++ b/src/qt_gui/translations/el_GR.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Οι cheats/patches είναι πειραματικά.\nΧρησιμοποιήστε τα με προσοχή.\n\nΚατεβάστε τους cheats μεμονωμένα επιλέγοντας το αποθετήριο και κάνοντας κλικ στο κουμπί λήψης.\nΣτην καρτέλα Patches, μπορείτε να κατεβάσετε όλα τα patches ταυτόχρονα, να επιλέξετε ποια θέλετε να χρησιμοποιήσετε και να αποθηκεύσετε την επιλογή.\n\nΔεδομένου ότι δεν αναπτύσσουμε τους cheats/patches,\nπαρακαλώ αναφέρετε προβλήματα στον δημιουργό του cheat.\n\nΔημιουργήσατε ένα νέο cheat; Επισκεφθείτε:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Δεν διατίθεται εικόνα + + + Serial: + Σειριακός αριθμός: + + + Version: + Έκδοση: + + + Size: + Μέγεθος: + + + Select Cheat File: + Επιλέξτε αρχείο Cheat: + + + Repository: + Αποθετήριο: + + + Download Cheats + Λήψη Cheats + + + Delete File + Διαγραφή αρχείου + + + No files selected. + Δεν έχουν επιλεγεί αρχεία. + + + You can delete the cheats you don't want after downloading them. + Μπορείτε να διαγράψετε τα cheats που δεν θέλετε μετά τη λήψη τους. + + + Do you want to delete the selected file?\n%1 + Θέλετε να διαγράψετε το επιλεγμένο αρχείο;\n%1 + + + Select Patch File: + Επιλέξτε αρχείο Patch: + + + Download Patches + Λήψη Patches + + + Save + Αποθήκευση + + + Cheats + Cheats + + + Patches + Patches + + + Error + Σφάλμα + + + No patch selected. + Δεν έχει επιλεγεί κανένα patch. + + + Unable to open files.json for reading. + Αδυναμία ανοίγματος του files.json για ανάγνωση. + + + No patch file found for the current serial. + Δεν βρέθηκε αρχείο patch για τον τρέχοντα σειριακό αριθμό. + + + Unable to open the file for reading. + Αδυναμία ανοίγματος του αρχείου για ανάγνωση. + + + Unable to open the file for writing. + Αδυναμία ανοίγματος του αρχείου για εγγραφή. + + + Failed to parse XML: + Αποτυχία ανάλυσης XML: + + + Success + Επιτυχία + + + Options saved successfully. + Οι ρυθμίσεις αποθηκεύτηκαν επιτυχώς. + + + Invalid Source + Μη έγκυρη Πηγή + + + The selected source is invalid. + Η επιλεγμένη πηγή είναι μη έγκυρη. + + + File Exists + Η αρχείο υπάρχει + + + File already exists. Do you want to replace it? + Η αρχείο υπάρχει ήδη. Θέλετε να την αντικαταστήσετε; + + + Failed to save file: + Αποτυχία αποθήκευσης αρχείου: + + + Failed to download file: + Αποτυχία λήψης αρχείου: + + + Cheats Not Found + Δεν βρέθηκαν Cheats + + + CheatsNotFound_MSG + Δεν βρέθηκαν cheats για αυτό το παιχνίδι στην τρέχουσα έκδοση του επιλεγμένου αποθετηρίου. Δοκιμάστε να κατεβάσετε από άλλο αποθετήριο ή άλλη έκδοση του παιχνιδιού. + + + Cheats Downloaded Successfully + Cheats κατεβάστηκαν επιτυχώς + + + CheatsDownloadedSuccessfully_MSG + Κατεβάσατε επιτυχώς cheats για αυτή την έκδοση του παιχνιδιού από το επιλεγμένο αποθετήριο. Μπορείτε να δοκιμάσετε να κατεβάσετε από άλλο αποθετήριο. Αν είναι διαθέσιμο, μπορείτε να το επιλέξετε επιλέγοντας το αρχείο από τη λίστα. + + + Failed to save: + Αποτυχία αποθήκευσης: + + + Failed to download: + Αποτυχία λήψης: + + + Download Complete + Η λήψη ολοκληρώθηκε + + + DownloadComplete_MSG + Τα Patches κατεβάστηκαν επιτυχώς! Όλα τα Patches για όλα τα παιχνίδια έχουν κατέβει, δεν είναι απαραίτητο να τα κατεβάσετε ένα-ένα για κάθε παιχνίδι, όπως με τα Cheats. Εάν η ενημέρωση δεν εμφανίζεται, μπορεί να μην υπάρχει για τον συγκεκριμένο σειριακό αριθμό και έκδοση του παιχνιδιού. + + + Failed to parse JSON data from HTML. + Αποτυχία ανάλυσης δεδομένων JSON από HTML. + + + Failed to retrieve HTML page. + Αποτυχία ανάκτησης σελίδας HTML. + + + The game is in version: %1 + Το παιχνίδι είναι στην έκδοση: %1 + + + The downloaded patch only works on version: %1 + Η ληφθείσα ενημέρωση λειτουργεί μόνο στην έκδοση: %1 + + + You may need to update your game. + Μπορεί να χρειαστεί να ενημερώσετε το παιχνίδι σας. + + + Incompatibility Notice + Ειδοποίηση ασυμβατότητας + + + Failed to open file: + Αποτυχία ανοίγματος αρχείου: + + + XML ERROR: + ΣΦΑΛΜΑ XML: + + + Failed to open files.json for writing + Αποτυχία ανοίγματος του files.json για εγγραφή + + + Author: + Συγγραφέας: + + + Directory does not exist: + Ο φάκελος δεν υπάρχει: + + + Failed to open files.json for reading. + Αποτυχία ανοίγματος του files.json για ανάγνωση. + + + Name: + Όνομα: + + + Can't apply cheats before the game is started + Δεν μπορείτε να εφαρμόσετε cheats πριν ξεκινήσει το παιχνίδι. + + + Close + Κλείσιμο + + + + CheckUpdate + + Auto Updater + Αυτόματος Ενημερωτής + + + Error + Σφάλμα + + + Network error: + Σφάλμα δικτύου: + + + Error_Github_limit_MSG + Ο Αυτόματος Ενημερωτής επιτρέπει έως και 60 ελέγχους ενημερώσεων ανά ώρα.\nΈχετε φτάσει αυτό το όριο. Παρακαλώ δοκιμάστε ξανά αργότερα. + + + Failed to parse update information. + Αποτυχία ανάλυσης πληροφοριών ενημέρωσης. + + + No pre-releases found. + Δεν βρέθηκαν προ-κυκλοφορίες. + + + Invalid release data. + Μη έγκυρα δεδομένα έκδοσης. + + + No download URL found for the specified asset. + Δεν βρέθηκε URL λήψης για το συγκεκριμένο στοιχείο. + + + Your version is already up to date! + Η έκδοσή σας είναι ήδη ενημερωμένη! + + + Update Available + Διαθέσιμη Ενημέρωση + + + Update Channel + Κανάλι Ενημέρωσης + + + Current Version + Τρέχουσα Έκδοση + + + Latest Version + Τελευταία Έκδοση + + + Do you want to update? + Θέλετε να ενημερώσετε; + + + Show Changelog + Εμφάνιση Ιστορικού Αλλαγών + + + Check for Updates at Startup + Έλεγχος για ενημερώσεις κατά την εκκίνηση + + + Update + Ενημέρωση + + + No + Όχι + + + Hide Changelog + Απόκρυψη Ιστορικού Αλλαγών + + + Changes + Αλλαγές + + + Network error occurred while trying to access the URL + Σφάλμα δικτύου κατά την προσπάθεια πρόσβασης στη διεύθυνση URL + + + Download Complete + Λήψη ολοκληρώθηκε + + + The update has been downloaded, press OK to install. + Η ενημέρωση έχει ληφθεί, πατήστε OK για να εγκαταστήσετε. + + + Failed to save the update file at + Αποτυχία αποθήκευσης του αρχείου ενημέρωσης στο + + + Starting Update... + Εκκίνηση Ενημέρωσης... + + + Failed to create the update script file + Αποτυχία δημιουργίας του αρχείου σεναρίου ενημέρωσης + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Φόρτωση δεδομένων συμβατότητας, παρακαλώ περιμένετε + + + Cancel + Ακύρωση + + + Loading... + Φόρτωση... + + + Error + Σφάλμα + + + Unable to update compatibility data! Try again later. + Δεν ήταν δυνατή η ενημέρωση των δεδομένων συμβατότητας! Προσπαθήστε αργότερα. + + + Unable to open compatibility_data.json for writing. + Αδύνατο να ανοίξετε το compatibility_data.json για εγγραφή. + + + Unknown + Άγνωστο + + + Nothing + Τίποτα + + + Boots + Μπότες + + + Menus + Μενού + + + Ingame + Εντός παιχνιδιού + + + Playable + Παιχνιδεύσιμο + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Εικονίδιο + + + Name + Όνομα + + + Serial + Σειριακός αριθμός + + + Compatibility + Compatibility + + + Region + Περιοχή + + + Firmware + Λογισμικό + + + Size + Μέγεθος + + + Version + Έκδοση + + + Path + Διαδρομή + + + Play Time + Χρόνος παιχνιδιού + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Κάντε κλικ για να δείτε λεπτομέρειες στο GitHub + + + Last updated + Τελευταία ενημέρωση + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Kodikí / Enimeróseis + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Άνοιγμα Φακέλου... + + + Open Game Folder + Άνοιγμα Φακέλου Παιχνιδιού + + + Open Save Data Folder + Άνοιγμα Φακέλου Αποθηκευμένων Δεδομένων + + + Open Log Folder + Άνοιγμα Φακέλου Καταγραφής + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Έλεγχος για ενημερώσεις + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Κατεβάστε Κωδικούς / Ενημερώσεις + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Βοήθεια + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Λίστα παιχνιδιών + + + * Unsupported Vulkan Version + * Μη υποστηριζόμενη έκδοση Vulkan + + + Download Cheats For All Installed Games + Λήψη Cheats για όλα τα εγκατεστημένα παιχνίδια + + + Download Patches For All Games + Λήψη Patches για όλα τα παιχνίδια + + + Download Complete + Η λήψη ολοκληρώθηκε + + + You have downloaded cheats for all the games you have installed. + Έχετε κατεβάσει cheats για όλα τα εγκατεστημένα παιχνίδια. + + + Patches Downloaded Successfully! + Τα Patches κατέβηκαν επιτυχώς! + + + All Patches available for all games have been downloaded. + Όλα τα διαθέσιμα Patches για όλα τα παιχνίδια έχουν κατέβει. + + + Games: + Παιχνίδια: + + + ELF files (*.bin *.elf *.oelf) + Αρχεία ELF (*.bin *.elf *.oelf) + + + Game Boot + Εκκίνηση παιχνιδιού + + + Only one file can be selected! + Μπορεί να επιλεγεί μόνο ένα αρχείο! + + + PKG Extraction + Εξαγωγή PKG + + + Patch detected! + Αναγνώριση ενημέρωσης! + + + PKG and Game versions match: + Οι εκδόσεις PKG και παιχνιδιού ταιριάζουν: + + + Would you like to overwrite? + Θέλετε να αντικαταστήσετε; + + + PKG Version %1 is older than installed version: + Η έκδοση PKG %1 είναι παλαιότερη από την εγκατεστημένη έκδοση: + + + Game is installed: + Το παιχνίδι είναι εγκατεστημένο: + + + Would you like to install Patch: + Θέλετε να εγκαταστήσετε την ενημέρωση: + + + DLC Installation + Εγκατάσταση DLC + + + Would you like to install DLC: %1? + Θέλετε να εγκαταστήσετε το DLC: %1; + + + DLC already installed: + DLC ήδη εγκατεστημένο: + + + Game already installed + Παιχνίδι ήδη εγκατεστημένο + + + PKG ERROR + ΣΦΑΛΜΑ PKG + + + Extracting PKG %1/%2 + Εξαγωγή PKG %1/%2 + + + Extraction Finished + Η εξαγωγή ολοκληρώθηκε + + + Game successfully installed at %1 + Το παιχνίδι εγκαταστάθηκε επιτυχώς στο %1 + + + File doesn't appear to be a valid PKG file + Η αρχείο δεν φαίνεται να είναι έγκυρο αρχείο PKG + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Όνομα + + + Serial + Σειριακός αριθμός + + + Installed + + + + Size + Μέγεθος + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Περιοχή + + + Flags + + + + Path + Διαδρομή + + + File + File + + + PKG ERROR + ΣΦΑΛΜΑ PKG + + + Unknown + Άγνωστο + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Λειτουργία Πλήρους Οθόνης + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Προεπιλεγμένη καρτέλα κατά την ανοίγμα των ρυθμίσεων + + + Show Game Size In List + Εμφάνιση Μεγέθους Παιχνιδιού στη Λίστα + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Ενεργοποίηση Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Άνοιγμα τοποθεσίας αρχείου καταγραφής + + + Input + Είσοδος + + + Cursor + Δείκτης + + + Hide Cursor + Απόκρυψη δείκτη + + + Hide Cursor Idle Timeout + Χρόνος αδράνειας απόκρυψης δείκτη + + + s + s + + + Controller + Controller + + + Back Button Behavior + Συμπεριφορά κουμπιού επιστροφής + + + Graphics + Graphics + + + GUI + Διεπαφή + + + User + Χρήστης + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Διαδρομές + + + Game Folders + Φάκελοι παιχνιδιών + + + Add... + Προσθήκη... + + + Remove + Αφαίρεση + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Ενημέρωση + + + Check for Updates at Startup + Έλεγχος για ενημερώσεις κατά την εκκίνηση + + + Always Show Changelog + Πάντα εμφάνιση ιστορικού αλλαγών + + + Update Channel + Κανάλι Ενημέρωσης + + + Check for Updates + Έλεγχος για ενημερώσεις + + + GUI Settings + Ρυθμίσεις GUI + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Αναπαραγωγή μουσικής τίτλου + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + ένταση + + + Save + Αποθήκευση + + + Apply + Εφαρμογή + + + Restore Defaults + Επαναφορά Προεπιλογών + + + Close + Κλείσιμο + + + Point your mouse at an option to display its description. + Τοποθετήστε το ποντίκι σας πάνω σε μια επιλογή για να εμφανίσετε την περιγραφή της. + + + consoleLanguageGroupBox + Γλώσσα Κονσόλας:\nΡυθμίζει τη γλώσσα που θα χρησιμοποιήσει το παιχνίδι PS4.\nΣυνιστάται να επιλέξετε μία από τις γλώσσες που υποστηρίζονται από το παιχνίδι, η οποία ενδέχεται να διαφέρει ανάλογα με την περιοχή. + + + emulatorLanguageGroupBox + Γλώσσα Εξομοιωτή:\nΡυθμίζει τη γλώσσα του γραφικού περιβάλλοντος του εξομοιωτή. + + + fullscreenCheckBox + Ενεργοποίηση Πλήρους Οθόνης:\nΑυτόματα μετατρέπει το παράθυρο του παιχνιδιού σε λειτουργία πλήρους οθόνης.\nΜπορεί να ενεργοποιηθεί/απενεργοποιηθεί πατώντας το πλήκτρο F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Εμφάνιση Splash Screen:\nΕμφανίζει ειδική γραφική οθόνη κατά την εκκίνηση. + + + discordRPCCheckbox + Ενεργοποίηση Discord Rich Presence:\nΕμφανίζει το εικονίδιο του emulator και σχετικές πληροφορίες στο προφίλ σας στο Discord. + + + userName + Όνομα Χρήστη:\nΟρίζει το όνομα του λογαριασμού PS4, το οποίο μπορεί να εμφανιστεί σε ορισμένα παιχνίδια. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Τύπος Καταγραφής:\nΚαθορίζει αν η έξοδος του παραθύρου καταγραφής θα συγχρονιστεί για αύξηση της απόδοσης. Αυτό μπορεί να επηρεάσει αρνητικά τις επιδόσεις του εξομοιωτή. + + + logFilter + Φίλτρο Καταγραφής:\nΦιλτράρει τις καταγραφές ώστε να εκτυπώνονται μόνο συγκεκριμένες πληροφορίες.\nΠαραδείγματα: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Επίπεδα: Trace, Debug, Info, Warning, Error, Critical - με τη σειρά αυτή, κάθε επίπεδο που επιλέγεται αποκλείει τα προηγούμενα και εμφανίζει τα επόμενα επίπεδα. + + + updaterGroupBox + Ενημερώσεις:\nRelease: Επίσημες εκδόσεις που κυκλοφορούν μηνιαίως, είναι παλαιότερες αλλά πιο σταθερές και δοκιμασμένες.\nNightly: Εκδόσεις προγραμματιστών με νέες δυνατότητες και διορθώσεις, αλλά μπορεί να περιέχουν σφάλματα και να είναι λιγότερο σταθερές. + + + GUIMusicGroupBox + Αναπαραγωγή Μουσικής Τίτλων:\nΕάν το παιχνίδι το υποστηρίζει, ενεργοποιεί ειδική μουσική κατά την επιλογή του παιχνιδιού από τη διεπαφή χρήστη. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Απόκρυψη Κέρσορα:\nΕπιλέξτε πότε θα εξαφανιστεί ο κέρσορας:\nΠοτέ: θα βλέπετε πάντα το ποντίκι.\nΑδρανές: ορίστε έναν χρόνο για να εξαφανιστεί μετά από αδράνεια.\nΠάντα: δεν θα δείτε ποτέ το ποντίκι. + + + idleTimeoutGroupBox + Ορίστε έναν χρόνο για να εξαφανιστεί το ποντίκι μετά από αδράνεια. + + + backButtonBehaviorGroupBox + Συμπεριφορά Κουμπιού Επιστροφής:\nΟρίζει το κουμπί επιστροφής του ελεγκτή να προσομοιώνει το πάτημα της καθορισμένης θέσης στην οθόνη αφής PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Ποτέ + + + Idle + Αδρανής + + + Always + Πάντα + + + Touchpad Left + Touchpad Αριστερά + + + Touchpad Right + Touchpad Δεξιά + + + Touchpad Center + Κέντρο Touchpad + + + None + Κανένα + + + graphicsAdapterGroupBox + Προσαρμογέας Γραφικών:\nΣε συστήματα με πολλές GPU, επιλέξτε από το μενού την GPU που θα χρησιμοποιήσει ο εξομοιωτής,\nή επιλέξτε "Auto Select" για αυτόματη επιλογή. + + + resolutionLayout + Ανάλυση Οθόνης:\nΚαθορίζει το μέγεθος του παραθύρου του εξομοιωτή κατά την αναπαραγωγή, το οποίο μπορεί να αλλάξει κατά τη διάρκεια του παιχνιδιού.\nΑυτό είναι διαφορετικό από την ανάλυση του ίδιου του παιχνιδιού. + + + heightDivider + Διαιρέτης Συχνότητας Ανανέωσης:\nΠολλαπλασιάζει τον ρυθμό με τον οποίο ο εξομοιωτής ενημερώνει την εικόνα με αυτόν τον αριθμό. Η αλλαγή αυτής της ρύθμισης μπορεί να έχει αρνητικές επιπτώσεις, όπως ταχύτερο παιχνίδι ή σπασμένες λειτουργίες! + + + dumpShadersCheckBox + Ενεργοποίηση Καταγραφής Σκιάσεων (Shaders):\nΓια τεχνικό εντοπισμό σφαλμάτων, αποθηκεύει τις σκιάσεις του παιχνιδιού σε φάκελο κατά τη διάρκεια της αναπαραγωγής. + + + nullGpuCheckBox + Ενεργοποίηση Εικονικής GPU:\nΓια τεχνικό εντοπισμό σφαλμάτων, απενεργοποιεί την εμφάνιση του παιχνιδιού σαν να μην υπάρχει κάρτα γραφικών. + + + gameFoldersBox + Φάκελοι Παιχνιδιών:\nΗ λίστα των φακέλων για έλεγχο των εγκατεστημένων παιχνιδιών. + + + addFolderButton + Προσθήκη:\nΠροσθέστε έναν φάκελο στη λίστα. + + + removeFolderButton + Αφαίρεση:\nΑφαιρέστε έναν φάκελο από τη λίστα. + + + debugDump + Ενεργοποίηση Καταγραφής Αποσφαλμάτωσης:\nΑποθηκεύει τα σύμβολα εισαγωγής/εξαγωγής και τις κεφαλίδες πληροφοριών του τρέχοντος προγράμματος PS4 σε έναν φάκελο. + + + vkValidationCheckBox + Ενεργοποίηση Επικύρωσης Vulkan:\nΕνεργοποιεί ένα σύστημα που επικυρώνει την κατάσταση του προγράμματος οδήγησης Vulkan και καταγράφει πληροφορίες για την εσωτερική του κατάσταση. Αυτό θα μειώσει την απόδοση και ενδέχεται να αλλάξει τη συμπεριφορά του εξομοιωτή. + + + vkSyncValidationCheckBox + Ενεργοποίηση Επικύρωσης Συγχρονισμού Vulkan:\nΕνεργοποιεί ένα σύστημα που επικυρώνει τον συγχρονισμό των εργασιών απόδοσης του Vulkan. Αυτό θα μειώσει την απόδοση και ενδέχεται να αλλάξει τη συμπεριφορά του εξομοιωτή. + + + rdocCheckBox + Ενεργοποίηση Καταγραφής RenderDoc:\nΌταν είναι ενεργοποιημένο, ο εξομοιωτής είναι συμβατός με το RenderDoc για τη λήψη και ανάλυση του τρέχοντος καρέ. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + + diff --git a/src/qt_gui/translations/en.ts b/src/qt_gui/translations/en.ts deleted file mode 100644 index c3de0062a..000000000 --- a/src/qt_gui/translations/en.ts +++ /dev/null @@ -1,1515 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Cheats / Patches - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Open Folder... - - - Open Game Folder - Open Game Folder - - - Open Save Data Folder - Open Save Data Folder - - - Open Log Folder - Open Log Folder - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy Version - Copy Version - - - Copy Size - Copy Size - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Check for Updates - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Download Cheats / Patches - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Help - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Game List - - - * Unsupported Vulkan Version - * Unsupported Vulkan Version - - - Download Cheats For All Installed Games - Download Cheats For All Installed Games - - - Download Patches For All Games - Download Patches For All Games - - - Download Complete - Download Complete - - - You have downloaded cheats for all the games you have installed. - You have downloaded cheats for all the games you have installed. - - - Patches Downloaded Successfully! - Patches Downloaded Successfully! - - - All Patches available for all games have been downloaded. - All Patches available for all games have been downloaded. - - - Games: - Games: - - - PKG File (*.PKG) - PKG File (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF files (*.bin *.elf *.oelf) - - - Game Boot - Game Boot - - - Only one file can be selected! - Only one file can be selected! - - - PKG Extraction - PKG Extraction - - - Patch detected! - Patch detected! - - - PKG and Game versions match: - PKG and Game versions match: - - - Would you like to overwrite? - Would you like to overwrite? - - - PKG Version %1 is older than installed version: - PKG Version %1 is older than installed version: - - - Game is installed: - Game is installed: - - - Would you like to install Patch: - Would you like to install Patch: - - - DLC Installation - DLC Installation - - - Would you like to install DLC: %1? - Would you like to install DLC: %1? - - - DLC already installed: - DLC already installed: - - - Game already installed - Game already installed - - - PKG is a patch, please install the game first! - PKG is a patch, please install the game first! - - - PKG ERROR - PKG ERROR - - - Extracting PKG %1/%2 - Extracting PKG %1/%2 - - - Extraction Finished - Extraction Finished - - - Game successfully installed at %1 - Game successfully installed at %1 - - - File doesn't appear to be a valid PKG file - File doesn't appear to be a valid PKG file - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Fullscreen Mode - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Default tab when opening settings - - - Show Game Size In List - Show Game Size In List - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Enable Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Open Log Location - - - Input - Input - - - Cursor - Cursor - - - Hide Cursor - Hide Cursor - - - Hide Cursor Idle Timeout - Hide Cursor Idle Timeout - - - s - s - - - Controller - Controller - - - Back Button Behavior - Back Button Behavior - - - Graphics - Graphics - - - GUI - Gui - - - User - User - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Enable HDR - Enable HDR - - - Paths - Paths - - - Game Folders - Game Folders - - - Add... - Add... - - - Remove - Remove - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Update - - - Check for Updates at Startup - Check for Updates at Startup - - - Always Show Changelog - Always Show Changelog - - - Update Channel - Update Channel - - - Check for Updates - Check for Updates - - - GUI Settings - GUI Settings - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Background Image - Background Image - - - Show Background Image - Show Background Image - - - Opacity - Opacity - - - Play title music - Play title music - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Volume - - - Audio Backend - Audio Backend - - - Save - Save - - - Apply - Apply - - - Restore Defaults - Restore Defaults - - - Close - Close - - - Point your mouse at an option to display its description. - Point your mouse at an option to display its description. - - - consoleLanguageGroupBox - Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. - - - emulatorLanguageGroupBox - Emulator Language:\nSets the language of the emulator's user interface. - - - fullscreenCheckBox - Enable Full Screen:\nAutomatically puts the game window into full-screen mode.\nThis can be toggled by pressing the F11 key. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management.\nThis can be manually created by adding the extracted update to the game folder with the name "CUSA00000-UPDATE" where the CUSA ID matches the game's ID. - - - showSplashCheckBox - Show Splash Screen:\nShows the game's splash screen (a special image) while the game is starting. - - - ps4proCheckBox - Is PS4 Pro:\nMakes the emulator act as a PS4 PRO, which may enable special features in games that support it. - - - discordRPCCheckbox - Enable Discord Rich Presence:\nDisplays the emulator icon and relevant information on your Discord profile. - - - userName - Username:\nSets the PS4's account username, which may be displayed by some games. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Log Type:\nSets whether to synchronize the output of the log window for performance. May have adverse effects on emulation. - - - logFilter - Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nLevels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. - - - updaterGroupBox - Update:\nRelease: Official versions released every month that may be very outdated, but are more reliable and tested.\nNightly: Development versions that have all the latest features and fixes, but may contain bugs and are less stable. - - - GUIBackgroundImageGroupBox - Background Image:\nControl the opacity of the game background image. - - - GUIMusicGroupBox - Play Title Music:\nIf a game supports it, enable playing special music when selecting the game in the GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Hide Cursor:\nChoose when the cursor will disappear:\nNever: You will always see the mouse.\nidle: Set a time for it to disappear after being idle.\nAlways: you will never see the mouse. - - - idleTimeoutGroupBox - Hide Idle Cursor Timeout:\nThe duration (seconds) after which the cursor that has been idle hides itself. - - - backButtonBehaviorGroupBox - Back Button Behavior:\nSets the controller's back button to emulate tapping the specified position on the PS4 touchpad. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Never - - - Idle - Idle - - - Always - Always - - - Touchpad Left - Touchpad Left - - - Touchpad Right - Touchpad Right - - - Touchpad Center - Touchpad Center - - - None - None - - - graphicsAdapterGroupBox - Graphics Device:\nOn multiple GPU systems, select the GPU the emulator will use from the drop down list,\nor select "Auto Select" to automatically determine it. - - - resolutionLayout - Width/Height:\nSets the size of the emulator window at launch, which can be resized during gameplay.\nThis is different from the in-game resolution. - - - heightDivider - Vblank Divider:\nThe frame rate at which the emulator refreshes at is multiplied by this number. Changing this may have adverse effects, such as increasing the game speed, or breaking critical game functionality that does not expect this to change! - - - dumpShadersCheckBox - Enable Shaders Dumping:\nFor the sake of technical debugging, saves the games shaders to a folder as they render. - - - nullGpuCheckBox - Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. - - - enableHDRCheckBox - Enable HDR:\nEnables HDR in games that support it.\nYour monitor must have support for the BT2020 PQ color space and the RGB10A2 swapchain format. - - - gameFoldersBox - Game Folders:\nThe list of folders to check for installed games. - - - addFolderButton - Add:\nAdd a folder to the list. - - - removeFolderButton - Remove:\nRemove a folder from the list. - - - debugDump - Enable Debug Dumping:\nSaves the import and export symbols and file header information of the currently running PS4 program to a directory. - - - vkValidationCheckBox - Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state.\nThis will reduce performance and likely change the behavior of emulation. - - - vkSyncValidationCheckBox - Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks.\nThis will reduce performance and likely change the behavior of emulation. - - - rdocCheckBox - Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - saveDataBox - Save Data Path:\nThe folder where game save data will be saved. - - - browseButton - Browse:\nBrowse for a folder to set as the save data path. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches are experimental.\nUse with caution.\n\nDownload cheats individually by selecting the repository and clicking the download button.\nIn the Patches tab, you can download all patches at once, choose which ones you want to use, and save your selection.\n\nSince we do not develop the Cheats/Patches,\nplease report issues to the cheat author.\n\nCreated a new cheat? Visit:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - No Image Available - - - Serial: - Serial: - - - Version: - Version: - - - Size: - Size: - - - Select Cheat File: - Select Cheat File: - - - Repository: - Repository: - - - Download Cheats - Download Cheats - - - Delete File - Delete File - - - No files selected. - No files selected. - - - You can delete the cheats you don't want after downloading them. - You can delete the cheats you don't want after downloading them. - - - Do you want to delete the selected file?\n%1 - Do you want to delete the selected file?\n%1 - - - Select Patch File: - Select Patch File: - - - Download Patches - Download Patches - - - Save - Save - - - Cheats - Cheats - - - Patches - Patches - - - Error - Error - - - No patch selected. - No patch selected. - - - Unable to open files.json for reading. - Unable to open files.json for reading. - - - No patch file found for the current serial. - No patch file found for the current serial. - - - Unable to open the file for reading. - Unable to open the file for reading. - - - Unable to open the file for writing. - Unable to open the file for writing. - - - Failed to parse XML: - Failed to parse XML: - - - Success - Success - - - Options saved successfully. - Options saved successfully. - - - Invalid Source - Invalid Source - - - The selected source is invalid. - The selected source is invalid. - - - File Exists - File Exists - - - File already exists. Do you want to replace it? - File already exists. Do you want to replace it? - - - Failed to save file: - Failed to save file: - - - Failed to download file: - Failed to download file: - - - Cheats Not Found - Cheats Not Found - - - CheatsNotFound_MSG - No Cheats found for this game in this version of the selected repository,try another repository or a different version of the game. - - - Cheats Downloaded Successfully - Cheats Downloaded Successfully - - - CheatsDownloadedSuccessfully_MSG - You have successfully downloaded the cheats for this version of the game from the selected repository. You can try downloading from another repository, if it is available it will also be possible to use it by selecting the file from the list. - - - Failed to save: - Failed to save: - - - Failed to download: - Failed to download: - - - Download Complete - Download Complete - - - DownloadComplete_MSG - Patches Downloaded Successfully! All Patches available for all games have been downloaded, there is no need to download them individually for each game as happens in Cheats. If the patch does not appear, it may be that it does not exist for the specific serial and version of the game. - - - Failed to parse JSON data from HTML. - Failed to parse JSON data from HTML. - - - Failed to retrieve HTML page. - Failed to retrieve HTML page. - - - The game is in version: %1 - The game is in version: %1 - - - The downloaded patch only works on version: %1 - The downloaded patch only works on version: %1 - - - You may need to update your game. - You may need to update your game. - - - Incompatibility Notice - Incompatibility Notice - - - Failed to open file: - Failed to open file: - - - XML ERROR: - XML ERROR: - - - Failed to open files.json for writing - Failed to open files.json for writing - - - Author: - Author: - - - Directory does not exist: - Directory does not exist: - - - Failed to open files.json for reading. - Failed to open files.json for reading. - - - Name: - Name: - - - Can't apply cheats before the game is started - Can't apply cheats before the game is started. - - - - GameListFrame - - Icon - Icon - - - Name - Name - - - Serial - Serial - - - Compatibility - Compatibility - - - Region - Region - - - Firmware - Firmware - - - Size - Size - - - Version - Version - - - Path - Path - - - Play Time - Play Time - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Click to see details on GitHub - - - Last updated - Last updated - - - - CheckUpdate - - Auto Updater - Auto Updater - - - Error - Error - - - Network error: - Network error: - - - Error_Github_limit_MSG - The Auto Updater allows up to 60 update checks per hour.\nYou have reached this limit. Please try again later. - - - Failed to parse update information. - Failed to parse update information. - - - No pre-releases found. - No pre-releases found. - - - Invalid release data. - Invalid release data. - - - No download URL found for the specified asset. - No download URL found for the specified asset. - - - Your version is already up to date! - Your version is already up to date! - - - Update Available - Update Available - - - Update Channel - Update Channel - - - Current Version - Current Version - - - Latest Version - Latest Version - - - Do you want to update? - Do you want to update? - - - Show Changelog - Show Changelog - - - Check for Updates at Startup - Check for Updates at Startup - - - Update - Update - - - No - No - - - Hide Changelog - Hide Changelog - - - Changes - Changes - - - Network error occurred while trying to access the URL - Network error occurred while trying to access the URL - - - Download Complete - Download Complete - - - The update has been downloaded, press OK to install. - The update has been downloaded, press OK to install. - - - Failed to save the update file at - Failed to save the update file at - - - Starting Update... - Starting Update... - - - Failed to create the update script file - Failed to create the update script file - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Fetching compatibility data, please wait - - - Cancel - Cancel - - - Loading... - Loading... - - - Error - Error - - - Unable to update compatibility data! Try again later. - Unable to update compatibility data! Try again later. - - - Unable to open compatibility_data.json for writing. - Unable to open compatibility_data.json for writing. - - - Unknown - Unknown - - - Nothing - Nothing - - - Boots - Boots - - - Menus - Menus - - - Ingame - Ingame - - - Playable - Playable - - - diff --git a/src/qt_gui/translations/en_US.ts b/src/qt_gui/translations/en_US.ts new file mode 100644 index 000000000..db28dc7cb --- /dev/null +++ b/src/qt_gui/translations/en_US.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches are experimental.\nUse with caution.\n\nDownload cheats individually by selecting the repository and clicking the download button.\nIn the Patches tab, you can download all patches at once, choose which ones you want to use, and save your selection.\n\nSince we do not develop the Cheats/Patches,\nplease report issues to the cheat author.\n\nCreated a new cheat? Visit:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + No Image Available + + + Serial: + Serial: + + + Version: + Version: + + + Size: + Size: + + + Select Cheat File: + Select Cheat File: + + + Repository: + Repository: + + + Download Cheats + Download Cheats + + + Delete File + Delete File + + + No files selected. + No files selected. + + + You can delete the cheats you don't want after downloading them. + You can delete the cheats you don't want after downloading them. + + + Do you want to delete the selected file?\n%1 + Do you want to delete the selected file?\n%1 + + + Select Patch File: + Select Patch File: + + + Download Patches + Download Patches + + + Save + Save + + + Cheats + Cheats + + + Patches + Patches + + + Error + Error + + + No patch selected. + No patch selected. + + + Unable to open files.json for reading. + Unable to open files.json for reading. + + + No patch file found for the current serial. + No patch file found for the current serial. + + + Unable to open the file for reading. + Unable to open the file for reading. + + + Unable to open the file for writing. + Unable to open the file for writing. + + + Failed to parse XML: + Failed to parse XML: + + + Success + Success + + + Options saved successfully. + Options saved successfully. + + + Invalid Source + Invalid Source + + + The selected source is invalid. + The selected source is invalid. + + + File Exists + File Exists + + + File already exists. Do you want to replace it? + File already exists. Do you want to replace it? + + + Failed to save file: + Failed to save file: + + + Failed to download file: + Failed to download file: + + + Cheats Not Found + Cheats Not Found + + + CheatsNotFound_MSG + No Cheats found for this game in this version of the selected repository,try another repository or a different version of the game. + + + Cheats Downloaded Successfully + Cheats Downloaded Successfully + + + CheatsDownloadedSuccessfully_MSG + You have successfully downloaded the cheats for this version of the game from the selected repository. You can try downloading from another repository, if it is available it will also be possible to use it by selecting the file from the list. + + + Failed to save: + Failed to save: + + + Failed to download: + Failed to download: + + + Download Complete + Download Complete + + + DownloadComplete_MSG + Patches Downloaded Successfully! All Patches available for all games have been downloaded, there is no need to download them individually for each game as happens in Cheats. If the patch does not appear, it may be that it does not exist for the specific serial and version of the game. + + + Failed to parse JSON data from HTML. + Failed to parse JSON data from HTML. + + + Failed to retrieve HTML page. + Failed to retrieve HTML page. + + + The game is in version: %1 + The game is in version: %1 + + + The downloaded patch only works on version: %1 + The downloaded patch only works on version: %1 + + + You may need to update your game. + You may need to update your game. + + + Incompatibility Notice + Incompatibility Notice + + + Failed to open file: + Failed to open file: + + + XML ERROR: + XML ERROR: + + + Failed to open files.json for writing + Failed to open files.json for writing + + + Author: + Author: + + + Directory does not exist: + Directory does not exist: + + + Failed to open files.json for reading. + Failed to open files.json for reading. + + + Name: + Name: + + + Can't apply cheats before the game is started + Can't apply cheats before the game is started. + + + Close + Close + + + + CheckUpdate + + Auto Updater + Auto Updater + + + Error + Error + + + Network error: + Network error: + + + Error_Github_limit_MSG + The Auto Updater allows up to 60 update checks per hour.\nYou have reached this limit. Please try again later. + + + Failed to parse update information. + Failed to parse update information. + + + No pre-releases found. + No pre-releases found. + + + Invalid release data. + Invalid release data. + + + No download URL found for the specified asset. + No download URL found for the specified asset. + + + Your version is already up to date! + Your version is already up to date! + + + Update Available + Update Available + + + Update Channel + Update Channel + + + Current Version + Current Version + + + Latest Version + Latest Version + + + Do you want to update? + Do you want to update? + + + Show Changelog + Show Changelog + + + Check for Updates at Startup + Check for Updates at Startup + + + Update + Update + + + No + No + + + Hide Changelog + Hide Changelog + + + Changes + Changes + + + Network error occurred while trying to access the URL + Network error occurred while trying to access the URL + + + Download Complete + Download Complete + + + The update has been downloaded, press OK to install. + The update has been downloaded, press OK to install. + + + Failed to save the update file at + Failed to save the update file at + + + Starting Update... + Starting Update... + + + Failed to create the update script file + Failed to create the update script file + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Fetching compatibility data, please wait + + + Cancel + Cancel + + + Loading... + Loading... + + + Error + Error + + + Unable to update compatibility data! Try again later. + Unable to update compatibility data! Try again later. + + + Unable to open compatibility_data.json for writing. + Unable to open compatibility_data.json for writing. + + + Unknown + Unknown + + + Nothing + Nothing + + + Boots + Boots + + + Menus + Menus + + + Ingame + Ingame + + + Playable + Playable + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icon + + + Name + Name + + + Serial + Serial + + + Compatibility + Compatibility + + + Region + Region + + + Firmware + Firmware + + + Size + Size + + + Version + Version + + + Path + Path + + + Play Time + Play Time + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Click to see details on GitHub + + + Last updated + Last updated + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Cheats / Patches + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Open Folder... + + + Open Game Folder + Open Game Folder + + + Open Save Data Folder + Open Save Data Folder + + + Open Log Folder + Open Log Folder + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy Version + Copy Version + + + Copy Size + Copy Size + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Check for Updates + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Download Cheats / Patches + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Help + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Game List + + + * Unsupported Vulkan Version + * Unsupported Vulkan Version + + + Download Cheats For All Installed Games + Download Cheats For All Installed Games + + + Download Patches For All Games + Download Patches For All Games + + + Download Complete + Download Complete + + + You have downloaded cheats for all the games you have installed. + You have downloaded cheats for all the games you have installed. + + + Patches Downloaded Successfully! + Patches Downloaded Successfully! + + + All Patches available for all games have been downloaded. + All Patches available for all games have been downloaded. + + + Games: + Games: + + + ELF files (*.bin *.elf *.oelf) + ELF files (*.bin *.elf *.oelf) + + + Game Boot + Game Boot + + + Only one file can be selected! + Only one file can be selected! + + + PKG Extraction + PKG Extraction + + + Patch detected! + Patch detected! + + + PKG and Game versions match: + PKG and Game versions match: + + + Would you like to overwrite? + Would you like to overwrite? + + + PKG Version %1 is older than installed version: + PKG Version %1 is older than installed version: + + + Game is installed: + Game is installed: + + + Would you like to install Patch: + Would you like to install Patch: + + + DLC Installation + DLC Installation + + + Would you like to install DLC: %1? + Would you like to install DLC: %1? + + + DLC already installed: + DLC already installed: + + + Game already installed + Game already installed + + + PKG ERROR + PKG ERROR + + + Extracting PKG %1/%2 + Extracting PKG %1/%2 + + + Extraction Finished + Extraction Finished + + + Game successfully installed at %1 + Game successfully installed at %1 + + + File doesn't appear to be a valid PKG file + File doesn't appear to be a valid PKG file + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + PKG ERROR + PKG ERROR + + + Name + Name + + + Serial + Serial + + + Installed + + + + Size + Size + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Path + + + File + File + + + Unknown + Unknown + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Fullscreen Mode + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Default tab when opening settings + + + Show Game Size In List + Show Game Size In List + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Enable Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Open Log Location + + + Input + Input + + + Cursor + Cursor + + + Hide Cursor + Hide Cursor + + + Hide Cursor Idle Timeout + Hide Cursor Idle Timeout + + + s + s + + + Controller + Controller + + + Back Button Behavior + Back Button Behavior + + + Graphics + Graphics + + + GUI + Gui + + + User + User + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Enable HDR + Enable HDR + + + Paths + Paths + + + Game Folders + Game Folders + + + Add... + Add... + + + Remove + Remove + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Update + + + Check for Updates at Startup + Check for Updates at Startup + + + Always Show Changelog + Always Show Changelog + + + Update Channel + Update Channel + + + Check for Updates + Check for Updates + + + GUI Settings + GUI Settings + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Background Image + Background Image + + + Show Background Image + Show Background Image + + + Opacity + Opacity + + + Play title music + Play title music + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Volume + + + Save + Save + + + Apply + Apply + + + Restore Defaults + Restore Defaults + + + Close + Close + + + Point your mouse at an option to display its description. + Point your mouse at an option to display its description. + + + consoleLanguageGroupBox + Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. + + + emulatorLanguageGroupBox + Emulator Language:\nSets the language of the emulator's user interface. + + + fullscreenCheckBox + Enable Full Screen:\nAutomatically puts the game window into full-screen mode.\nThis can be toggled by pressing the F11 key. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management.\nThis can be manually created by adding the extracted update to the game folder with the name "CUSA00000-UPDATE" where the CUSA ID matches the game's ID. + + + showSplashCheckBox + Show Splash Screen:\nShows the game's splash screen (a special image) while the game is starting. + + + discordRPCCheckbox + Enable Discord Rich Presence:\nDisplays the emulator icon and relevant information on your Discord profile. + + + userName + Username:\nSets the PS4's account username, which may be displayed by some games. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Log Type:\nSets whether to synchronize the output of the log window for performance. May have adverse effects on emulation. + + + logFilter + Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nLevels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. + + + updaterGroupBox + Update:\nRelease: Official versions released every month that may be very outdated, but are more reliable and tested.\nNightly: Development versions that have all the latest features and fixes, but may contain bugs and are less stable. + + + GUIBackgroundImageGroupBox + Background Image:\nControl the opacity of the game background image. + + + GUIMusicGroupBox + Play Title Music:\nIf a game supports it, enable playing special music when selecting the game in the GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Hide Cursor:\nChoose when the cursor will disappear:\nNever: You will always see the mouse.\nidle: Set a time for it to disappear after being idle.\nAlways: you will never see the mouse. + + + idleTimeoutGroupBox + Hide Idle Cursor Timeout:\nThe duration (seconds) after which the cursor that has been idle hides itself. + + + backButtonBehaviorGroupBox + Back Button Behavior:\nSets the controller's back button to emulate tapping the specified position on the PS4 touchpad. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Never + + + Idle + Idle + + + Always + Always + + + Touchpad Left + Touchpad Left + + + Touchpad Right + Touchpad Right + + + Touchpad Center + Touchpad Center + + + None + None + + + graphicsAdapterGroupBox + Graphics Device:\nOn multiple GPU systems, select the GPU the emulator will use from the drop down list,\nor select "Auto Select" to automatically determine it. + + + resolutionLayout + Width/Height:\nSets the size of the emulator window at launch, which can be resized during gameplay.\nThis is different from the in-game resolution. + + + heightDivider + Vblank Divider:\nThe frame rate at which the emulator refreshes at is multiplied by this number. Changing this may have adverse effects, such as increasing the game speed, or breaking critical game functionality that does not expect this to change! + + + dumpShadersCheckBox + Enable Shaders Dumping:\nFor the sake of technical debugging, saves the games shaders to a folder as they render. + + + nullGpuCheckBox + Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. + + + enableHDRCheckBox + Enable HDR:\nEnables HDR in games that support it.\nYour monitor must have support for the BT2020 PQ color space and the RGB10A2 swapchain format. + + + gameFoldersBox + Game Folders:\nThe list of folders to check for installed games. + + + addFolderButton + Add:\nAdd a folder to the list. + + + removeFolderButton + Remove:\nRemove a folder from the list. + + + debugDump + Enable Debug Dumping:\nSaves the import and export symbols and file header information of the currently running PS4 program to a directory. + + + vkValidationCheckBox + Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state.\nThis will reduce performance and likely change the behavior of emulation. + + + vkSyncValidationCheckBox + Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks.\nThis will reduce performance and likely change the behavior of emulation. + + + rdocCheckBox + Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + saveDataBox + Save Data Path:\nThe folder where game save data will be saved. + + + browseButton + Browse:\nBrowse for a folder to set as the save data path. + + + Borderless + + + + True + + + + Release + + + + Nightly + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + + diff --git a/src/qt_gui/translations/es_ES.ts b/src/qt_gui/translations/es_ES.ts index 2b8405ed1..c169e68c6 100644 --- a/src/qt_gui/translations/es_ES.ts +++ b/src/qt_gui/translations/es_ES.ts @@ -1,1491 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - Acerca de shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 es un emulador experimental de código abierto para la PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Este software no debe utilizarse para jugar juegos que hayas obtenido ilegalmente. - - - - ElfViewer - - Open Folder - Abrir carpeta - - - - GameInfoClass - - Loading game list, please wait :3 - Cargando lista de juegos, por favor espera :3 - - - Cancel - Cancelar - - - Loading... - Cargando... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Elegir carpeta - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Elegir carpeta - - - Directory to install games - Carpeta para instalar juegos - - - Browse - Buscar - - - Error - Error - - - The value for location to install games is not valid. - El valor para la ubicación de instalación de los juegos no es válido. - - - - GuiContextMenus - - Create Shortcut - Crear acceso directo - - - Cheats / Patches - Trucos / Parches - - - SFO Viewer - Vista SFO - - - Trophy Viewer - Ver trofeos - - - Open Folder... - Abrir Carpeta... - - - Open Game Folder - Abrir Carpeta del Juego - - - Open Save Data Folder - Abrir Carpeta de Datos Guardados - - - Open Log Folder - Abrir Carpeta de Registros - - - Copy info... - Copiar información... - - - Copy Name - Copiar nombre - - - Copy Serial - Copiar número de serie - - - Copy All - Copiar todo - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Acceso directo creado - - - Shortcut created successfully! - ¡Acceso directo creado con éxito! - - - Error - Error - - - Error creating shortcut! - ¡Error al crear el acceso directo! - - - Install PKG - Instalar PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Abrir/Agregar carpeta Elf - - - Install Packages (PKG) - Instalar paquetes (PKG) - - - Boot Game - Iniciar juego - - - Check for Updates - Buscar actualizaciones - - - About shadPS4 - Acerca de shadPS4 - - - Configure... - Configurar... - - - Install application from a .pkg file - Instalar aplicación desde un archivo .pkg - - - Recent Games - Juegos recientes - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Salir - - - Exit shadPS4 - Salir de shadPS4 - - - Exit the application. - Salir de la aplicación. - - - Show Game List - Mostrar lista de juegos - - - Game List Refresh - Actualizar lista de juegos - - - Tiny - Muy pequeño - - - Small - Pequeño - - - Medium - Mediano - - - Large - Grande - - - List View - Vista de lista - - - Grid View - Vista de cuadrícula - - - Elf Viewer - Vista Elf - - - Game Install Directory - Carpeta de instalación de los juegos - - - Download Cheats/Patches - Descargar Trucos / Parches - - - Dump Game List - Volcar lista de juegos - - - PKG Viewer - Vista PKG - - - Search... - Buscar... - - - File - Archivo - - - View - Vista - - - Game List Icons - Iconos de los juegos - - - Game List Mode - Tipo de lista - - - Settings - Configuración - - - Utils - Utilidades - - - Themes - Temas - - - Help - Ayuda - - - Dark - Oscuro - - - Light - Claro - - - Green - Verde - - - Blue - Azul - - - Violet - Violeta - - - toolBar - Barra de herramientas - - - Game List - Lista de juegos - - - * Unsupported Vulkan Version - * Versión de Vulkan no soportada - - - Download Cheats For All Installed Games - Descargar trucos para todos los juegos instalados - - - Download Patches For All Games - Descargar parches para todos los juegos - - - Download Complete - Descarga completa - - - You have downloaded cheats for all the games you have installed. - Has descargado trucos para todos los juegos que tienes instalados. - - - Patches Downloaded Successfully! - ¡Parches descargados exitosamente! - - - All Patches available for all games have been downloaded. - Todos los parches disponibles han sido descargados para todos los juegos. - - - Games: - Juegos: - - - PKG File (*.PKG) - Archivo PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Archivos ELF (*.bin *.elf *.oelf) - - - Game Boot - Inicio del juego - - - Only one file can be selected! - ¡Solo se puede seleccionar un archivo! - - - PKG Extraction - Extracción de PKG - - - Patch detected! - ¡Actualización detectada! - - - PKG and Game versions match: - Las versiones de PKG y del juego coinciden: - - - Would you like to overwrite? - ¿Desea sobrescribir? - - - PKG Version %1 is older than installed version: - La versión de PKG %1 es más antigua que la versión instalada: - - - Game is installed: - El juego está instalado: - - - Would you like to install Patch: - ¿Desea instalar la actualización: - - - DLC Installation - Instalación de DLC - - - Would you like to install DLC: %1? - ¿Desea instalar el DLC: %1? - - - DLC already installed: - DLC ya instalado: - - - Game already installed - Juego ya instalado - - - PKG is a patch, please install the game first! - PKG es un parche, ¡por favor instala el juego primero! - - - PKG ERROR - ERROR PKG - - - Extracting PKG %1/%2 - Extrayendo PKG %1/%2 - - - Extraction Finished - Extracción terminada - - - Game successfully installed at %1 - Juego instalado exitosamente en %1 - - - File doesn't appear to be a valid PKG file - El archivo parece no ser un archivo PKG válido - - - - PKGViewer - - Open Folder - Abrir carpeta - - - - TrophyViewer - - Trophy Viewer - Vista de trofeos - - - - SettingsDialog - - Settings - Configuración - - - General - General - - - System - Sistema - - - Console Language - Idioma de la consola - - - Emulator Language - Idioma del emulador - - - Emulator - Emulador - - - Enable Fullscreen - Habilitar pantalla completa - - - Fullscreen Mode - Modo de Pantalla Completa - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Pestaña predeterminada al abrir la configuración - - - Show Game Size In List - Mostrar Tamaño del Juego en la Lista - - - Show Splash - Mostrar splash - - - Is PS4 Pro - Modo PS4 Pro - - - Enable Discord Rich Presence - Habilitar Discord Rich Presence - - - Username - Nombre de usuario - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Registro - - - Log Type - Tipo de registro - - - Log Filter - Filtro de registro - - - Open Log Location - Abrir ubicación del registro - - - Input - Entrada - - - Cursor - Cursor - - - Hide Cursor - Ocultar cursor - - - Hide Cursor Idle Timeout - Tiempo de espera para ocultar cursor inactivo - - - s - s - - - Controller - Controlador - - - Back Button Behavior - Comportamiento del botón de retroceso - - - Graphics - Gráficos - - - GUI - Interfaz - - - User - Usuario - - - Graphics Device - Dispositivo gráfico - - - Width - Ancho - - - Height - Alto - - - Vblank Divider - Divisor de Vblank - - - Advanced - Avanzado - - - Enable Shaders Dumping - Habilitar volcado de shaders - - - Enable NULL GPU - Habilitar GPU NULL - - - Paths - Rutas - - - Game Folders - Carpetas de juego - - - Add... - Añadir... - - - Remove - Eliminar - - - Debug - Depuración - - - Enable Debug Dumping - Habilitar volcado de depuración - - - Enable Vulkan Validation Layers - Habilitar capas de validación de Vulkan - - - Enable Vulkan Synchronization Validation - Habilitar validación de sincronización de Vulkan - - - Enable RenderDoc Debugging - Habilitar depuración de RenderDoc - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Actualización - - - Check for Updates at Startup - Buscar actualizaciones al iniciar - - - Always Show Changelog - Mostrar siempre el registro de cambios - - - Update Channel - Canal de Actualización - - - Check for Updates - Verificar actualizaciones - - - GUI Settings - Configuraciones de la Interfaz - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Background Image - Imagen de fondo - - - Show Background Image - Mostrar Imagen de Fondo - - - Opacity - Opacidad - - - Play title music - Reproducir la música de apertura - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Volumen - - - Audio Backend - Audio Backend - - - Save - Guardar - - - Apply - Aplicar - - - Restore Defaults - Restaurar Valores Predeterminados - - - Close - Cerrar - - - Point your mouse at an option to display its description. - Coloque el mouse sobre una opción para mostrar su descripción. - - - consoleLanguageGroupBox - Idioma de la Consola:\nEstablece el idioma que utiliza el juego de PS4.\nSe recomienda configurarlo a un idioma que el juego soporte, lo cual varía por región. - - - emulatorLanguageGroupBox - Idioma del Emulador:\nConfigura el idioma de la interfaz de usuario del emulador. - - - fullscreenCheckBox - Habilitar Pantalla Completa:\nColoca automáticamente la ventana del juego en modo de pantalla completa.\nEsto se puede alternar presionando la tecla F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Mostrar Pantalla de Inicio:\nMuestra la pantalla de inicio del juego (una imagen especial) mientras el juego se está iniciando. - - - ps4proCheckBox - Es PS4 Pro:\nHace que el emulador actúe como una PS4 PRO, lo que puede habilitar funciones especiales en los juegos que lo admitan. - - - discordRPCCheckbox - Habilitar Discord Rich Presence:\nMuestra el ícono del emulador y la información relevante en tu perfil de Discord. - - - userName - Nombre de Usuario:\nEstablece el nombre de usuario de la cuenta de PS4, que puede ser mostrado por algunos juegos. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Tipo de Registro:\nEstablece si sincronizar la salida de la ventana de registro para mejorar el rendimiento. Puede tener efectos adversos en la emulación. - - - logFilter - Filtro de Registro:\nFiltra el registro para imprimir solo información específica.\nEjemplos: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveles: Trace, Debug, Info, Warning, Error, Critical - en este orden, un nivel específico silencia todos los niveles anteriores en la lista y registra cada nivel posterior. - - - updaterGroupBox - Actualización:\nRelease: Versiones oficiales lanzadas cada mes que pueden estar muy desactualizadas, pero son más confiables y están probadas.\nNightly: Versiones de desarrollo que tienen todas las últimas funciones y correcciones, pero pueden contener errores y son menos estables. - - - GUIBackgroundImageGroupBox - Imagen de fondo:\nControle la opacidad de la imagen de fondo del juego. - - - GUIMusicGroupBox - Reproducir Música del Título:\nSi un juego lo admite, habilita la reproducción de música especial al seleccionar el juego en la interfaz gráfica. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Ocultar Cursor:\nElija cuándo desaparecerá el cursor:\nNunca: Siempre verá el mouse.\nInactivo: Establezca un tiempo para que desaparezca después de estar inactivo.\nSiempre: nunca verá el mouse. - - - idleTimeoutGroupBox - Establezca un tiempo para que el mouse desaparezca después de estar inactivo. - - - backButtonBehaviorGroupBox - Comportamiento del Botón Atrás:\nEstablece el botón atrás del controlador para emular el toque en la posición especificada en el touchpad del PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Nunca - - - Idle - Inactivo - - - Always - Siempre - - - Touchpad Left - Touchpad Izquierda - - - Touchpad Right - Touchpad Derecha - - - Touchpad Center - Centro del Touchpad - - - None - Ninguno - - - graphicsAdapterGroupBox - Dispositivo Gráfico:\nEn sistemas con múltiples GPU, selecciona la GPU que el emulador utilizará de la lista desplegable,\o selecciona "Auto Select" para determinarla automáticamente. - - - resolutionLayout - Anchura/Altura:\nEstablece el tamaño de la ventana del emulador al iniciar, que se puede redimensionar durante el juego.\nEsto es diferente de la resolución en el juego. - - - heightDivider - Divisor de Vblank:\nLa tasa de cuadros a la que se refresca el emulador se multiplica por este número. Cambiar esto puede tener efectos adversos, como aumentar la velocidad del juego, o romper la funcionalidad crítica del juego que no espera que esto cambie. - - - dumpShadersCheckBox - Habilitar la Volcadura de Sombras:\nPor el bien de la depuración técnica, guarda las sombras del juego en una carpeta mientras se renderizan. - - - nullGpuCheckBox - Habilitar GPU Nula:\nPor el bien de la depuración técnica, desactiva el renderizado del juego como si no hubiera tarjeta gráfica. - - - gameFoldersBox - Carpetas de Juegos:\nLa lista de carpetas para verificar los juegos instalados. - - - addFolderButton - Añadir:\nAgregar una carpeta a la lista. - - - removeFolderButton - Eliminar:\nEliminar una carpeta de la lista. - - - debugDump - Habilitar la Volcadura de Depuración:\nGuarda los símbolos de importación y exportación y la información del encabezado del archivo del programa de PS4 que se está ejecutando actualmente en un directorio. - - - vkValidationCheckBox - Habilitar Capas de Validación de Vulkan:\nHabilita un sistema que valida el estado del renderizador de Vulkan y registra información sobre su estado interno. Esto reducirá el rendimiento y probablemente cambiará el comportamiento de la emulación. - - - vkSyncValidationCheckBox - Habilitar Validación de Sincronización de Vulkan:\nHabilita un sistema que valida el tiempo de las tareas de renderizado de Vulkan. Esto reducirá el rendimiento y probablemente cambiará el comportamiento de la emulación. - - - rdocCheckBox - Habilitar Depuración de RenderDoc:\nSi se habilita, el emulador proporcionará compatibilidad con Renderdoc para permitir la captura y análisis del fotograma actualmente renderizado. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Los cheats/patches son experimentales.\nÚselos con precaución.\n\nDescargue los cheats individualmente seleccionando el repositorio y haciendo clic en el botón de descarga.\nEn la pestaña Patches, puede descargar todos los patches a la vez, elegir cuáles desea usar y guardar la selección.\n\nComo no desarrollamos los Cheats/Patches,\npor favor informe los problemas al autor del cheat.\n\n¿Creaste un nuevo cheat? Visita:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - No hay imagen disponible - - - Serial: - Número de serie: - - - Version: - Versión: - - - Size: - Tamaño: - - - Select Cheat File: - Seleccionar archivo de trucos: - - - Repository: - Repositorio: - - - Download Cheats - Descargar trucos - - - Delete File - Eliminar archivo - - - No files selected. - No se han seleccionado archivos. - - - You can delete the cheats you don't want after downloading them. - Puedes eliminar los trucos que no quieras una vez descargados. - - - Do you want to delete the selected file?\n%1 - ¿Deseas eliminar el archivo seleccionado?\n%1 - - - Select Patch File: - Seleccionar archivo de parche: - - - Download Patches - Descargar parches - - - Save - Guardar - - - Cheats - Trucos - - - Patches - Parches - - - Error - Error - - - No patch selected. - No se ha seleccionado ningún parche. - - - Unable to open files.json for reading. - No se puede abrir files.json para lectura. - - - No patch file found for the current serial. - No se encontró ningún archivo de parche para el número de serie actual. - - - Unable to open the file for reading. - No se puede abrir el archivo para lectura. - - - Unable to open the file for writing. - No se puede abrir el archivo para escritura. - - - Failed to parse XML: - Error al analizar XML: - - - Success - Éxito - - - Options saved successfully. - Opciones guardadas exitosamente. - - - Invalid Source - Fuente inválida - - - The selected source is invalid. - La fuente seleccionada es inválida. - - - File Exists - El archivo ya existe - - - File already exists. Do you want to replace it? - El archivo ya existe. ¿Deseas reemplazarlo? - - - Failed to save file: - Error al guardar el archivo: - - - Failed to download file: - Error al descargar el archivo: - - - Cheats Not Found - Trucos no encontrados - - - CheatsNotFound_MSG - No se encontraron trucos para este juego en esta versión del repositorio seleccionado,intenta con otro repositorio o con una versión diferente del juego. - - - Cheats Downloaded Successfully - Trucos descargados exitosamente - - - CheatsDownloadedSuccessfully_MSG - Has descargado exitosamente los trucos para esta versión del juego desde el repositorio seleccionado. Puedes intentar descargar desde otro repositorio; si está disponible, también será posible usarlo seleccionando el archivo de la lista. - - - Failed to save: - Error al guardar: - - - Failed to download: - Error al descargar: - - - Download Complete - Descarga completa - - - DownloadComplete_MSG - ¡Parches descargados exitosamente! Todos los parches disponibles para todos los juegos han sido descargados, no es necesario descargarlos individualmente para cada juego como ocurre con los trucos. Si el parche no aparece, puede ser que no exista para el número de serie y versión específicos del juego. - - - Failed to parse JSON data from HTML. - Error al analizar los datos JSON del HTML. - - - Failed to retrieve HTML page. - Error al recuperar la página HTML. - - - The game is in version: %1 - El juego está en la versión: %1 - - - The downloaded patch only works on version: %1 - El parche descargado solo funciona en la versión: %1 - - - You may need to update your game. - Puede que necesites actualizar tu juego. - - - Incompatibility Notice - Aviso de incompatibilidad - - - Failed to open file: - Error al abrir el archivo: - - - XML ERROR: - ERROR XML: - - - Failed to open files.json for writing - Error al abrir files.json para escritura - - - Author: - Autor: - - - Directory does not exist: - El directorio no existe: - - - Failed to open files.json for reading. - Error al abrir files.json para lectura. - - - Name: - Nombre: - - - Can't apply cheats before the game is started - No se pueden aplicar trucos antes de que se inicie el juego. - - - - GameListFrame - - Icon - Icono - - - Name - Nombre - - - Serial - Numero de serie - - - Compatibility - Compatibility - - - Region - Región - - - Firmware - Firmware - - - Size - Tamaño - - - Version - Versión - - - Path - Ruta - - - Play Time - Tiempo de Juego - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Haz clic para ver detalles en GitHub - - - Last updated - Última actualización - - - - CheckUpdate - - Auto Updater - Actualizador Automático - - - Error - Error - - - Network error: - Error de red: - - - Error_Github_limit_MSG - El actualizador automático permite hasta 60 comprobaciones de actualización por hora.\nHas alcanzado este límite. Por favor, inténtalo de nuevo más tarde. - - - Failed to parse update information. - Error al analizar la información de actualización. - - - No pre-releases found. - No se encontraron prelanzamientos. - - - Invalid release data. - Datos de versión no válidos. - - - No download URL found for the specified asset. - No se encontró URL de descarga para el activo especificado. - - - Your version is already up to date! - ¡Su versión ya está actualizada! - - - Update Available - Actualización disponible - - - Update Channel - Canal de Actualización - - - Current Version - Versión actual - - - Latest Version - Última versión - - - Do you want to update? - ¿Quieres actualizar? - - - Show Changelog - Mostrar registro de cambios - - - Check for Updates at Startup - Buscar actualizaciones al iniciar - - - Update - Actualizar - - - No - No - - - Hide Changelog - Ocultar registro de cambios - - - Changes - Cambios - - - Network error occurred while trying to access the URL - Se produjo un error de red al intentar acceder a la URL - - - Download Complete - Descarga completa - - - The update has been downloaded, press OK to install. - La actualización se ha descargado, presione Aceptar para instalar. - - - Failed to save the update file at - No se pudo guardar el archivo de actualización en - - - Starting Update... - Iniciando actualización... - - - Failed to create the update script file - No se pudo crear el archivo del script de actualización - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Obteniendo datos de compatibilidad, por favor espera - - - Cancel - Cancelar - - - Loading... - Cargando... - - - Error - Error - - - Unable to update compatibility data! Try again later. - ¡No se pudo actualizar los datos de compatibilidad! Intenta de nuevo más tarde. - - - Unable to open compatibility_data.json for writing. - No se pudo abrir compatibility_data.json para escribir. - - - Unknown - Desconocido - - - Nothing - Nada - - - Boots - Inicia - - - Menus - Menús - - - Ingame - En el juego - - - Playable - Jugable - - + + AboutDialog + + About shadPS4 + Acerca de shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 es un emulador experimental de código abierto para la PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Este software no debe utilizarse para jugar juegos que hayas obtenido ilegalmente. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Los cheats/patches son experimentales.\nÚselos con precaución.\n\nDescargue los cheats individualmente seleccionando el repositorio y haciendo clic en el botón de descarga.\nEn la pestaña Patches, puede descargar todos los patches a la vez, elegir cuáles desea usar y guardar la selección.\n\nComo no desarrollamos los Cheats/Patches,\npor favor informe los problemas al autor del cheat.\n\n¿Creaste un nuevo cheat? Visita:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + No hay imagen disponible + + + Serial: + Número de serie: + + + Version: + Versión: + + + Size: + Tamaño: + + + Select Cheat File: + Seleccionar archivo de trucos: + + + Repository: + Repositorio: + + + Download Cheats + Descargar trucos + + + Delete File + Eliminar archivo + + + No files selected. + No se han seleccionado archivos. + + + You can delete the cheats you don't want after downloading them. + Puedes eliminar los trucos que no quieras una vez descargados. + + + Do you want to delete the selected file?\n%1 + ¿Deseas eliminar el archivo seleccionado?\n%1 + + + Select Patch File: + Seleccionar archivo de parche: + + + Download Patches + Descargar parches + + + Save + Guardar + + + Cheats + Trucos + + + Patches + Parches + + + Error + Error + + + No patch selected. + No se ha seleccionado ningún parche. + + + Unable to open files.json for reading. + No se puede abrir files.json para lectura. + + + No patch file found for the current serial. + No se encontró ningún archivo de parche para el número de serie actual. + + + Unable to open the file for reading. + No se puede abrir el archivo para lectura. + + + Unable to open the file for writing. + No se puede abrir el archivo para escritura. + + + Failed to parse XML: + Error al analizar XML: + + + Success + Éxito + + + Options saved successfully. + Opciones guardadas exitosamente. + + + Invalid Source + Fuente inválida + + + The selected source is invalid. + La fuente seleccionada es inválida. + + + File Exists + El archivo ya existe + + + File already exists. Do you want to replace it? + El archivo ya existe. ¿Deseas reemplazarlo? + + + Failed to save file: + Error al guardar el archivo: + + + Failed to download file: + Error al descargar el archivo: + + + Cheats Not Found + Trucos no encontrados + + + CheatsNotFound_MSG + No se encontraron trucos para este juego en esta versión del repositorio seleccionado,intenta con otro repositorio o con una versión diferente del juego. + + + Cheats Downloaded Successfully + Trucos descargados exitosamente + + + CheatsDownloadedSuccessfully_MSG + Has descargado exitosamente los trucos para esta versión del juego desde el repositorio seleccionado. Puedes intentar descargar desde otro repositorio; si está disponible, también será posible usarlo seleccionando el archivo de la lista. + + + Failed to save: + Error al guardar: + + + Failed to download: + Error al descargar: + + + Download Complete + Descarga completa + + + DownloadComplete_MSG + ¡Parches descargados exitosamente! Todos los parches disponibles para todos los juegos han sido descargados, no es necesario descargarlos individualmente para cada juego como ocurre con los trucos. Si el parche no aparece, puede ser que no exista para el número de serie y versión específicos del juego. + + + Failed to parse JSON data from HTML. + Error al analizar los datos JSON del HTML. + + + Failed to retrieve HTML page. + Error al recuperar la página HTML. + + + The game is in version: %1 + El juego está en la versión: %1 + + + The downloaded patch only works on version: %1 + El parche descargado solo funciona en la versión: %1 + + + You may need to update your game. + Puede que necesites actualizar tu juego. + + + Incompatibility Notice + Aviso de incompatibilidad + + + Failed to open file: + Error al abrir el archivo: + + + XML ERROR: + ERROR XML: + + + Failed to open files.json for writing + Error al abrir files.json para escritura + + + Author: + Autor: + + + Directory does not exist: + El directorio no existe: + + + Failed to open files.json for reading. + Error al abrir files.json para lectura. + + + Name: + Nombre: + + + Can't apply cheats before the game is started + No se pueden aplicar trucos antes de que se inicie el juego. + + + Close + Cerrar + + + + CheckUpdate + + Auto Updater + Actualizador Automático + + + Error + Error + + + Network error: + Error de red: + + + Error_Github_limit_MSG + El actualizador automático permite hasta 60 comprobaciones de actualización por hora.\nHas alcanzado este límite. Por favor, inténtalo de nuevo más tarde. + + + Failed to parse update information. + Error al analizar la información de actualización. + + + No pre-releases found. + No se encontraron prelanzamientos. + + + Invalid release data. + Datos de versión no válidos. + + + No download URL found for the specified asset. + No se encontró URL de descarga para el activo especificado. + + + Your version is already up to date! + ¡Su versión ya está actualizada! + + + Update Available + Actualización disponible + + + Update Channel + Canal de Actualización + + + Current Version + Versión actual + + + Latest Version + Última versión + + + Do you want to update? + ¿Quieres actualizar? + + + Show Changelog + Mostrar registro de cambios + + + Check for Updates at Startup + Buscar actualizaciones al iniciar + + + Update + Actualizar + + + No + No + + + Hide Changelog + Ocultar registro de cambios + + + Changes + Cambios + + + Network error occurred while trying to access the URL + Se produjo un error de red al intentar acceder a la URL + + + Download Complete + Descarga completa + + + The update has been downloaded, press OK to install. + La actualización se ha descargado, presione Aceptar para instalar. + + + Failed to save the update file at + No se pudo guardar el archivo de actualización en + + + Starting Update... + Iniciando actualización... + + + Failed to create the update script file + No se pudo crear el archivo del script de actualización + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Obteniendo datos de compatibilidad, por favor espera + + + Cancel + Cancelar + + + Loading... + Cargando... + + + Error + Error + + + Unable to update compatibility data! Try again later. + ¡No se pudo actualizar los datos de compatibilidad! Intenta de nuevo más tarde. + + + Unable to open compatibility_data.json for writing. + No se pudo abrir compatibility_data.json para escribir. + + + Unknown + Desconocido + + + Nothing + Nada + + + Boots + Inicia + + + Menus + Menús + + + Ingame + En el juego + + + Playable + Jugable + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Abrir carpeta + + + + GameInfoClass + + Loading game list, please wait :3 + Cargando lista de juegos, por favor espera :3 + + + Cancel + Cancelar + + + Loading... + Cargando... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Elegir carpeta + + + Directory to install games + Carpeta para instalar juegos + + + Browse + Buscar + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icono + + + Name + Nombre + + + Serial + Numero de serie + + + Compatibility + Compatibility + + + Region + Región + + + Firmware + Firmware + + + Size + Tamaño + + + Version + Versión + + + Path + Ruta + + + Play Time + Tiempo de Juego + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Haz clic para ver detalles en GitHub + + + Last updated + Última actualización + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Crear acceso directo + + + Cheats / Patches + Trucos / Parches + + + SFO Viewer + Vista SFO + + + Trophy Viewer + Ver trofeos + + + Open Folder... + Abrir Carpeta... + + + Open Game Folder + Abrir Carpeta del Juego + + + Open Save Data Folder + Abrir Carpeta de Datos Guardados + + + Open Log Folder + Abrir Carpeta de Registros + + + Copy info... + Copiar información... + + + Copy Name + Copiar nombre + + + Copy Serial + Copiar número de serie + + + Copy All + Copiar todo + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Acceso directo creado + + + Shortcut created successfully! + ¡Acceso directo creado con éxito! + + + Error + Error + + + Error creating shortcut! + ¡Error al crear el acceso directo! + + + Install PKG + Instalar PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Elegir carpeta + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Abrir/Agregar carpeta Elf + + + Install Packages (PKG) + Instalar paquetes (PKG) + + + Boot Game + Iniciar juego + + + Check for Updates + Buscar actualizaciones + + + About shadPS4 + Acerca de shadPS4 + + + Configure... + Configurar... + + + Install application from a .pkg file + Instalar aplicación desde un archivo .pkg + + + Recent Games + Juegos recientes + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Salir + + + Exit shadPS4 + Salir de shadPS4 + + + Exit the application. + Salir de la aplicación. + + + Show Game List + Mostrar lista de juegos + + + Game List Refresh + Actualizar lista de juegos + + + Tiny + Muy pequeño + + + Small + Pequeño + + + Medium + Mediano + + + Large + Grande + + + List View + Vista de lista + + + Grid View + Vista de cuadrícula + + + Elf Viewer + Vista Elf + + + Game Install Directory + Carpeta de instalación de los juegos + + + Download Cheats/Patches + Descargar Trucos / Parches + + + Dump Game List + Volcar lista de juegos + + + PKG Viewer + Vista PKG + + + Search... + Buscar... + + + File + Archivo + + + View + Vista + + + Game List Icons + Iconos de los juegos + + + Game List Mode + Tipo de lista + + + Settings + Configuración + + + Utils + Utilidades + + + Themes + Temas + + + Help + Ayuda + + + Dark + Oscuro + + + Light + Claro + + + Green + Verde + + + Blue + Azul + + + Violet + Violeta + + + toolBar + Barra de herramientas + + + Game List + Lista de juegos + + + * Unsupported Vulkan Version + * Versión de Vulkan no soportada + + + Download Cheats For All Installed Games + Descargar trucos para todos los juegos instalados + + + Download Patches For All Games + Descargar parches para todos los juegos + + + Download Complete + Descarga completa + + + You have downloaded cheats for all the games you have installed. + Has descargado trucos para todos los juegos que tienes instalados. + + + Patches Downloaded Successfully! + ¡Parches descargados exitosamente! + + + All Patches available for all games have been downloaded. + Todos los parches disponibles han sido descargados para todos los juegos. + + + Games: + Juegos: + + + ELF files (*.bin *.elf *.oelf) + Archivos ELF (*.bin *.elf *.oelf) + + + Game Boot + Inicio del juego + + + Only one file can be selected! + ¡Solo se puede seleccionar un archivo! + + + PKG Extraction + Extracción de PKG + + + Patch detected! + ¡Actualización detectada! + + + PKG and Game versions match: + Las versiones de PKG y del juego coinciden: + + + Would you like to overwrite? + ¿Desea sobrescribir? + + + PKG Version %1 is older than installed version: + La versión de PKG %1 es más antigua que la versión instalada: + + + Game is installed: + El juego está instalado: + + + Would you like to install Patch: + ¿Desea instalar la actualización: + + + DLC Installation + Instalación de DLC + + + Would you like to install DLC: %1? + ¿Desea instalar el DLC: %1? + + + DLC already installed: + DLC ya instalado: + + + Game already installed + Juego ya instalado + + + PKG ERROR + ERROR PKG + + + Extracting PKG %1/%2 + Extrayendo PKG %1/%2 + + + Extraction Finished + Extracción terminada + + + Game successfully installed at %1 + Juego instalado exitosamente en %1 + + + File doesn't appear to be a valid PKG file + El archivo parece no ser un archivo PKG válido + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Abrir carpeta + + + Name + Nombre + + + Serial + Numero de serie + + + Installed + + + + Size + Tamaño + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Región + + + Flags + + + + Path + Ruta + + + File + Archivo + + + PKG ERROR + ERROR PKG + + + Unknown + Desconocido + + + Package + + + + + SettingsDialog + + Settings + Configuración + + + General + General + + + System + Sistema + + + Console Language + Idioma de la consola + + + Emulator Language + Idioma del emulador + + + Emulator + Emulador + + + Enable Fullscreen + Habilitar pantalla completa + + + Fullscreen Mode + Modo de Pantalla Completa + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Pestaña predeterminada al abrir la configuración + + + Show Game Size In List + Mostrar Tamaño del Juego en la Lista + + + Show Splash + Mostrar splash + + + Enable Discord Rich Presence + Habilitar Discord Rich Presence + + + Username + Nombre de usuario + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Registro + + + Log Type + Tipo de registro + + + Log Filter + Filtro de registro + + + Open Log Location + Abrir ubicación del registro + + + Input + Entrada + + + Cursor + Cursor + + + Hide Cursor + Ocultar cursor + + + Hide Cursor Idle Timeout + Tiempo de espera para ocultar cursor inactivo + + + s + s + + + Controller + Controlador + + + Back Button Behavior + Comportamiento del botón de retroceso + + + Graphics + Gráficos + + + GUI + Interfaz + + + User + Usuario + + + Graphics Device + Dispositivo gráfico + + + Width + Ancho + + + Height + Alto + + + Vblank Divider + Divisor de Vblank + + + Advanced + Avanzado + + + Enable Shaders Dumping + Habilitar volcado de shaders + + + Enable NULL GPU + Habilitar GPU NULL + + + Paths + Rutas + + + Game Folders + Carpetas de juego + + + Add... + Añadir... + + + Remove + Eliminar + + + Debug + Depuración + + + Enable Debug Dumping + Habilitar volcado de depuración + + + Enable Vulkan Validation Layers + Habilitar capas de validación de Vulkan + + + Enable Vulkan Synchronization Validation + Habilitar validación de sincronización de Vulkan + + + Enable RenderDoc Debugging + Habilitar depuración de RenderDoc + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Actualización + + + Check for Updates at Startup + Buscar actualizaciones al iniciar + + + Always Show Changelog + Mostrar siempre el registro de cambios + + + Update Channel + Canal de Actualización + + + Check for Updates + Verificar actualizaciones + + + GUI Settings + Configuraciones de la Interfaz + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Background Image + Imagen de fondo + + + Show Background Image + Mostrar Imagen de Fondo + + + Opacity + Opacidad + + + Play title music + Reproducir la música de apertura + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Volumen + + + Save + Guardar + + + Apply + Aplicar + + + Restore Defaults + Restaurar Valores Predeterminados + + + Close + Cerrar + + + Point your mouse at an option to display its description. + Coloque el mouse sobre una opción para mostrar su descripción. + + + consoleLanguageGroupBox + Idioma de la Consola:\nEstablece el idioma que utiliza el juego de PS4.\nSe recomienda configurarlo a un idioma que el juego soporte, lo cual varía por región. + + + emulatorLanguageGroupBox + Idioma del Emulador:\nConfigura el idioma de la interfaz de usuario del emulador. + + + fullscreenCheckBox + Habilitar Pantalla Completa:\nColoca automáticamente la ventana del juego en modo de pantalla completa.\nEsto se puede alternar presionando la tecla F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Mostrar Pantalla de Inicio:\nMuestra la pantalla de inicio del juego (una imagen especial) mientras el juego se está iniciando. + + + discordRPCCheckbox + Habilitar Discord Rich Presence:\nMuestra el ícono del emulador y la información relevante en tu perfil de Discord. + + + userName + Nombre de Usuario:\nEstablece el nombre de usuario de la cuenta de PS4, que puede ser mostrado por algunos juegos. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Tipo de Registro:\nEstablece si sincronizar la salida de la ventana de registro para mejorar el rendimiento. Puede tener efectos adversos en la emulación. + + + logFilter + Filtro de Registro:\nFiltra el registro para imprimir solo información específica.\nEjemplos: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveles: Trace, Debug, Info, Warning, Error, Critical - en este orden, un nivel específico silencia todos los niveles anteriores en la lista y registra cada nivel posterior. + + + updaterGroupBox + Actualización:\nRelease: Versiones oficiales lanzadas cada mes que pueden estar muy desactualizadas, pero son más confiables y están probadas.\nNightly: Versiones de desarrollo que tienen todas las últimas funciones y correcciones, pero pueden contener errores y son menos estables. + + + GUIBackgroundImageGroupBox + Imagen de fondo:\nControle la opacidad de la imagen de fondo del juego. + + + GUIMusicGroupBox + Reproducir Música del Título:\nSi un juego lo admite, habilita la reproducción de música especial al seleccionar el juego en la interfaz gráfica. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Ocultar Cursor:\nElija cuándo desaparecerá el cursor:\nNunca: Siempre verá el mouse.\nInactivo: Establezca un tiempo para que desaparezca después de estar inactivo.\nSiempre: nunca verá el mouse. + + + idleTimeoutGroupBox + Establezca un tiempo para que el mouse desaparezca después de estar inactivo. + + + backButtonBehaviorGroupBox + Comportamiento del Botón Atrás:\nEstablece el botón atrás del controlador para emular el toque en la posición especificada en el touchpad del PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Nunca + + + Idle + Inactivo + + + Always + Siempre + + + Touchpad Left + Touchpad Izquierda + + + Touchpad Right + Touchpad Derecha + + + Touchpad Center + Centro del Touchpad + + + None + Ninguno + + + graphicsAdapterGroupBox + Dispositivo Gráfico:\nEn sistemas con múltiples GPU, selecciona la GPU que el emulador utilizará de la lista desplegable,\o selecciona "Auto Select" para determinarla automáticamente. + + + resolutionLayout + Anchura/Altura:\nEstablece el tamaño de la ventana del emulador al iniciar, que se puede redimensionar durante el juego.\nEsto es diferente de la resolución en el juego. + + + heightDivider + Divisor de Vblank:\nLa tasa de cuadros a la que se refresca el emulador se multiplica por este número. Cambiar esto puede tener efectos adversos, como aumentar la velocidad del juego, o romper la funcionalidad crítica del juego que no espera que esto cambie. + + + dumpShadersCheckBox + Habilitar la Volcadura de Sombras:\nPor el bien de la depuración técnica, guarda las sombras del juego en una carpeta mientras se renderizan. + + + nullGpuCheckBox + Habilitar GPU Nula:\nPor el bien de la depuración técnica, desactiva el renderizado del juego como si no hubiera tarjeta gráfica. + + + gameFoldersBox + Carpetas de Juegos:\nLa lista de carpetas para verificar los juegos instalados. + + + addFolderButton + Añadir:\nAgregar una carpeta a la lista. + + + removeFolderButton + Eliminar:\nEliminar una carpeta de la lista. + + + debugDump + Habilitar la Volcadura de Depuración:\nGuarda los símbolos de importación y exportación y la información del encabezado del archivo del programa de PS4 que se está ejecutando actualmente en un directorio. + + + vkValidationCheckBox + Habilitar Capas de Validación de Vulkan:\nHabilita un sistema que valida el estado del renderizador de Vulkan y registra información sobre su estado interno. Esto reducirá el rendimiento y probablemente cambiará el comportamiento de la emulación. + + + vkSyncValidationCheckBox + Habilitar Validación de Sincronización de Vulkan:\nHabilita un sistema que valida el tiempo de las tareas de renderizado de Vulkan. Esto reducirá el rendimiento y probablemente cambiará el comportamiento de la emulación. + + + rdocCheckBox + Habilitar Depuración de RenderDoc:\nSi se habilita, el emulador proporcionará compatibilidad con Renderdoc para permitir la captura y análisis del fotograma actualmente renderizado. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Buscar + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Carpeta para instalar juegos + + + Directory to save data + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Vista de trofeos + + diff --git a/src/qt_gui/translations/fa_IR.ts b/src/qt_gui/translations/fa_IR.ts index 3569e9adc..81ff8e901 100644 --- a/src/qt_gui/translations/fa_IR.ts +++ b/src/qt_gui/translations/fa_IR.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - درباره ShadPS4 - - - shadPS4 - ShadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - یک شبیه ساز متن باز برای پلی استیشن 4 است. - - - This software should not be used to play games you have not legally obtained. - این برنامه نباید برای بازی هایی که شما به صورت غیرقانونی به دست آوردید استفاده شود. - - - - ElfViewer - - Open Folder - فولدر را بازکن - - - - GameInfoClass - - Loading game list, please wait :3 - درحال بارگیری لیست بازی ها,لطفا کمی صبرکنید :3 - - - Cancel - لغو - - - Loading... - ...درحال بارگیری - - - - InstallDirSelect - - shadPS4 - Choose directory - ShadPS4 - انتخاب محل نصب بازی - - - Select which directory you want to install to. - محلی را که می‌خواهید در آن نصب شود، انتخاب کنید. - - - - GameInstallDialog - - shadPS4 - Choose directory - ShadPS4 - انتخاب محل نصب بازی - - - Directory to install games - محل نصب بازی ها - - - Browse - انتخاب دستی - - - Error - ارور - - - The value for location to install games is not valid. - .مکان داده شده برای نصب بازی درست نمی باشد - - - - GuiContextMenus - - Create Shortcut - ایجاد میانبر - - - Cheats / Patches - چیت/پچ ها - - - SFO Viewer - SFO مشاهده - - - Trophy Viewer - مشاهده جوایز - - - Open Folder... - باز کردن پوشه... - - - Open Game Folder - باز کردن پوشه بازی - - - Open Save Data Folder - پوشه ذخیره داده را باز کنید - - - Open Log Folder - باز کردن پوشه لاگ - - - Copy info... - ...کپی کردن اطلاعات - - - Copy Name - کپی کردن نام - - - Copy Serial - کپی کردن سریال - - - Copy All - کپی کردن تمامی مقادیر - - - Delete... - حذف... - - - Delete Game - حذف بازی - - - Delete Update - حذف به‌روزرسانی - - - Delete DLC - حذف محتوای اضافی (DLC) - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - ایجاد میانبر - - - Shortcut created successfully! - میانبر با موفقیت ساخته شد! - - - Error - ارور - - - Error creating shortcut! - مشکلی در هنگام ساخت میانبر بوجود آمد! - - - Install PKG - نصب PKG - - - Game - بازی - - - requiresEnableSeparateUpdateFolder_MSG - این قابلیت نیازمند فعال‌سازی گزینه تنظیمات «ایجاد پوشه جداگانه برای به‌روزرسانی» است. در صورت تمایل به استفاده از این قابلیت، لطفاً آن را فعال کنید. - - - This game has no update to delete! - این بازی به‌روزرسانی‌ای برای حذف ندارد! - - - Update - به‌روزرسانی - - - This game has no DLC to delete! - این بازی محتوای اضافی (DLC) برای حذف ندارد! - - - DLC - DLC - - - Delete %1 - حذف %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - ELF بازکردن/ساختن پوشه - - - Install Packages (PKG) - نصب بسته (PKG) - - - Boot Game - اجرای بازی - - - Check for Updates - به روز رسانی را بررسی کنید - - - About shadPS4 - ShadPS4 درباره - - - Configure... - ...تنظیمات - - - Install application from a .pkg file - .PKG نصب بازی از فایل - - - Recent Games - بازی های اخیر - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - خروج - - - Exit shadPS4 - ShadPS4 بستن - - - Exit the application. - بستن برنامه - - - Show Game List - نشان دادن بازی ها - - - Game List Refresh - رفرش لیست بازی ها - - - Tiny - کوچک ترین - - - Small - کوچک - - - Medium - متوسط - - - Large - بزرگ - - - List View - نمایش لیست - - - Grid View - شبکه ای (چهارخونه) - - - Elf Viewer - مشاهده گر Elf - - - Game Install Directory - محل نصب بازی - - - Download Cheats/Patches - دانلود چیت/پچ - - - Dump Game List - استخراج لیست بازی ها - - - PKG Viewer - PKG مشاهده گر - - - Search... - جست و جو... - - - File - فایل - - - View - شخصی سازی - - - Game List Icons - آیکون ها - - - Game List Mode - حالت نمایش لیست بازی ها - - - Settings - تنظیمات - - - Utils - ابزارها - - - Themes - تم ها - - - Help - کمک - - - Dark - تیره - - - Light - روشن - - - Green - سبز - - - Blue - آبی - - - Violet - بنفش - - - toolBar - نوار ابزار - - - Game List - لیست بازی - - - * Unsupported Vulkan Version - شما پشتیبانی نمیشود Vulkan ورژن * - - - Download Cheats For All Installed Games - دانلود چیت برای همه بازی ها - - - Download Patches For All Games - دانلود پچ برای همه بازی ها - - - Download Complete - دانلود کامل شد✅ - - - You have downloaded cheats for all the games you have installed. - چیت برای همه بازی های شما دانلودشد✅ - - - Patches Downloaded Successfully! - پچ ها با موفقیت دانلود شد✅ - - - All Patches available for all games have been downloaded. - ✅تمام پچ های موجود برای همه بازی های شما دانلود شد - - - Games: - بازی ها: - - - PKG File (*.PKG) - PKG فایل (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF فایل های (*.bin *.elf *.oelf) - - - Game Boot - اجرای بازی - - - Only one file can be selected! - فقط یک فایل انتخاب کنید! - - - PKG Extraction - PKG استخراج فایل - - - Patch detected! - پچ شناسایی شد! - - - PKG and Game versions match: - و نسخه بازی همخوانی دارد PKG فایل: - - - Would you like to overwrite? - آیا مایل به جایگزینی فایل هستید؟ - - - PKG Version %1 is older than installed version: - نسخه فایل PKG %1 قدیمی تر از نسخه نصب شده است: - - - Game is installed: - بازی نصب شد: - - - Would you like to install Patch: - آیا مایل به نصب پچ هستید: - - - DLC Installation - نصب DLC - - - Would you like to install DLC: %1? - آیا مایل به نصب DLC هستید: %1 - - - DLC already installed: - قبلا نصب شده DLC این: - - - Game already installed - این بازی قبلا نصب شده - - - PKG is a patch, please install the game first! - فایل انتخاب شده یک پچ است, لطفا اول بازی را نصب کنید - - - PKG ERROR - PKG ارور فایل - - - Extracting PKG %1/%2 - درحال استخراج PKG %1/%2 - - - Extraction Finished - استخراج به پایان رسید - - - Game successfully installed at %1 - بازی با موفقیت در %1 نصب شد - - - File doesn't appear to be a valid PKG file - این فایل یک PKG درست به نظر نمی آید - - - - PKGViewer - - Open Folder - بازکردن پوشه - - - - TrophyViewer - - Trophy Viewer - مشاهده جوایز - - - - SettingsDialog - - Settings - تنظیمات - - - General - عمومی - - - System - سیستم - - - Console Language - زبان کنسول - - - Emulator Language - زبان شبیه ساز - - - Emulator - شبیه ساز - - - Enable Fullscreen - تمام صفحه - - - Fullscreen Mode - حالت تمام صفحه - - - Enable Separate Update Folder - فعال‌سازی پوشه جداگانه برای به‌روزرسانی - - - Default tab when opening settings - زبان پیش‌فرض هنگام باز کردن تنظیمات - - - Show Game Size In List - نمایش اندازه بازی در لیست - - - Show Splash - Splash نمایش - - - Is PS4 Pro - PS4 Pro حالت - - - Enable Discord Rich Presence - Discord Rich Presence را فعال کنید - - - Username - نام کاربری - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log نوع - - - Log Filter - Log فیلتر - - - Open Log Location - باز کردن مکان گزارش - - - Input - ورودی - - - Cursor - نشانگر - - - Hide Cursor - پنهان کردن نشانگر - - - Hide Cursor Idle Timeout - مخفی کردن زمان توقف مکان نما - - - s - s - - - Controller - دسته بازی - - - Back Button Behavior - رفتار دکمه بازگشت - - - Graphics - گرافیک - - - GUI - رابط کاربری - - - User - کاربر - - - Graphics Device - کارت گرافیک مورداستفاده - - - Width - عرض - - - Height - طول - - - Vblank Divider - تقسیم‌کننده Vblank - - - Advanced - ...بیشتر - - - Enable Shaders Dumping - فعال‌سازی ذخیره‌سازی شیدرها - - - Enable NULL GPU - NULL GPU فعال کردن - - - Paths - مسیرها - - - Game Folders - پوشه های بازی - - - Add... - افزودن... - - - Remove - حذف - - - Debug - دیباگ - - - Enable Debug Dumping - Debug Dumping - - - Enable Vulkan Validation Layers - Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - به‌روزرسانی - - - Check for Updates at Startup - بررسی به‌روزرسانی‌ها در زمان راه‌اندازی - - - Always Show Changelog - نمایش دائم تاریخچه تغییرات - - - Update Channel - کانال به‌روزرسانی - - - Check for Updates - بررسی به‌روزرسانی‌ها - - - GUI Settings - تنظیمات رابط کاربری - - - Title Music - Title Music - - - Disable Trophy Pop-ups - غیرفعال کردن نمایش جوایز - - - Play title music - پخش موسیقی عنوان - - - Update Compatibility Database On Startup - به‌روزرسانی پایگاه داده سازگاری هنگام راه‌اندازی - - - Game Compatibility - سازگاری بازی با سیستم - - - Display Compatibility Data - نمایش داده‌های سازگاری - - - Update Compatibility Database - به‌روزرسانی پایگاه داده سازگاری - - - Volume - صدا - - - Audio Backend - Audio Backend - - - Save - ذخیره - - - Apply - اعمال - - - Restore Defaults - بازیابی پیش فرض ها - - - Close - بستن - - - Point your mouse at an option to display its description. - ماوس خود را بر روی یک گزینه قرار دهید تا توضیحات آن نمایش داده شود. - - - consoleLanguageGroupBox - Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. - - - emulatorLanguageGroupBox - زبان شبیه‌ساز:\nزبان رابط کاربری شبیه‌ساز را انتخاب می‌کند. - - - fullscreenCheckBox - فعال‌سازی تمام صفحه:\nپنجره بازی را به‌طور خودکار به حالت تمام صفحه در می‌آورد.\nبرای تغییر این حالت می‌توانید کلید F11 را فشار دهید. - - - separateUpdatesCheckBox - فعال‌سازی پوشه جداگانه برای به‌روزرسانی:\nامکان نصب به‌روزرسانی‌های بازی در یک پوشه جداگانه برای مدیریت راحت‌تر را فراهم می‌کند. - - - showSplashCheckBox - نمایش صفحه شروع:\nصفحه شروع بازی (تصویری ویژه) را هنگام بارگذاری بازی نمایش می‌دهد. - - - ps4proCheckBox - حالت PS4 Pro:\nشبیه‌ساز را به‌عنوان PS4 Pro شبیه‌سازی می‌کند که ممکن است ویژگی‌های ویژه‌ای را در بازی‌های پشتیبانی‌شده فعال کند. - - - discordRPCCheckbox - فعال کردن Discord Rich Presence:\nآیکون شبیه ساز و اطلاعات مربوطه را در نمایه Discord شما نمایش می دهد. - - - userName - نام کاربری:\nنام کاربری حساب PS4 را تنظیم می‌کند که ممکن است توسط برخی بازی‌ها نمایش داده شود. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - نوع لاگ:\nتنظیم می‌کند که آیا خروجی پنجره لاگ برای بهبود عملکرد همگام‌سازی شود یا خیر. این ممکن است تأثیر منفی بر شبیه‌سازی داشته باشد. - - - logFilter - Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Levels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. - - - updaterGroupBox - به‌روزرسانی:\nانتشار: نسخه‌های رسمی که هر ماه منتشر می‌شوند و ممکن است بسیار قدیمی باشند، اما پایدارتر و تست‌ شده‌تر هستند.\nشبانه: نسخه‌های توسعه‌ای که شامل جدیدترین ویژگی‌ها و اصلاحات هستند، اما ممکن است دارای اشکال باشند و کمتر پایدار باشند. - - - GUIMusicGroupBox - پخش موسیقی عنوان:\nIدر صورتی که بازی از آن پشتیبانی کند، پخش موسیقی ویژه هنگام انتخاب بازی در رابط کاربری را فعال می‌کند. - - - disableTrophycheckBox - غیرفعال کردن نمایش جوایز:\nنمایش اعلان‌های جوایز درون بازی را غیرفعال می‌کند. پیشرفت جوایز همچنان از طریق نمایشگر جوایز (کلیک راست روی بازی در پنجره اصلی) قابل پیگیری است.. - - - hideCursorGroupBox - پنهان کردن نشانگر:\nانتخاب کنید که نشانگر چه زمانی ناپدید شود:\nهرگز: شما همیشه ماوس را خواهید دید.\nغیرفعال: زمانی را برای ناپدید شدن بعد از غیرفعالی تعیین کنید.\nهمیشه: شما هرگز ماوس را نخواهید دید. - - - idleTimeoutGroupBox - زمانی را برای ناپدید شدن ماوس بعد از غیرفعالی تعیین کنید. - - - backButtonBehaviorGroupBox - رفتار دکمه برگشت:\nدکمه برگشت کنترلر را طوری تنظیم می کند که ضربه زدن روی موقعیت مشخص شده روی صفحه لمسی PS4 را شبیه سازی کند. - - - enableCompatibilityCheckBox - نمایش داده‌های سازگاری:\nاطلاعات سازگاری بازی را به صورت جدول نمایش می‌دهد. برای دریافت اطلاعات به‌روز، گزینه "به‌روزرسانی سازگاری هنگام راه‌اندازی" را فعال کنید. - - - checkCompatibilityOnStartupCheckBox - به‌روزرسانی سازگاری هنگام راه‌اندازی:\nبه‌طور خودکار پایگاه داده سازگاری را هنگام راه‌اندازی ShadPS4 به‌روزرسانی می‌کند. - - - updateCompatibilityButton - به‌روزرسانی پایگاه داده سازگاری:\nپایگاه داده سازگاری را بلافاصله به‌روزرسانی می‌کند. - - - Never - هرگز - - - Idle - بیکار - - - Always - همیشه - - - Touchpad Left - صفحه لمسی سمت چپ - - - Touchpad Right - صفحه لمسی سمت راست - - - Touchpad Center - مرکز صفحه لمسی - - - None - هیچ کدام - - - graphicsAdapterGroupBox - دستگاه گرافیکی:\nدر سیستم‌های با چندین پردازنده گرافیکی، از فهرست کشویی، پردازنده گرافیکی که شبیه‌ساز از آن استفاده می‌کند را انتخاب کنید، یا گزینه "انتخاب خودکار" را انتخاب کنید تا به طور خودکار تعیین شود. - - - resolutionLayout - عرض/ارتفاع:\nاندازه پنجره شبیه‌ساز را در هنگام راه‌اندازی تنظیم می‌کند، که در حین بازی قابل تغییر اندازه است.\nاین با وضوح داخل بازی متفاوت است. - - - heightDivider - تقسیم‌کننده Vblank:\nمیزان فریم ریت که شبیه‌ساز با آن به‌روزرسانی می‌شود، در این عدد ضرب می‌شود. تغییر این مقدار ممکن است تأثیرات منفی داشته باشد، مانند افزایش سرعت بازی یا خراب شدن عملکردهای حیاتی بازی که انتظار تغییر آن را ندارند! - - - dumpShadersCheckBox - فعال‌سازی ذخیره‌سازی شیدرها:\nبه‌منظور اشکال‌زدایی فنی، شیدرهای بازی را هنگام رندر شدن در یک پوشه ذخیره می‌کند. - - - nullGpuCheckBox - Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. - - - gameFoldersBox - پوشه های بازی:\nلیست پوشه هایی که باید بازی های نصب شده را بررسی کنید. - - - addFolderButton - اضافه کردن:\nیک پوشه به لیست اضافه کنید. - - - removeFolderButton - حذف:\nیک پوشه را از لیست حذف کنید. - - - debugDump - فعال‌سازی ذخیره‌سازی دیباگ:\nنمادهای import و export و اطلاعات هدر فایل برنامه در حال اجرای PS4 را در یک پوشه ذخیره می‌کند. - - - vkValidationCheckBox - Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state. This will reduce performance and likely change the behavior of emulation. - - - vkSyncValidationCheckBox - Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks. This will reduce performance and likely change the behavior of emulation. - - - rdocCheckBox - Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - چیت / پچ برای - - - defaultTextEdit_MSG - defaultTextEdit_MSG - - - No Image Available - تصویری موجود نمی باشد - - - Serial: - سریال: - - - Version: - نسخه: - - - Size: - حجم: - - - Select Cheat File: - فایل چیت را انتخاب کنید: - - - Repository: - :منبع - - - Download Cheats - دانلود چیت ها - - - Delete File - حذف فایل - - - No files selected. - فایلی انتخاب نشده. - - - You can delete the cheats you don't want after downloading them. - شما میتوانید بعد از دانلود چیت هایی که نمیخواهید را پاک کنید - - - Do you want to delete the selected file?\n%1 - آیا میخواهید فایل های انتخاب شده را پاک کنید؟ \n%1 - - - Select Patch File: - فایل پچ را انتخاب کنید - - - Download Patches - دانلود کردن پچ ها - - - Save - ذخیره - - - Cheats - چیت ها - - - Patches - پچ ها - - - Error - ارور - - - No patch selected. - هیچ پچ انتخاب نشده - - - Unable to open files.json for reading. - .json مشکل در خواندن فایل - - - No patch file found for the current serial. - هیچ فایل پچ برای سریال بازی شما پیدا نشد. - - - Unable to open the file for reading. - خطا در خواندن فایل - - - Unable to open the file for writing. - خطا در نوشتن فایل - - - Failed to parse XML: - انجام نشد XML تجزیه فایل: - - - Success - عملیات موفق بود - - - Options saved successfully. - تغییرات با موفقیت ذخیره شد✅ - - - Invalid Source - منبع نامعتبر❌ - - - The selected source is invalid. - منبع انتخاب شده نامعتبر است - - - File Exists - فایل وجود دارد - - - File already exists. Do you want to replace it? - فایل از قبل وجود دارد. آیا می خواهید آن را جایگزین کنید؟ - - - Failed to save file: - ذخیره فایل موفقیت آمیز نبود: - - - Failed to download file: - خطا در دانلود فایل: - - - Cheats Not Found - چیت یافت نشد - - - CheatsNotFound_MSG - متاسفانه هیچ چیتی از منبع انتخاب شده پیدا نشد! شما میتوانید منابع دیگری را برای دانلود انتخاب و یا چیت های خود را به صورت دستی واردکنید. - - - Cheats Downloaded Successfully - دانلود چیت ها موفقیت آمیز بود✅ - - - CheatsDownloadedSuccessfully_MSG - تمامی چیت های موجود برای این بازی از منبع انتخاب شده دانلود شد! شما همچنان میتوانید چیت های دیگری را ازمنابع مختلف دانلود کنید و درصورت موجود بودن از آنها استفاده کنید. - - - Failed to save: - خطا در ذخیره اطلاعات: - - - Failed to download: - خطا در دانلود❌ - - - Download Complete - دانلود کامل شد - - - DownloadComplete_MSG - پچ ها با موفقیت بارگیری شدند! تمام وصله های موجود برای همه بازی ها دانلود شده اند، نیازی به دانلود جداگانه آنها برای هر بازی نیست، همانطور که در Cheats اتفاق می افتد. اگر پچ ظاهر نشد، ممکن است برای سریال و نسخه خاصی از بازی وجود نداشته باشد. - - - Failed to parse JSON data from HTML. - HTML از JSON خطا در تجزیه اطلاعات. - - - Failed to retrieve HTML page. - HTML خطا دربازیابی صفحه - - - The game is in version: %1 - بازی در نسخه: %1 است - - - The downloaded patch only works on version: %1 - وصله دانلود شده فقط در نسخه: %1 کار می کند - - - You may need to update your game. - شاید لازم باشد بازی خود را به روز کنید. - - - Incompatibility Notice - اطلاعیه عدم سازگاری - - - Failed to open file: - خطا در اجرای فایل: - - - XML ERROR: - XML ERROR: - - - Failed to open files.json for writing - .json خطا در نوشتن فایل - - - Author: - تولید کننده: - - - Directory does not exist: - پوشه وجود ندارد: - - - Failed to open files.json for reading. - .json خطا در خواندن فایل - - - Name: - نام: - - - Can't apply cheats before the game is started - قبل از شروع بازی نمی توانید تقلب ها را اعمال کنید. - - - - GameListFrame - - Icon - آیکون - - - Name - نام - - - Serial - سریال - - - Compatibility - سازگاری - - - Region - منطقه - - - Firmware - فریم‌ور - - - Size - اندازه - - - Version - نسخه - - - Path - مسیر - - - Play Time - زمان بازی - - - Never Played - هرگز بازی نشده - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - سازگاری تست نشده است - - - Game does not initialize properly / crashes the emulator - بازی به درستی راه‌اندازی نمی‌شود / شبیه‌ساز کرش می‌کند - - - Game boots, but only displays a blank screen - بازی اجرا می‌شود، اما فقط یک صفحه خالی نمایش داده می‌شود - - - Game displays an image but does not go past the menu - بازی تصویری نمایش می‌دهد، اما از منو فراتر نمی‌رود - - - Game has game-breaking glitches or unplayable performance - بازی دارای اشکالات بحرانی یا عملکرد غیرقابل بازی است - - - Game can be completed with playable performance and no major glitches - بازی با عملکرد قابل قبول و بدون اشکالات عمده قابل بازی است. - - - Click to see details on github - برای مشاهده جزئیات در GitHub کلیک کنید - - - Last updated - آخرین به‌روزرسانی - - - - CheckUpdate - - Auto Updater - به‌روزرسانی خودکار - - - Error - خطا - - - Network error: - خطای شبکه: - - - Error_Github_limit_MSG - به‌روزرسانی خودکار حداکثر ۶۰ بررسی به‌روزرسانی در ساعت را مجاز می‌داند.\nشما به این محدودیت رسیده‌اید. لطفاً بعداً دوباره امتحان کنید. - - - Failed to parse update information. - خطا در تجزیه اطلاعات بهروزرسانی. - - - No pre-releases found. - هیچ پیش انتشاری یافت نشد. - - - Invalid release data. - داده های نسخه نامعتبر است. - - - No download URL found for the specified asset. - هیچ URL دانلودی برای دارایی مشخص شده پیدا نشد. - - - Your version is already up to date! - نسخه شما اکنون به روز شده است! - - - Update Available - به روز رسانی موجود است - - - Update Channel - کانال به‌روزرسانی - - - Current Version - نسخه فعلی - - - Latest Version - جدیدترین نسخه - - - Do you want to update? - آیا می خواهید به روز رسانی کنید؟ - - - Show Changelog - نمایش تغییرات - - - Check for Updates at Startup - بررسی به‌روزرسانی هنگام شروع - - - Update - به روز رسانی - - - No - خیر - - - Hide Changelog - مخفی کردن تغییرات - - - Changes - تغییرات - - - Network error occurred while trying to access the URL - در حین تلاش برای دسترسی به URL خطای شبکه رخ داد - - - Download Complete - دانلود کامل شد - - - The update has been downloaded, press OK to install. - به روز رسانی دانلود شده است، برای نصب OK را فشار دهید. - - - Failed to save the update file at - فایل به روز رسانی ذخیره نشد - - - Starting Update... - شروع به روز رسانی... - - - Failed to create the update script file - فایل اسکریپت به روز رسانی ایجاد نشد - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - در حال بارگذاری داده‌های سازگاری، لطفاً صبر کنید - - - Cancel - لغو - - - Loading... - در حال بارگذاری... - - - Error - خطا - - - Unable to update compatibility data! Try again later. - ناتوان از بروزرسانی داده‌های سازگاری! لطفاً بعداً دوباره تلاش کنید. - - - Unable to open compatibility_data.json for writing. - امکان باز کردن compatibility_data.json برای نوشتن وجود ندارد. - - - Unknown - ناشناخته - - - Nothing - هیچ چیز - - - Boots - چکمه‌ها - - - Menus - منوها - - - Ingame - داخل بازی - - - Playable - قابل بازی - - + + AboutDialog + + About shadPS4 + درباره ShadPS4 + + + shadPS4 + ShadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + یک شبیه ساز متن باز برای پلی استیشن 4 است. + + + This software should not be used to play games you have not legally obtained. + این برنامه نباید برای بازی هایی که شما به صورت غیرقانونی به دست آوردید استفاده شود. + + + + CheatsPatches + + Cheats / Patches for + چیت / پچ برای + + + defaultTextEdit_MSG + defaultTextEdit_MSG + + + No Image Available + تصویری موجود نمی باشد + + + Serial: + سریال: + + + Version: + نسخه: + + + Size: + حجم: + + + Select Cheat File: + فایل چیت را انتخاب کنید: + + + Repository: + :منبع + + + Download Cheats + دانلود چیت ها + + + Delete File + حذف فایل + + + No files selected. + فایلی انتخاب نشده. + + + You can delete the cheats you don't want after downloading them. + شما میتوانید بعد از دانلود چیت هایی که نمیخواهید را پاک کنید + + + Do you want to delete the selected file?\n%1 + آیا میخواهید فایل های انتخاب شده را پاک کنید؟ \n%1 + + + Select Patch File: + فایل پچ را انتخاب کنید + + + Download Patches + دانلود کردن پچ ها + + + Save + ذخیره + + + Cheats + چیت ها + + + Patches + پچ ها + + + Error + ارور + + + No patch selected. + هیچ پچ انتخاب نشده + + + Unable to open files.json for reading. + .json مشکل در خواندن فایل + + + No patch file found for the current serial. + هیچ فایل پچ برای سریال بازی شما پیدا نشد. + + + Unable to open the file for reading. + خطا در خواندن فایل + + + Unable to open the file for writing. + خطا در نوشتن فایل + + + Failed to parse XML: + انجام نشد XML تجزیه فایل: + + + Success + عملیات موفق بود + + + Options saved successfully. + تغییرات با موفقیت ذخیره شد✅ + + + Invalid Source + منبع نامعتبر❌ + + + The selected source is invalid. + منبع انتخاب شده نامعتبر است + + + File Exists + فایل وجود دارد + + + File already exists. Do you want to replace it? + فایل از قبل وجود دارد. آیا می خواهید آن را جایگزین کنید؟ + + + Failed to save file: + ذخیره فایل موفقیت آمیز نبود: + + + Failed to download file: + خطا در دانلود فایل: + + + Cheats Not Found + چیت یافت نشد + + + CheatsNotFound_MSG + متاسفانه هیچ چیتی از منبع انتخاب شده پیدا نشد! شما میتوانید منابع دیگری را برای دانلود انتخاب و یا چیت های خود را به صورت دستی واردکنید. + + + Cheats Downloaded Successfully + دانلود چیت ها موفقیت آمیز بود✅ + + + CheatsDownloadedSuccessfully_MSG + تمامی چیت های موجود برای این بازی از منبع انتخاب شده دانلود شد! شما همچنان میتوانید چیت های دیگری را ازمنابع مختلف دانلود کنید و درصورت موجود بودن از آنها استفاده کنید. + + + Failed to save: + خطا در ذخیره اطلاعات: + + + Failed to download: + خطا در دانلود❌ + + + Download Complete + دانلود کامل شد + + + DownloadComplete_MSG + پچ ها با موفقیت بارگیری شدند! تمام وصله های موجود برای همه بازی ها دانلود شده اند، نیازی به دانلود جداگانه آنها برای هر بازی نیست، همانطور که در Cheats اتفاق می افتد. اگر پچ ظاهر نشد، ممکن است برای سریال و نسخه خاصی از بازی وجود نداشته باشد. + + + Failed to parse JSON data from HTML. + HTML از JSON خطا در تجزیه اطلاعات. + + + Failed to retrieve HTML page. + HTML خطا دربازیابی صفحه + + + The game is in version: %1 + بازی در نسخه: %1 است + + + The downloaded patch only works on version: %1 + وصله دانلود شده فقط در نسخه: %1 کار می کند + + + You may need to update your game. + شاید لازم باشد بازی خود را به روز کنید. + + + Incompatibility Notice + اطلاعیه عدم سازگاری + + + Failed to open file: + خطا در اجرای فایل: + + + XML ERROR: + XML ERROR: + + + Failed to open files.json for writing + .json خطا در نوشتن فایل + + + Author: + تولید کننده: + + + Directory does not exist: + پوشه وجود ندارد: + + + Failed to open files.json for reading. + .json خطا در خواندن فایل + + + Name: + نام: + + + Can't apply cheats before the game is started + قبل از شروع بازی نمی توانید تقلب ها را اعمال کنید. + + + Close + بستن + + + + CheckUpdate + + Auto Updater + به‌روزرسانی خودکار + + + Error + خطا + + + Network error: + خطای شبکه: + + + Error_Github_limit_MSG + به‌روزرسانی خودکار حداکثر ۶۰ بررسی به‌روزرسانی در ساعت را مجاز می‌داند.\nشما به این محدودیت رسیده‌اید. لطفاً بعداً دوباره امتحان کنید. + + + Failed to parse update information. + خطا در تجزیه اطلاعات بهروزرسانی. + + + No pre-releases found. + هیچ پیش انتشاری یافت نشد. + + + Invalid release data. + داده های نسخه نامعتبر است. + + + No download URL found for the specified asset. + هیچ URL دانلودی برای دارایی مشخص شده پیدا نشد. + + + Your version is already up to date! + نسخه شما اکنون به روز شده است! + + + Update Available + به روز رسانی موجود است + + + Update Channel + کانال به‌روزرسانی + + + Current Version + نسخه فعلی + + + Latest Version + جدیدترین نسخه + + + Do you want to update? + آیا می خواهید به روز رسانی کنید؟ + + + Show Changelog + نمایش تغییرات + + + Check for Updates at Startup + بررسی به‌روزرسانی هنگام شروع + + + Update + به روز رسانی + + + No + خیر + + + Hide Changelog + مخفی کردن تغییرات + + + Changes + تغییرات + + + Network error occurred while trying to access the URL + در حین تلاش برای دسترسی به URL خطای شبکه رخ داد + + + Download Complete + دانلود کامل شد + + + The update has been downloaded, press OK to install. + به روز رسانی دانلود شده است، برای نصب OK را فشار دهید. + + + Failed to save the update file at + فایل به روز رسانی ذخیره نشد + + + Starting Update... + شروع به روز رسانی... + + + Failed to create the update script file + فایل اسکریپت به روز رسانی ایجاد نشد + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + در حال بارگذاری داده‌های سازگاری، لطفاً صبر کنید + + + Cancel + لغو + + + Loading... + در حال بارگذاری... + + + Error + خطا + + + Unable to update compatibility data! Try again later. + ناتوان از بروزرسانی داده‌های سازگاری! لطفاً بعداً دوباره تلاش کنید. + + + Unable to open compatibility_data.json for writing. + امکان باز کردن compatibility_data.json برای نوشتن وجود ندارد. + + + Unknown + ناشناخته + + + Nothing + هیچ چیز + + + Boots + چکمه‌ها + + + Menus + منوها + + + Ingame + داخل بازی + + + Playable + قابل بازی + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + فولدر را بازکن + + + + GameInfoClass + + Loading game list, please wait :3 + درحال بارگیری لیست بازی ها,لطفا کمی صبرکنید :3 + + + Cancel + لغو + + + Loading... + ...درحال بارگیری + + + + GameInstallDialog + + shadPS4 - Choose directory + ShadPS4 - انتخاب محل نصب بازی + + + Directory to install games + محل نصب بازی ها + + + Browse + انتخاب دستی + + + Error + ارور + + + Directory to install DLC + + + + + GameListFrame + + Icon + آیکون + + + Name + نام + + + Serial + سریال + + + Compatibility + سازگاری + + + Region + منطقه + + + Firmware + فریم‌ور + + + Size + اندازه + + + Version + نسخه + + + Path + مسیر + + + Play Time + زمان بازی + + + Never Played + هرگز بازی نشده + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + سازگاری تست نشده است + + + Game does not initialize properly / crashes the emulator + بازی به درستی راه‌اندازی نمی‌شود / شبیه‌ساز کرش می‌کند + + + Game boots, but only displays a blank screen + بازی اجرا می‌شود، اما فقط یک صفحه خالی نمایش داده می‌شود + + + Game displays an image but does not go past the menu + بازی تصویری نمایش می‌دهد، اما از منو فراتر نمی‌رود + + + Game has game-breaking glitches or unplayable performance + بازی دارای اشکالات بحرانی یا عملکرد غیرقابل بازی است + + + Game can be completed with playable performance and no major glitches + بازی با عملکرد قابل قبول و بدون اشکالات عمده قابل بازی است. + + + Click to see details on github + برای مشاهده جزئیات در GitHub کلیک کنید + + + Last updated + آخرین به‌روزرسانی + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + ایجاد میانبر + + + Cheats / Patches + چیت/پچ ها + + + SFO Viewer + SFO مشاهده + + + Trophy Viewer + مشاهده جوایز + + + Open Folder... + باز کردن پوشه... + + + Open Game Folder + باز کردن پوشه بازی + + + Open Save Data Folder + پوشه ذخیره داده را باز کنید + + + Open Log Folder + باز کردن پوشه لاگ + + + Copy info... + ...کپی کردن اطلاعات + + + Copy Name + کپی کردن نام + + + Copy Serial + کپی کردن سریال + + + Copy All + کپی کردن تمامی مقادیر + + + Delete... + حذف... + + + Delete Game + حذف بازی + + + Delete Update + حذف به‌روزرسانی + + + Delete DLC + حذف محتوای اضافی (DLC) + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + ایجاد میانبر + + + Shortcut created successfully! + میانبر با موفقیت ساخته شد! + + + Error + ارور + + + Error creating shortcut! + مشکلی در هنگام ساخت میانبر بوجود آمد! + + + Install PKG + نصب PKG + + + Game + بازی + + + This game has no update to delete! + این بازی به‌روزرسانی‌ای برای حذف ندارد! + + + Update + به‌روزرسانی + + + This game has no DLC to delete! + این بازی محتوای اضافی (DLC) برای حذف ندارد! + + + DLC + DLC + + + Delete %1 + حذف %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + ShadPS4 - انتخاب محل نصب بازی + + + Select which directory you want to install to. + محلی را که می‌خواهید در آن نصب شود، انتخاب کنید. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + ELF بازکردن/ساختن پوشه + + + Install Packages (PKG) + نصب بسته (PKG) + + + Boot Game + اجرای بازی + + + Check for Updates + به روز رسانی را بررسی کنید + + + About shadPS4 + ShadPS4 درباره + + + Configure... + ...تنظیمات + + + Install application from a .pkg file + .PKG نصب بازی از فایل + + + Recent Games + بازی های اخیر + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + خروج + + + Exit shadPS4 + ShadPS4 بستن + + + Exit the application. + بستن برنامه + + + Show Game List + نشان دادن بازی ها + + + Game List Refresh + رفرش لیست بازی ها + + + Tiny + کوچک ترین + + + Small + کوچک + + + Medium + متوسط + + + Large + بزرگ + + + List View + نمایش لیست + + + Grid View + شبکه ای (چهارخونه) + + + Elf Viewer + مشاهده گر Elf + + + Game Install Directory + محل نصب بازی + + + Download Cheats/Patches + دانلود چیت/پچ + + + Dump Game List + استخراج لیست بازی ها + + + PKG Viewer + PKG مشاهده گر + + + Search... + جست و جو... + + + File + فایل + + + View + شخصی سازی + + + Game List Icons + آیکون ها + + + Game List Mode + حالت نمایش لیست بازی ها + + + Settings + تنظیمات + + + Utils + ابزارها + + + Themes + تم ها + + + Help + کمک + + + Dark + تیره + + + Light + روشن + + + Green + سبز + + + Blue + آبی + + + Violet + بنفش + + + toolBar + نوار ابزار + + + Game List + لیست بازی + + + * Unsupported Vulkan Version + شما پشتیبانی نمیشود Vulkan ورژن * + + + Download Cheats For All Installed Games + دانلود چیت برای همه بازی ها + + + Download Patches For All Games + دانلود پچ برای همه بازی ها + + + Download Complete + دانلود کامل شد✅ + + + You have downloaded cheats for all the games you have installed. + چیت برای همه بازی های شما دانلودشد✅ + + + Patches Downloaded Successfully! + پچ ها با موفقیت دانلود شد✅ + + + All Patches available for all games have been downloaded. + ✅تمام پچ های موجود برای همه بازی های شما دانلود شد + + + Games: + بازی ها: + + + ELF files (*.bin *.elf *.oelf) + ELF فایل های (*.bin *.elf *.oelf) + + + Game Boot + اجرای بازی + + + Only one file can be selected! + فقط یک فایل انتخاب کنید! + + + PKG Extraction + PKG استخراج فایل + + + Patch detected! + پچ شناسایی شد! + + + PKG and Game versions match: + و نسخه بازی همخوانی دارد PKG فایل: + + + Would you like to overwrite? + آیا مایل به جایگزینی فایل هستید؟ + + + PKG Version %1 is older than installed version: + نسخه فایل PKG %1 قدیمی تر از نسخه نصب شده است: + + + Game is installed: + بازی نصب شد: + + + Would you like to install Patch: + آیا مایل به نصب پچ هستید: + + + DLC Installation + نصب DLC + + + Would you like to install DLC: %1? + آیا مایل به نصب DLC هستید: %1 + + + DLC already installed: + قبلا نصب شده DLC این: + + + Game already installed + این بازی قبلا نصب شده + + + PKG ERROR + PKG ارور فایل + + + Extracting PKG %1/%2 + درحال استخراج PKG %1/%2 + + + Extraction Finished + استخراج به پایان رسید + + + Game successfully installed at %1 + بازی با موفقیت در %1 نصب شد + + + File doesn't appear to be a valid PKG file + این فایل یک PKG درست به نظر نمی آید + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + ShadPS4 + + + + PKGViewer + + Open Folder + بازکردن پوشه + + + Name + نام + + + Serial + سریال + + + Installed + + + + Size + اندازه + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + منطقه + + + Flags + + + + Path + مسیر + + + File + فایل + + + PKG ERROR + PKG ارور فایل + + + Unknown + ناشناخته + + + Package + + + + + SettingsDialog + + Settings + تنظیمات + + + General + عمومی + + + System + سیستم + + + Console Language + زبان کنسول + + + Emulator Language + زبان شبیه ساز + + + Emulator + شبیه ساز + + + Enable Fullscreen + تمام صفحه + + + Fullscreen Mode + حالت تمام صفحه + + + Enable Separate Update Folder + فعال‌سازی پوشه جداگانه برای به‌روزرسانی + + + Default tab when opening settings + زبان پیش‌فرض هنگام باز کردن تنظیمات + + + Show Game Size In List + نمایش اندازه بازی در لیست + + + Show Splash + Splash نمایش + + + Enable Discord Rich Presence + Discord Rich Presence را فعال کنید + + + Username + نام کاربری + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log نوع + + + Log Filter + Log فیلتر + + + Open Log Location + باز کردن مکان گزارش + + + Input + ورودی + + + Cursor + نشانگر + + + Hide Cursor + پنهان کردن نشانگر + + + Hide Cursor Idle Timeout + مخفی کردن زمان توقف مکان نما + + + s + s + + + Controller + دسته بازی + + + Back Button Behavior + رفتار دکمه بازگشت + + + Graphics + گرافیک + + + GUI + رابط کاربری + + + User + کاربر + + + Graphics Device + کارت گرافیک مورداستفاده + + + Width + عرض + + + Height + طول + + + Vblank Divider + تقسیم‌کننده Vblank + + + Advanced + ...بیشتر + + + Enable Shaders Dumping + فعال‌سازی ذخیره‌سازی شیدرها + + + Enable NULL GPU + NULL GPU فعال کردن + + + Paths + مسیرها + + + Game Folders + پوشه های بازی + + + Add... + افزودن... + + + Remove + حذف + + + Debug + دیباگ + + + Enable Debug Dumping + Debug Dumping + + + Enable Vulkan Validation Layers + Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + به‌روزرسانی + + + Check for Updates at Startup + بررسی به‌روزرسانی‌ها در زمان راه‌اندازی + + + Always Show Changelog + نمایش دائم تاریخچه تغییرات + + + Update Channel + کانال به‌روزرسانی + + + Check for Updates + بررسی به‌روزرسانی‌ها + + + GUI Settings + تنظیمات رابط کاربری + + + Title Music + Title Music + + + Disable Trophy Pop-ups + غیرفعال کردن نمایش جوایز + + + Play title music + پخش موسیقی عنوان + + + Update Compatibility Database On Startup + به‌روزرسانی پایگاه داده سازگاری هنگام راه‌اندازی + + + Game Compatibility + سازگاری بازی با سیستم + + + Display Compatibility Data + نمایش داده‌های سازگاری + + + Update Compatibility Database + به‌روزرسانی پایگاه داده سازگاری + + + Volume + صدا + + + Save + ذخیره + + + Apply + اعمال + + + Restore Defaults + بازیابی پیش فرض ها + + + Close + بستن + + + Point your mouse at an option to display its description. + ماوس خود را بر روی یک گزینه قرار دهید تا توضیحات آن نمایش داده شود. + + + consoleLanguageGroupBox + Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. + + + emulatorLanguageGroupBox + زبان شبیه‌ساز:\nزبان رابط کاربری شبیه‌ساز را انتخاب می‌کند. + + + fullscreenCheckBox + فعال‌سازی تمام صفحه:\nپنجره بازی را به‌طور خودکار به حالت تمام صفحه در می‌آورد.\nبرای تغییر این حالت می‌توانید کلید F11 را فشار دهید. + + + separateUpdatesCheckBox + فعال‌سازی پوشه جداگانه برای به‌روزرسانی:\nامکان نصب به‌روزرسانی‌های بازی در یک پوشه جداگانه برای مدیریت راحت‌تر را فراهم می‌کند. + + + showSplashCheckBox + نمایش صفحه شروع:\nصفحه شروع بازی (تصویری ویژه) را هنگام بارگذاری بازی نمایش می‌دهد. + + + discordRPCCheckbox + فعال کردن Discord Rich Presence:\nآیکون شبیه ساز و اطلاعات مربوطه را در نمایه Discord شما نمایش می دهد. + + + userName + نام کاربری:\nنام کاربری حساب PS4 را تنظیم می‌کند که ممکن است توسط برخی بازی‌ها نمایش داده شود. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + نوع لاگ:\nتنظیم می‌کند که آیا خروجی پنجره لاگ برای بهبود عملکرد همگام‌سازی شود یا خیر. این ممکن است تأثیر منفی بر شبیه‌سازی داشته باشد. + + + logFilter + Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Levels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. + + + updaterGroupBox + به‌روزرسانی:\nانتشار: نسخه‌های رسمی که هر ماه منتشر می‌شوند و ممکن است بسیار قدیمی باشند، اما پایدارتر و تست‌ شده‌تر هستند.\nشبانه: نسخه‌های توسعه‌ای که شامل جدیدترین ویژگی‌ها و اصلاحات هستند، اما ممکن است دارای اشکال باشند و کمتر پایدار باشند. + + + GUIMusicGroupBox + پخش موسیقی عنوان:\nIدر صورتی که بازی از آن پشتیبانی کند، پخش موسیقی ویژه هنگام انتخاب بازی در رابط کاربری را فعال می‌کند. + + + disableTrophycheckBox + غیرفعال کردن نمایش جوایز:\nنمایش اعلان‌های جوایز درون بازی را غیرفعال می‌کند. پیشرفت جوایز همچنان از طریق نمایشگر جوایز (کلیک راست روی بازی در پنجره اصلی) قابل پیگیری است.. + + + hideCursorGroupBox + پنهان کردن نشانگر:\nانتخاب کنید که نشانگر چه زمانی ناپدید شود:\nهرگز: شما همیشه ماوس را خواهید دید.\nغیرفعال: زمانی را برای ناپدید شدن بعد از غیرفعالی تعیین کنید.\nهمیشه: شما هرگز ماوس را نخواهید دید. + + + idleTimeoutGroupBox + زمانی را برای ناپدید شدن ماوس بعد از غیرفعالی تعیین کنید. + + + backButtonBehaviorGroupBox + رفتار دکمه برگشت:\nدکمه برگشت کنترلر را طوری تنظیم می کند که ضربه زدن روی موقعیت مشخص شده روی صفحه لمسی PS4 را شبیه سازی کند. + + + enableCompatibilityCheckBox + نمایش داده‌های سازگاری:\nاطلاعات سازگاری بازی را به صورت جدول نمایش می‌دهد. برای دریافت اطلاعات به‌روز، گزینه "به‌روزرسانی سازگاری هنگام راه‌اندازی" را فعال کنید. + + + checkCompatibilityOnStartupCheckBox + به‌روزرسانی سازگاری هنگام راه‌اندازی:\nبه‌طور خودکار پایگاه داده سازگاری را هنگام راه‌اندازی ShadPS4 به‌روزرسانی می‌کند. + + + updateCompatibilityButton + به‌روزرسانی پایگاه داده سازگاری:\nپایگاه داده سازگاری را بلافاصله به‌روزرسانی می‌کند. + + + Never + هرگز + + + Idle + بیکار + + + Always + همیشه + + + Touchpad Left + صفحه لمسی سمت چپ + + + Touchpad Right + صفحه لمسی سمت راست + + + Touchpad Center + مرکز صفحه لمسی + + + None + هیچ کدام + + + graphicsAdapterGroupBox + دستگاه گرافیکی:\nدر سیستم‌های با چندین پردازنده گرافیکی، از فهرست کشویی، پردازنده گرافیکی که شبیه‌ساز از آن استفاده می‌کند را انتخاب کنید، یا گزینه "انتخاب خودکار" را انتخاب کنید تا به طور خودکار تعیین شود. + + + resolutionLayout + عرض/ارتفاع:\nاندازه پنجره شبیه‌ساز را در هنگام راه‌اندازی تنظیم می‌کند، که در حین بازی قابل تغییر اندازه است.\nاین با وضوح داخل بازی متفاوت است. + + + heightDivider + تقسیم‌کننده Vblank:\nمیزان فریم ریت که شبیه‌ساز با آن به‌روزرسانی می‌شود، در این عدد ضرب می‌شود. تغییر این مقدار ممکن است تأثیرات منفی داشته باشد، مانند افزایش سرعت بازی یا خراب شدن عملکردهای حیاتی بازی که انتظار تغییر آن را ندارند! + + + dumpShadersCheckBox + فعال‌سازی ذخیره‌سازی شیدرها:\nبه‌منظور اشکال‌زدایی فنی، شیدرهای بازی را هنگام رندر شدن در یک پوشه ذخیره می‌کند. + + + nullGpuCheckBox + Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. + + + gameFoldersBox + پوشه های بازی:\nلیست پوشه هایی که باید بازی های نصب شده را بررسی کنید. + + + addFolderButton + اضافه کردن:\nیک پوشه به لیست اضافه کنید. + + + removeFolderButton + حذف:\nیک پوشه را از لیست حذف کنید. + + + debugDump + فعال‌سازی ذخیره‌سازی دیباگ:\nنمادهای import و export و اطلاعات هدر فایل برنامه در حال اجرای PS4 را در یک پوشه ذخیره می‌کند. + + + vkValidationCheckBox + Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state. This will reduce performance and likely change the behavior of emulation. + + + vkSyncValidationCheckBox + Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks. This will reduce performance and likely change the behavior of emulation. + + + rdocCheckBox + Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + انتخاب دستی + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + محل نصب بازی ها + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + مشاهده جوایز + + diff --git a/src/qt_gui/translations/fi.ts b/src/qt_gui/translations/fi.ts deleted file mode 100644 index b2494df2a..000000000 --- a/src/qt_gui/translations/fi.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - Tietoa shadPS4:sta - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 on kokeellinen avoimen lähdekoodin PlayStation 4 emulaattori. - - - This software should not be used to play games you have not legally obtained. - Tätä ohjelmistoa ei saa käyttää pelien pelaamiseen, joita et ole hankkinut laillisesti. - - - - ElfViewer - - Open Folder - Avaa Hakemisto - - - - GameInfoClass - - Loading game list, please wait :3 - Ole hyvä ja odota, ladataan pelilistaa :3 - - - Cancel - Peruuta - - - Loading... - Ladataan... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Valitse hakemisto - - - Select which directory you want to install to. - Valitse, mihin hakemistoon haluat asentaa. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Valitse hakemisto - - - Directory to install games - Pelien asennushakemisto - - - Browse - Selaa - - - Error - Virhe - - - The value for location to install games is not valid. - Peliasennushakemiston sijainti on virheellinen. - - - - GuiContextMenus - - Create Shortcut - Luo Pikakuvake - - - Cheats / Patches - Huijaukset / Korjaukset - - - SFO Viewer - SFO Selain - - - Trophy Viewer - Trophy Selain - - - Open Folder... - Avaa Hakemisto... - - - Open Game Folder - Avaa Pelihakemisto - - - Open Save Data Folder - Avaa Tallennustiedostohakemisto - - - Open Log Folder - Avaa Lokihakemisto - - - Copy info... - Kopioi tietoja... - - - Copy Name - Kopioi Nimi - - - Copy Serial - Kopioi Sarjanumero - - - Copy All - Kopioi kaikki - - - Delete... - Poista... - - - Delete Game - Poista Peli - - - Delete Update - Poista Päivitys - - - Delete DLC - Poista Lisäsisältö - - - Compatibility... - Yhteensopivuus... - - - Update database - Päivitä tietokanta - - - View report - Näytä raportti - - - Submit a report - Tee raportti - - - Shortcut creation - Pikakuvakkeen luonti - - - Shortcut created successfully! - Pikakuvake luotu onnistuneesti! - - - Error - Virhe - - - Error creating shortcut! - Virhe pikakuvakkeen luonnissa! - - - Install PKG - Asenna PKG - - - Game - Peli - - - requiresEnableSeparateUpdateFolder_MSG - Tämä ominaisuus vaatii, että 'Ota käyttöön erillinen päivityshakemisto' -asetus on päällä. Jos haluat käyttää tätä ominaisuutta, laita se asetus päälle. - - - This game has no update to delete! - Tällä pelillä ei ole poistettavaa päivitystä! - - - Update - Päivitä - - - This game has no DLC to delete! - Tällä pelillä ei ole poistettavaa lisäsisältöä! - - - DLC - Lisäsisältö - - - Delete %1 - Poista %1 - - - Are you sure you want to delete %1's %2 directory? - Haluatko varmasti poistaa %1n %2hakemiston? - - - - MainWindow - - Open/Add Elf Folder - Avaa/Lisää Elf Hakemisto - - - Install Packages (PKG) - Asenna Paketteja (PKG) - - - Boot Game - Käynnistä Peli - - - Check for Updates - Tarkista Päivitykset - - - About shadPS4 - Tietoa shadPS4:sta - - - Configure... - Asetukset... - - - Install application from a .pkg file - Asenna sovellus .pkg tiedostosta - - - Recent Games - Viimeisimmät Pelit - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Sulje - - - Exit shadPS4 - Sulje shadPS4 - - - Exit the application. - Sulje sovellus. - - - Show Game List - Avaa pelilista - - - Game List Refresh - Päivitä pelilista - - - Tiny - Hyvin pieni - - - Small - Pieni - - - Medium - Keskikokoinen - - - Large - Suuri - - - List View - Listanäkymä - - - Grid View - Ruudukkonäkymä - - - Elf Viewer - Elf Selain - - - Game Install Directory - Peliasennushakemisto - - - Download Cheats/Patches - Lataa Huijaukset / Korjaukset - - - Dump Game List - Kirjoita Pelilista Tiedostoon - - - PKG Viewer - PKG Selain - - - Search... - Hae... - - - File - Tiedosto - - - View - Näkymä - - - Game List Icons - Pelilistan Ikonit - - - Game List Mode - Pelilistamuoto - - - Settings - Asetukset - - - Utils - Työkalut - - - Themes - Teemat - - - Help - Apua - - - Dark - Tumma - - - Light - Vaalea - - - Green - Vihreä - - - Blue - Sininen - - - Violet - Violetti - - - toolBar - Työkalupalkki - - - Game List - Pelilista - - - * Unsupported Vulkan Version - * Ei Tuettu Vulkan-versio - - - Download Cheats For All Installed Games - Lataa Huijaukset Kaikille Asennetuille Peleille - - - Download Patches For All Games - Lataa Paikkaukset Kaikille Peleille - - - Download Complete - Lataus Valmis - - - You have downloaded cheats for all the games you have installed. - Olet ladannut huijaukset kaikkiin asennettuihin peleihin. - - - Patches Downloaded Successfully! - Paikkaukset Ladattu Onnistuneesti! - - - All Patches available for all games have been downloaded. - Kaikki saatavilla olevat Paikkaukset kaikille peleille on ladattu. - - - Games: - Pelit: - - - PKG File (*.PKG) - PKG-tiedosto (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF-tiedostot (*.bin *.elf *.oelf) - - - Game Boot - Pelin Käynnistys - - - Only one file can be selected! - Vain yksi tiedosto voi olla valittuna! - - - PKG Extraction - PKG:n purku - - - Patch detected! - Päivitys havaittu! - - - PKG and Game versions match: - PKG- ja peliversiot vastaavat: - - - Would you like to overwrite? - Haluatko korvata? - - - PKG Version %1 is older than installed version: - PKG-versio %1 on vanhempi kuin asennettu versio: - - - Game is installed: - Peli on asennettu: - - - Would you like to install Patch: - Haluatko asentaa päivityksen: - - - DLC Installation - Lisäsisällön asennus - - - Would you like to install DLC: %1? - Haluatko asentaa lisäsisällön: %1? - - - DLC already installed: - Lisäsisältö on jo asennettu: - - - Game already installed - Peli on jo asennettu - - - PKG is a patch, please install the game first! - PKG on päivitys, asenna peli ensin! - - - PKG ERROR - PKG VIRHE - - - Extracting PKG %1/%2 - Purkaminen PKG %1/%2 - - - Extraction Finished - Purku valmis - - - Game successfully installed at %1 - Peli asennettu onnistuneesti kohtaan %1 - - - File doesn't appear to be a valid PKG file - Tiedosto ei vaikuta olevan kelvollinen PKG-tiedosto - - - - PKGViewer - - Open Folder - Avaa Hakemisto - - - - TrophyViewer - - Trophy Viewer - Trophy Selain - - - - SettingsDialog - - Settings - Asetukset - - - General - Yleinen - - - System - Järjestelmä - - - Console Language - Konsolin Kieli - - - Emulator Language - Emulaattorin Kieli - - - Emulator - Emulaattori - - - Enable Fullscreen - Ota Käyttöön Koko Ruudun Tila - - - Fullscreen Mode - Koko näytön tila - - - Enable Separate Update Folder - Ota Käyttöön Erillinen Päivityshakemisto - - - Default tab when opening settings - Oletusvälilehti avattaessa asetuksia - - - Show Game Size In List - Näytä pelin koko luettelossa - - - Show Splash - Näytä Aloitusnäyttö - - - Is PS4 Pro - On PS4 Pro - - - Enable Discord Rich Presence - Ota käyttöön Discord Rich Presence - - - Username - Käyttäjänimi - - - Trophy Key - Trophy Avain - - - Trophy - Trophy - - - Logger - Lokinkerääjä - - - Log Type - Lokin Tyyppi - - - Log Filter - Lokisuodatin - - - Open Log Location - Avaa lokin sijainti - - - Input - Syöttö - - - Cursor - Kursori - - - Hide Cursor - Piilota Kursori - - - Hide Cursor Idle Timeout - Inaktiivisuuden Aikaraja Kursorin Piilottamiseen - - - s - s - - - Controller - Ohjain - - - Back Button Behavior - Takaisin-painikkeen Käyttäytyminen - - - Graphics - Grafiikka - - - GUI - Rajapinta - - - User - Käyttäjä - - - Graphics Device - Näytönohjain - - - Width - Leveys - - - Height - Korkeus - - - Vblank Divider - Vblank jakaja - - - Advanced - Lisäasetukset - - - Enable Shaders Dumping - Ota Käyttöön Varjostinvedokset - - - Enable NULL GPU - Ota Käyttöön NULL GPU - - - Paths - Polut - - - Game Folders - Pelihakemistot - - - Add... - Lisää... - - - Remove - Poista - - - Debug - Virheenkorjaus - - - Enable Debug Dumping - Ota Käyttöön Virheenkorjausvedokset - - - Enable Vulkan Validation Layers - Ota Käyttöön Vulkan-validointikerrokset - - - Enable Vulkan Synchronization Validation - Ota Käyttöön Vulkan-synkronointivalidointi - - - Enable RenderDoc Debugging - Ota Käyttöön RenderDoc Virheenkorjaus - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Päivitys - - - Check for Updates at Startup - Tarkista Päivitykset Käynnistäessä - - - Always Show Changelog - Näytä aina muutoshistoria - - - Update Channel - Päivityskanava - - - Check for Updates - Tarkista Päivitykset - - - GUI Settings - GUI-asetukset - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Poista Trophy Pop-upit Käytöstä - - - Play title music - Soita Otsikkomusiikkia - - - Update Compatibility Database On Startup - Päivitä Yhteensopivuustietokanta Käynnistäessä - - - Game Compatibility - Peliyhteensopivuus - - - Display Compatibility Data - Näytä Yhteensopivuustiedot - - - Update Compatibility Database - Päivitä Yhteensopivuustietokanta - - - Volume - Äänenvoimakkuus - - - Audio Backend - Äänijärjestelmä - - - Save - Tallenna - - - Apply - Ota käyttöön - - - Restore Defaults - Palauta Oletukset - - - Close - Sulje - - - Point your mouse at an option to display its description. - Siirrä hiiri vaihtoehdon päälle näyttääksesi sen kuvauksen. - - - consoleLanguageGroupBox - Konsolin Kieli:\nAseta PS4-pelin käyttämä kieli.\nOn suositeltavaa asettaa tämä kieleksi, jota peli tukee, mikä vaihtelee alueittain. - - - emulatorLanguageGroupBox - Emulaattorin Kieli:\nAsettaa emulaattorin käyttöliittymän kielen. - - - fullscreenCheckBox - Ota Koko Näytön Tila Käyttöön:\nAvaa pelin ikkunan automaattisesti koko näytön tilassa.\nTilaa voi vaihtaa painamalla F11-näppäintä. - - - separateUpdatesCheckBox - Ota Käyttöön Erillinen Päivityskansio:\nOttaa käyttöön päivitysten asennuksen erilliseen kansioon helpottamaan niiden hallintaa.\nTämä on tehtävissä manuaalisesti lisäämällä puretun päivityksen pelikansioon "CUSA00000-UPDATE" nimellä, missä CUSA ID vastaa pelin ID:tä. - - - showSplashCheckBox - Näytä Aloitusnäyttö:\nNäyttää pelin aloitusnäytön (erityinen kuva) pelin käynnistyessä. - - - ps4proCheckBox - On PS4 Pro:\nAsettaa emulaattorin toimimaan PS4 PRO:na, mikä voi mahdollistaa erityisiä ominaisuuksia peleissä, jotka tukevat sitä. - - - discordRPCCheckbox - Ota käyttöön Discord Rich Presence:\nNäyttää emulaattorin kuvakkeen ja asiaankuuluvat tiedot Discord-profiilissasi. - - - userName - Käyttäjänimi:\nAsettaa PS4-tilin käyttäjänimen, joka voi näkyä joissain peleissä. - - - TrophyKey - Trophy Avain:\nThrophyjen dekryptoinnissa käytetty avain. Pitää hankkia jailbreakatusta konsolista.\nSaa sisältää vain hex-merkkejä. - - - logTypeGroupBox - Lokityyppi:\nAsettaa, synkronoidaanko loki-ikkunan ulostulo suorituskyvyn vuoksi. Tämä voi vaikuttaa haitallisesti emulointiin. - - - logFilter - Lokisuodatin:\nSuodattaa lokia tulostamaan vain määrättyä tietoa.\nEsimerkkejä: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nTasot: Trace, Debug, Info, Warning, Error, Critical - tässä järjestyksessä. Valittu taso vaientaa kaikki edeltävät tasot luettelossa ja kirjaa kaikki tasot sen jälkeen. - - - updaterGroupBox - Päivitys:\nRelease: Viralliset versiot, jotka julkaistaan kuukausittain ja saattavat olla hyvin vanhoja, mutta ovat luotettavampia ja testatumpia.\nNightly: Kehitysversiot, joissa on kaikki uusimmat ominaisuudet ja korjaukset, mutta ne saattavat sisältää virheitä ja ovat vähemmän vakaita. - - - GUIMusicGroupBox - Soita Otsikkomusiikkia:\nJos peli tukee sitä, ota käyttöön erityisen musiikin soittaminen pelin valinnan yhteydessä käyttöliittymässä. - - - disableTrophycheckBox - Poista Trophy Pop-upit Käytöstä:\nPoista trophy ilmoitukset pelin aikana. Trophyjen edistystä voi silti seurata Trophy Selainta käyttämällä (klikkaa peliä hiiren oikealla emulaattorin pääikkunassa). - - - hideCursorGroupBox - Piilota kursori:\nValitse, milloin kursori häviää:\nEi koskaan: Näet hiiren aina.\nInaktiivinen: Aseta aika, jolloin se häviää oltuaan aktiivinen.\nAina: et koskaan näe hiirtä. - - - idleTimeoutGroupBox - Aseta aika, milloin hiiri häviää oltuaan aktiivinen. - - - backButtonBehaviorGroupBox - Takaisin-napin käyttäytyminen:\nAsettaa ohjaimen takaisin-napin jäljittelemään kosketusta PS4:n kosketuslevyn määritettyyn kohtaan. - - - enableCompatibilityCheckBox - Näytä Yhteensopivuustiedot:\nNäyttää pelien yhteensopivuustiedot listanäkymässä. Ota käyttöön "Päivitä Yhteensopivuustietokanta Käynnistäessä" saadaksesi ajantasaista tietoa. - - - checkCompatibilityOnStartupCheckBox - Päivitä Yhteensopivuustiedot Käynnistäessä:\nPäivitä yhteensopivuustiedot automaattisesti shadPS4:n käynnistyessä. - - - updateCompatibilityButton - Päivitä Yhteensopivuustietokanta:\nPäivitää yhteensopivuustietokannan heti. - - - Never - Ei koskaan - - - Idle - Inaktiivinen - - - Always - Aina - - - Touchpad Left - Kosketuslevyn Vasen Puoli - - - Touchpad Right - Kosketuslevyn Oikea Puoli - - - Touchpad Center - Kosketuslevyn Keskikohta - - - None - Ei mitään - - - graphicsAdapterGroupBox - Näytönohjain:\nUseamman näytönohjaimen järjestelmissä, valitse pudotusvalikosta, mitä näytönohjainta emulaattori käyttää,\n tai valitse "Auto Select" automaattiseen määritykseen. - - - resolutionLayout - Leveys/Korkeus:\nAsettaa käynnistetyn emulaattori-ikkunan koon, jota voidaan muuttaa pelin aikana.\nTämä on eri, kuin pelin sisäinen resoluutio. - - - heightDivider - Vblank Jakaja:\nEmulaattorin virkistystaajuus kerrotaan tällä numerolla. Tämän muuttaminen voi vaikuttaa haitallisesti, kuten lisätä pelin nopeutta tai rikkoa kriittisiä pelitoimintoja, jotka eivät odota tämän muuttuvan! - - - dumpShadersCheckBox - Ota Käyttöön Varjostinvedokset:\nTeknistä vianetsintää varten. Pelin varjostimia tallennetaan hakemistoon niiden renderöityessä. - - - nullGpuCheckBox - Ota Null GPU käyttöön:\nTeknistä vianetsintää varten. Pelin renderöinti estetään, ikään kuin näytönohjainta ei olisi. - - - gameFoldersBox - Pelihakemistot:\nLista hakemistoista, joista pelejä haetaan. - - - addFolderButton - Lisää:\nLisää hakemisto listalle. - - - removeFolderButton - Poista:\nPoista hakemisto listalta. - - - debugDump - Ota Käyttöön Virheenkorjausvedokset:\nTallentaa käynnissä olevan PS4-ohjelman tuonti- ja vientisymbolit ja tiedosto-otsikkotiedot hakemistoon. - - - vkValidationCheckBox - Ota Käyttöön Vulkan-validointikerrokset:\nAktivoi järjestelmä, joka validoi Vulkan-renderöijän tilan ja kirjaa tietoa sen sisäisestä tilasta. Tämä heikentää suorituskykyä ja todennäköisesti muuttaa emulaation käyttäytymistä. - - - vkSyncValidationCheckBox - Ota Käyttöön Vulkan-synkronointivalidointi:\nAktivoi järjestelmä, joka validoi Vulkan-renderöinnin tehtävien aikataulutuksen. Tämä heikentää suorituskykyä ja todennäköisesti muuttaa emulaation käyttäytymistä. - - - rdocCheckBox - Ota Käyttöön RenderDoc Virheenkorjaus:\nJos käytössä, emulaattori tarjoaa Renderdoc-yhteensopivuuden, mikä mahdollistaa renderöidyn kehyksen tallennuksen ja analysoinnin. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Huijaukset / Paikkaukset pelille - - - defaultTextEdit_MSG - Huijaukset/Paikkaukset ovat kokeellisia.\nKäytä varoen.\n\nLataa huijaukset yksitellen valitsemalla repositorion ja napsauttamalla latauspainiketta.\nPaikkaukset-välilehdessä voit ladata kaikki paikkaukset kerralla, valita, mitä haluat käyttää ja tallentaa valinnan.\n\nKoska me emme kehitä Huijauksia/Paikkauksia,\nole hyvä ja ilmoita ongelmista huijauksen tekijälle.\n\nLoitko uuden huijauksen? Käy osoitteessa:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Kuvaa ei saatavilla - - - Serial: - Sarjanumero: - - - Version: - Versio: - - - Size: - Koko: - - - Select Cheat File: - Valitse Huijaustiedosto: - - - Repository: - Repositorio: - - - Download Cheats - Lataa Huijaukset - - - Delete File - Poista Tiedosto - - - No files selected. - Tiedostoja ei ole valittuna. - - - You can delete the cheats you don't want after downloading them. - Voit poistaa ei-toivomasi huijaukset lataamisen jälkeen. - - - Do you want to delete the selected file?\n%1 - Haluatko poistaa valitun tiedoston?\n%1 - - - Select Patch File: - Valitse Paikkaustiedosto: - - - Download Patches - Lataa Paikkaukset - - - Save - Tallenna - - - Cheats - Huijaukset - - - Patches - Paikkaukset - - - Error - Virhe - - - No patch selected. - Paikkausta ei ole valittuna. - - - Unable to open files.json for reading. - Tiedostoa files.json ei voitu avata lukemista varten. - - - No patch file found for the current serial. - Nykyiselle sarjanumerolle ei löytynyt paikkaustiedostoa. - - - Unable to open the file for reading. - Tiedostoa ei voitu avata lukemista varten. - - - Unable to open the file for writing. - Tiedostoa ei voitu avata kirjoittamista varten. - - - Failed to parse XML: - XML:n jäsentäminen epäonnistui: - - - Success - Onnistuminen - - - Options saved successfully. - Vaihtoehdot tallennettu onnistuneesti. - - - Invalid Source - Virheellinen Lähde - - - The selected source is invalid. - Valittu lähde on virheellinen. - - - File Exists - Olemassaoleva Tiedosto - - - File already exists. Do you want to replace it? - Tiedosto on jo olemassa. Haluatko korvata sen? - - - Failed to save file: - Tiedoston tallentaminen epäonnistui: - - - Failed to download file: - Tiedoston lataaminen epäonnistui: - - - Cheats Not Found - Huijauksia Ei Löytynyt - - - CheatsNotFound_MSG - Huijauksia ei löytynyt tälle pelin versiolle valitusta repositoriosta. Kokeile toista repositoriota tai eri versiota pelistä. - - - Cheats Downloaded Successfully - Huijaukset Ladattu Onnistuneesti - - - CheatsDownloadedSuccessfully_MSG - Olet ladannut huijaukset onnistuneesti valitusta repositoriosta tälle pelin versiolle. Voit yrittää ladata toisesta repositoriosta. Jos se on saatavilla, voit myös käyttää sitä valitsemalla tiedoston listasta. - - - Failed to save: - Tallentaminen epäonnistui: - - - Failed to download: - Lataus epäonnistui: - - - Download Complete - Lataus valmis - - - DownloadComplete_MSG - Paikkaukset ladattu onnistuneesti! Kaikki saatavilla olevat paikkaukset kaikille peleille on ladattu, eikä niitä tarvitse ladata yksittäin jokaiselle pelille, kuten huijausten kohdalla. Jos paikkausta ei näy, saattaa olla, että sitä ei ole saatavilla kyseiselle sarjanumerolle ja peliversiolle. - - - Failed to parse JSON data from HTML. - JSON-tietojen jäsentäminen HTML:stä epäonnistui. - - - Failed to retrieve HTML page. - HTML-sivun hakeminen epäonnistui. - - - The game is in version: %1 - Peli on versiossa: %1 - - - The downloaded patch only works on version: %1 - Ladattu paikkaus toimii vain versiossa: %1 - - - You may need to update your game. - Sinun on ehkä päivitettävä pelisi. - - - Incompatibility Notice - Yhteensopivuusilmoitus - - - Failed to open file: - Tiedoston avaaminen epäonnistui: - - - XML ERROR: - XML VIRHE: - - - Failed to open files.json for writing - Tiedostoa files.json ei voitu avata kirjoittamista varten - - - Author: - Tekijä: - - - Directory does not exist: - Hakemistoa ei ole olemassa: - - - Failed to open files.json for reading. - Tiedostoa files.json ei voitu avata lukemista varten. - - - Name: - Nimi: - - - Can't apply cheats before the game is started - Huijauksia ei voi käyttää ennen kuin peli on käynnissä. - - - - GameListFrame - - Icon - Ikoni - - - Name - Nimi - - - Serial - Sarjanumero - - - Compatibility - Compatibility - - - Region - Alue - - - Firmware - Ohjelmisto - - - Size - Koko - - - Version - Versio - - - Path - Polku - - - Play Time - Peliaika - - - Never Played - Pelaamaton - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Yhteensopivuutta ei ole testattu - - - Game does not initialize properly / crashes the emulator - Peli ei alustaudu kunnolla / kaataa emulaattorin - - - Game boots, but only displays a blank screen - Peli käynnistyy, mutta näyttää vain tyhjän ruudun - - - Game displays an image but does not go past the menu - Peli näyttää kuvan mutta ei mene valikosta eteenpäin - - - Game has game-breaking glitches or unplayable performance - Pelissä on pelikokemusta rikkovia häiriöitä tai kelvoton suorituskyky - - - Game can be completed with playable performance and no major glitches - Pelillä on hyväksyttävä suorituskyky, eikä mitään suuria häiriöitä - - - Click to see details on github - Napsauta nähdäksesi lisätiedot GitHubissa - - - Last updated - Viimeksi päivitetty - - - - CheckUpdate - - Auto Updater - Automaattinen Päivitys - - - Error - Virhe - - - Network error: - Verkkovirhe: - - - Error_Github_limit_MSG - Automaattinen päivitys sallii enintään 60 päivitystarkistusta tunnissa.\nOlet saavuttanut tämän rajan. Yritä myöhemmin uudelleen. - - - Failed to parse update information. - Päivitystietojen jäsentäminen epäonnistui. - - - No pre-releases found. - Ennakkojulkaisuja ei löytynyt. - - - Invalid release data. - Virheelliset julkaisutiedot. - - - No download URL found for the specified asset. - Lataus-URL:ia ei löytynyt määritetylle omaisuudelle. - - - Your version is already up to date! - Versiosi on jo ajan tasalla! - - - Update Available - Päivitys Saatavilla - - - Update Channel - Päivityskanava - - - Current Version - Nykyinen Versio - - - Latest Version - Uusin Versio - - - Do you want to update? - Haluatko päivittää? - - - Show Changelog - Näytä Muutoshistoria - - - Check for Updates at Startup - Tarkista Päivitykset Käynnistettäessä - - - Update - Päivitä - - - No - Ei - - - Hide Changelog - Piilota Muutoshistoria - - - Changes - Muutokset - - - Network error occurred while trying to access the URL - URL-osoitteeseen yhdistettäessä tapahtui verkkovirhe - - - Download Complete - Lataus Valmis - - - The update has been downloaded, press OK to install. - Päivitys on ladattu, paina OK asentaaksesi. - - - Failed to save the update file at - Päivitystiedoston tallentaminen epäonnistui sijaintiin - - - Starting Update... - Aloitetaan päivitystä... - - - Failed to create the update script file - Päivitysskripttitiedoston luominen epäonnistui - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Haetaan yhteensopivuustietoja, odota - - - Cancel - Peruuta - - - Loading... - Ladataan... - - - Error - Virhe - - - Unable to update compatibility data! Try again later. - Yhteensopivuustietoja ei voitu päivittää! Yritä myöhemmin uudelleen. - - - Unable to open compatibility_data.json for writing. - Ei voitu avata compatibility_data.json-tiedostoa kirjoittamista varten. - - - Unknown - Tuntematon - - - Nothing - Ei mitään - - - Boots - Sahat - - - Menus - Valikot - - - Ingame - Pelin aikana - - - Playable - Pelattava - - - diff --git a/src/qt_gui/translations/fi_FI.ts b/src/qt_gui/translations/fi_FI.ts new file mode 100644 index 000000000..cb5962502 --- /dev/null +++ b/src/qt_gui/translations/fi_FI.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + Tietoa shadPS4:sta + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 on kokeellinen avoimen lähdekoodin PlayStation 4 emulaattori. + + + This software should not be used to play games you have not legally obtained. + Tätä ohjelmistoa ei saa käyttää pelien pelaamiseen, joita et ole hankkinut laillisesti. + + + + CheatsPatches + + Cheats / Patches for + Huijaukset / Paikkaukset pelille + + + defaultTextEdit_MSG + Huijaukset/Paikkaukset ovat kokeellisia.\nKäytä varoen.\n\nLataa huijaukset yksitellen valitsemalla repositorion ja napsauttamalla latauspainiketta.\nPaikkaukset-välilehdessä voit ladata kaikki paikkaukset kerralla, valita, mitä haluat käyttää ja tallentaa valinnan.\n\nKoska me emme kehitä Huijauksia/Paikkauksia,\nole hyvä ja ilmoita ongelmista huijauksen tekijälle.\n\nLoitko uuden huijauksen? Käy osoitteessa:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Kuvaa ei saatavilla + + + Serial: + Sarjanumero: + + + Version: + Versio: + + + Size: + Koko: + + + Select Cheat File: + Valitse Huijaustiedosto: + + + Repository: + Repositorio: + + + Download Cheats + Lataa Huijaukset + + + Delete File + Poista Tiedosto + + + No files selected. + Tiedostoja ei ole valittuna. + + + You can delete the cheats you don't want after downloading them. + Voit poistaa ei-toivomasi huijaukset lataamisen jälkeen. + + + Do you want to delete the selected file?\n%1 + Haluatko poistaa valitun tiedoston?\n%1 + + + Select Patch File: + Valitse Paikkaustiedosto: + + + Download Patches + Lataa Paikkaukset + + + Save + Tallenna + + + Cheats + Huijaukset + + + Patches + Paikkaukset + + + Error + Virhe + + + No patch selected. + Paikkausta ei ole valittuna. + + + Unable to open files.json for reading. + Tiedostoa files.json ei voitu avata lukemista varten. + + + No patch file found for the current serial. + Nykyiselle sarjanumerolle ei löytynyt paikkaustiedostoa. + + + Unable to open the file for reading. + Tiedostoa ei voitu avata lukemista varten. + + + Unable to open the file for writing. + Tiedostoa ei voitu avata kirjoittamista varten. + + + Failed to parse XML: + XML:n jäsentäminen epäonnistui: + + + Success + Onnistuminen + + + Options saved successfully. + Vaihtoehdot tallennettu onnistuneesti. + + + Invalid Source + Virheellinen Lähde + + + The selected source is invalid. + Valittu lähde on virheellinen. + + + File Exists + Olemassaoleva Tiedosto + + + File already exists. Do you want to replace it? + Tiedosto on jo olemassa. Haluatko korvata sen? + + + Failed to save file: + Tiedoston tallentaminen epäonnistui: + + + Failed to download file: + Tiedoston lataaminen epäonnistui: + + + Cheats Not Found + Huijauksia Ei Löytynyt + + + CheatsNotFound_MSG + Huijauksia ei löytynyt tälle pelin versiolle valitusta repositoriosta. Kokeile toista repositoriota tai eri versiota pelistä. + + + Cheats Downloaded Successfully + Huijaukset Ladattu Onnistuneesti + + + CheatsDownloadedSuccessfully_MSG + Olet ladannut huijaukset onnistuneesti valitusta repositoriosta tälle pelin versiolle. Voit yrittää ladata toisesta repositoriosta. Jos se on saatavilla, voit myös käyttää sitä valitsemalla tiedoston listasta. + + + Failed to save: + Tallentaminen epäonnistui: + + + Failed to download: + Lataus epäonnistui: + + + Download Complete + Lataus valmis + + + DownloadComplete_MSG + Paikkaukset ladattu onnistuneesti! Kaikki saatavilla olevat paikkaukset kaikille peleille on ladattu, eikä niitä tarvitse ladata yksittäin jokaiselle pelille, kuten huijausten kohdalla. Jos paikkausta ei näy, saattaa olla, että sitä ei ole saatavilla kyseiselle sarjanumerolle ja peliversiolle. + + + Failed to parse JSON data from HTML. + JSON-tietojen jäsentäminen HTML:stä epäonnistui. + + + Failed to retrieve HTML page. + HTML-sivun hakeminen epäonnistui. + + + The game is in version: %1 + Peli on versiossa: %1 + + + The downloaded patch only works on version: %1 + Ladattu paikkaus toimii vain versiossa: %1 + + + You may need to update your game. + Sinun on ehkä päivitettävä pelisi. + + + Incompatibility Notice + Yhteensopivuusilmoitus + + + Failed to open file: + Tiedoston avaaminen epäonnistui: + + + XML ERROR: + XML VIRHE: + + + Failed to open files.json for writing + Tiedostoa files.json ei voitu avata kirjoittamista varten + + + Author: + Tekijä: + + + Directory does not exist: + Hakemistoa ei ole olemassa: + + + Failed to open files.json for reading. + Tiedostoa files.json ei voitu avata lukemista varten. + + + Name: + Nimi: + + + Can't apply cheats before the game is started + Huijauksia ei voi käyttää ennen kuin peli on käynnissä. + + + Close + Sulje + + + + CheckUpdate + + Auto Updater + Automaattinen Päivitys + + + Error + Virhe + + + Network error: + Verkkovirhe: + + + Error_Github_limit_MSG + Automaattinen päivitys sallii enintään 60 päivitystarkistusta tunnissa.\nOlet saavuttanut tämän rajan. Yritä myöhemmin uudelleen. + + + Failed to parse update information. + Päivitystietojen jäsentäminen epäonnistui. + + + No pre-releases found. + Ennakkojulkaisuja ei löytynyt. + + + Invalid release data. + Virheelliset julkaisutiedot. + + + No download URL found for the specified asset. + Lataus-URL:ia ei löytynyt määritetylle omaisuudelle. + + + Your version is already up to date! + Versiosi on jo ajan tasalla! + + + Update Available + Päivitys Saatavilla + + + Update Channel + Päivityskanava + + + Current Version + Nykyinen Versio + + + Latest Version + Uusin Versio + + + Do you want to update? + Haluatko päivittää? + + + Show Changelog + Näytä Muutoshistoria + + + Check for Updates at Startup + Tarkista Päivitykset Käynnistettäessä + + + Update + Päivitä + + + No + Ei + + + Hide Changelog + Piilota Muutoshistoria + + + Changes + Muutokset + + + Network error occurred while trying to access the URL + URL-osoitteeseen yhdistettäessä tapahtui verkkovirhe + + + Download Complete + Lataus Valmis + + + The update has been downloaded, press OK to install. + Päivitys on ladattu, paina OK asentaaksesi. + + + Failed to save the update file at + Päivitystiedoston tallentaminen epäonnistui sijaintiin + + + Starting Update... + Aloitetaan päivitystä... + + + Failed to create the update script file + Päivitysskripttitiedoston luominen epäonnistui + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Haetaan yhteensopivuustietoja, odota + + + Cancel + Peruuta + + + Loading... + Ladataan... + + + Error + Virhe + + + Unable to update compatibility data! Try again later. + Yhteensopivuustietoja ei voitu päivittää! Yritä myöhemmin uudelleen. + + + Unable to open compatibility_data.json for writing. + Ei voitu avata compatibility_data.json-tiedostoa kirjoittamista varten. + + + Unknown + Tuntematon + + + Nothing + Ei mitään + + + Boots + Sahat + + + Menus + Valikot + + + Ingame + Pelin aikana + + + Playable + Pelattava + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Avaa Hakemisto + + + + GameInfoClass + + Loading game list, please wait :3 + Ole hyvä ja odota, ladataan pelilistaa :3 + + + Cancel + Peruuta + + + Loading... + Ladataan... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Valitse hakemisto + + + Directory to install games + Pelien asennushakemisto + + + Browse + Selaa + + + Error + Virhe + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikoni + + + Name + Nimi + + + Serial + Sarjanumero + + + Compatibility + Compatibility + + + Region + Alue + + + Firmware + Ohjelmisto + + + Size + Koko + + + Version + Versio + + + Path + Polku + + + Play Time + Peliaika + + + Never Played + Pelaamaton + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Yhteensopivuutta ei ole testattu + + + Game does not initialize properly / crashes the emulator + Peli ei alustaudu kunnolla / kaataa emulaattorin + + + Game boots, but only displays a blank screen + Peli käynnistyy, mutta näyttää vain tyhjän ruudun + + + Game displays an image but does not go past the menu + Peli näyttää kuvan mutta ei mene valikosta eteenpäin + + + Game has game-breaking glitches or unplayable performance + Pelissä on pelikokemusta rikkovia häiriöitä tai kelvoton suorituskyky + + + Game can be completed with playable performance and no major glitches + Pelillä on hyväksyttävä suorituskyky, eikä mitään suuria häiriöitä + + + Click to see details on github + Napsauta nähdäksesi lisätiedot GitHubissa + + + Last updated + Viimeksi päivitetty + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Luo Pikakuvake + + + Cheats / Patches + Huijaukset / Korjaukset + + + SFO Viewer + SFO Selain + + + Trophy Viewer + Trophy Selain + + + Open Folder... + Avaa Hakemisto... + + + Open Game Folder + Avaa Pelihakemisto + + + Open Save Data Folder + Avaa Tallennustiedostohakemisto + + + Open Log Folder + Avaa Lokihakemisto + + + Copy info... + Kopioi tietoja... + + + Copy Name + Kopioi Nimi + + + Copy Serial + Kopioi Sarjanumero + + + Copy All + Kopioi kaikki + + + Delete... + Poista... + + + Delete Game + Poista Peli + + + Delete Update + Poista Päivitys + + + Delete DLC + Poista Lisäsisältö + + + Compatibility... + Yhteensopivuus... + + + Update database + Päivitä tietokanta + + + View report + Näytä raportti + + + Submit a report + Tee raportti + + + Shortcut creation + Pikakuvakkeen luonti + + + Shortcut created successfully! + Pikakuvake luotu onnistuneesti! + + + Error + Virhe + + + Error creating shortcut! + Virhe pikakuvakkeen luonnissa! + + + Install PKG + Asenna PKG + + + Game + Peli + + + This game has no update to delete! + Tällä pelillä ei ole poistettavaa päivitystä! + + + Update + Päivitä + + + This game has no DLC to delete! + Tällä pelillä ei ole poistettavaa lisäsisältöä! + + + DLC + Lisäsisältö + + + Delete %1 + Poista %1 + + + Are you sure you want to delete %1's %2 directory? + Haluatko varmasti poistaa %1n %2hakemiston? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Valitse hakemisto + + + Select which directory you want to install to. + Valitse, mihin hakemistoon haluat asentaa. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Avaa/Lisää Elf Hakemisto + + + Install Packages (PKG) + Asenna Paketteja (PKG) + + + Boot Game + Käynnistä Peli + + + Check for Updates + Tarkista Päivitykset + + + About shadPS4 + Tietoa shadPS4:sta + + + Configure... + Asetukset... + + + Install application from a .pkg file + Asenna sovellus .pkg tiedostosta + + + Recent Games + Viimeisimmät Pelit + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Sulje + + + Exit shadPS4 + Sulje shadPS4 + + + Exit the application. + Sulje sovellus. + + + Show Game List + Avaa pelilista + + + Game List Refresh + Päivitä pelilista + + + Tiny + Hyvin pieni + + + Small + Pieni + + + Medium + Keskikokoinen + + + Large + Suuri + + + List View + Listanäkymä + + + Grid View + Ruudukkonäkymä + + + Elf Viewer + Elf Selain + + + Game Install Directory + Peliasennushakemisto + + + Download Cheats/Patches + Lataa Huijaukset / Korjaukset + + + Dump Game List + Kirjoita Pelilista Tiedostoon + + + PKG Viewer + PKG Selain + + + Search... + Hae... + + + File + Tiedosto + + + View + Näkymä + + + Game List Icons + Pelilistan Ikonit + + + Game List Mode + Pelilistamuoto + + + Settings + Asetukset + + + Utils + Työkalut + + + Themes + Teemat + + + Help + Apua + + + Dark + Tumma + + + Light + Vaalea + + + Green + Vihreä + + + Blue + Sininen + + + Violet + Violetti + + + toolBar + Työkalupalkki + + + Game List + Pelilista + + + * Unsupported Vulkan Version + * Ei Tuettu Vulkan-versio + + + Download Cheats For All Installed Games + Lataa Huijaukset Kaikille Asennetuille Peleille + + + Download Patches For All Games + Lataa Paikkaukset Kaikille Peleille + + + Download Complete + Lataus Valmis + + + You have downloaded cheats for all the games you have installed. + Olet ladannut huijaukset kaikkiin asennettuihin peleihin. + + + Patches Downloaded Successfully! + Paikkaukset Ladattu Onnistuneesti! + + + All Patches available for all games have been downloaded. + Kaikki saatavilla olevat Paikkaukset kaikille peleille on ladattu. + + + Games: + Pelit: + + + ELF files (*.bin *.elf *.oelf) + ELF-tiedostot (*.bin *.elf *.oelf) + + + Game Boot + Pelin Käynnistys + + + Only one file can be selected! + Vain yksi tiedosto voi olla valittuna! + + + PKG Extraction + PKG:n purku + + + Patch detected! + Päivitys havaittu! + + + PKG and Game versions match: + PKG- ja peliversiot vastaavat: + + + Would you like to overwrite? + Haluatko korvata? + + + PKG Version %1 is older than installed version: + PKG-versio %1 on vanhempi kuin asennettu versio: + + + Game is installed: + Peli on asennettu: + + + Would you like to install Patch: + Haluatko asentaa päivityksen: + + + DLC Installation + Lisäsisällön asennus + + + Would you like to install DLC: %1? + Haluatko asentaa lisäsisällön: %1? + + + DLC already installed: + Lisäsisältö on jo asennettu: + + + Game already installed + Peli on jo asennettu + + + PKG ERROR + PKG VIRHE + + + Extracting PKG %1/%2 + Purkaminen PKG %1/%2 + + + Extraction Finished + Purku valmis + + + Game successfully installed at %1 + Peli asennettu onnistuneesti kohtaan %1 + + + File doesn't appear to be a valid PKG file + Tiedosto ei vaikuta olevan kelvollinen PKG-tiedosto + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Avaa Hakemisto + + + Name + Nimi + + + Serial + Sarjanumero + + + Installed + + + + Size + Koko + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Alue + + + Flags + + + + Path + Polku + + + File + Tiedosto + + + PKG ERROR + PKG VIRHE + + + Unknown + Tuntematon + + + Package + + + + + SettingsDialog + + Settings + Asetukset + + + General + Yleinen + + + System + Järjestelmä + + + Console Language + Konsolin Kieli + + + Emulator Language + Emulaattorin Kieli + + + Emulator + Emulaattori + + + Enable Fullscreen + Ota Käyttöön Koko Ruudun Tila + + + Fullscreen Mode + Koko näytön tila + + + Enable Separate Update Folder + Ota Käyttöön Erillinen Päivityshakemisto + + + Default tab when opening settings + Oletusvälilehti avattaessa asetuksia + + + Show Game Size In List + Näytä pelin koko luettelossa + + + Show Splash + Näytä Aloitusnäyttö + + + Enable Discord Rich Presence + Ota käyttöön Discord Rich Presence + + + Username + Käyttäjänimi + + + Trophy Key + Trophy Avain + + + Trophy + Trophy + + + Logger + Lokinkerääjä + + + Log Type + Lokin Tyyppi + + + Log Filter + Lokisuodatin + + + Open Log Location + Avaa lokin sijainti + + + Input + Syöttö + + + Cursor + Kursori + + + Hide Cursor + Piilota Kursori + + + Hide Cursor Idle Timeout + Inaktiivisuuden Aikaraja Kursorin Piilottamiseen + + + s + s + + + Controller + Ohjain + + + Back Button Behavior + Takaisin-painikkeen Käyttäytyminen + + + Graphics + Grafiikka + + + GUI + Rajapinta + + + User + Käyttäjä + + + Graphics Device + Näytönohjain + + + Width + Leveys + + + Height + Korkeus + + + Vblank Divider + Vblank jakaja + + + Advanced + Lisäasetukset + + + Enable Shaders Dumping + Ota Käyttöön Varjostinvedokset + + + Enable NULL GPU + Ota Käyttöön NULL GPU + + + Paths + Polut + + + Game Folders + Pelihakemistot + + + Add... + Lisää... + + + Remove + Poista + + + Debug + Virheenkorjaus + + + Enable Debug Dumping + Ota Käyttöön Virheenkorjausvedokset + + + Enable Vulkan Validation Layers + Ota Käyttöön Vulkan-validointikerrokset + + + Enable Vulkan Synchronization Validation + Ota Käyttöön Vulkan-synkronointivalidointi + + + Enable RenderDoc Debugging + Ota Käyttöön RenderDoc Virheenkorjaus + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Päivitys + + + Check for Updates at Startup + Tarkista Päivitykset Käynnistäessä + + + Always Show Changelog + Näytä aina muutoshistoria + + + Update Channel + Päivityskanava + + + Check for Updates + Tarkista Päivitykset + + + GUI Settings + GUI-asetukset + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Poista Trophy Pop-upit Käytöstä + + + Play title music + Soita Otsikkomusiikkia + + + Update Compatibility Database On Startup + Päivitä Yhteensopivuustietokanta Käynnistäessä + + + Game Compatibility + Peliyhteensopivuus + + + Display Compatibility Data + Näytä Yhteensopivuustiedot + + + Update Compatibility Database + Päivitä Yhteensopivuustietokanta + + + Volume + Äänenvoimakkuus + + + Save + Tallenna + + + Apply + Ota käyttöön + + + Restore Defaults + Palauta Oletukset + + + Close + Sulje + + + Point your mouse at an option to display its description. + Siirrä hiiri vaihtoehdon päälle näyttääksesi sen kuvauksen. + + + consoleLanguageGroupBox + Konsolin Kieli:\nAseta PS4-pelin käyttämä kieli.\nOn suositeltavaa asettaa tämä kieleksi, jota peli tukee, mikä vaihtelee alueittain. + + + emulatorLanguageGroupBox + Emulaattorin Kieli:\nAsettaa emulaattorin käyttöliittymän kielen. + + + fullscreenCheckBox + Ota Koko Näytön Tila Käyttöön:\nAvaa pelin ikkunan automaattisesti koko näytön tilassa.\nTilaa voi vaihtaa painamalla F11-näppäintä. + + + separateUpdatesCheckBox + Ota Käyttöön Erillinen Päivityskansio:\nOttaa käyttöön päivitysten asennuksen erilliseen kansioon helpottamaan niiden hallintaa.\nTämä on tehtävissä manuaalisesti lisäämällä puretun päivityksen pelikansioon "CUSA00000-UPDATE" nimellä, missä CUSA ID vastaa pelin ID:tä. + + + showSplashCheckBox + Näytä Aloitusnäyttö:\nNäyttää pelin aloitusnäytön (erityinen kuva) pelin käynnistyessä. + + + discordRPCCheckbox + Ota käyttöön Discord Rich Presence:\nNäyttää emulaattorin kuvakkeen ja asiaankuuluvat tiedot Discord-profiilissasi. + + + userName + Käyttäjänimi:\nAsettaa PS4-tilin käyttäjänimen, joka voi näkyä joissain peleissä. + + + TrophyKey + Trophy Avain:\nThrophyjen dekryptoinnissa käytetty avain. Pitää hankkia jailbreakatusta konsolista.\nSaa sisältää vain hex-merkkejä. + + + logTypeGroupBox + Lokityyppi:\nAsettaa, synkronoidaanko loki-ikkunan ulostulo suorituskyvyn vuoksi. Tämä voi vaikuttaa haitallisesti emulointiin. + + + logFilter + Lokisuodatin:\nSuodattaa lokia tulostamaan vain määrättyä tietoa.\nEsimerkkejä: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nTasot: Trace, Debug, Info, Warning, Error, Critical - tässä järjestyksessä. Valittu taso vaientaa kaikki edeltävät tasot luettelossa ja kirjaa kaikki tasot sen jälkeen. + + + updaterGroupBox + Päivitys:\nRelease: Viralliset versiot, jotka julkaistaan kuukausittain ja saattavat olla hyvin vanhoja, mutta ovat luotettavampia ja testatumpia.\nNightly: Kehitysversiot, joissa on kaikki uusimmat ominaisuudet ja korjaukset, mutta ne saattavat sisältää virheitä ja ovat vähemmän vakaita. + + + GUIMusicGroupBox + Soita Otsikkomusiikkia:\nJos peli tukee sitä, ota käyttöön erityisen musiikin soittaminen pelin valinnan yhteydessä käyttöliittymässä. + + + disableTrophycheckBox + Poista Trophy Pop-upit Käytöstä:\nPoista trophy ilmoitukset pelin aikana. Trophyjen edistystä voi silti seurata Trophy Selainta käyttämällä (klikkaa peliä hiiren oikealla emulaattorin pääikkunassa). + + + hideCursorGroupBox + Piilota kursori:\nValitse, milloin kursori häviää:\nEi koskaan: Näet hiiren aina.\nInaktiivinen: Aseta aika, jolloin se häviää oltuaan aktiivinen.\nAina: et koskaan näe hiirtä. + + + idleTimeoutGroupBox + Aseta aika, milloin hiiri häviää oltuaan aktiivinen. + + + backButtonBehaviorGroupBox + Takaisin-napin käyttäytyminen:\nAsettaa ohjaimen takaisin-napin jäljittelemään kosketusta PS4:n kosketuslevyn määritettyyn kohtaan. + + + enableCompatibilityCheckBox + Näytä Yhteensopivuustiedot:\nNäyttää pelien yhteensopivuustiedot listanäkymässä. Ota käyttöön "Päivitä Yhteensopivuustietokanta Käynnistäessä" saadaksesi ajantasaista tietoa. + + + checkCompatibilityOnStartupCheckBox + Päivitä Yhteensopivuustiedot Käynnistäessä:\nPäivitä yhteensopivuustiedot automaattisesti shadPS4:n käynnistyessä. + + + updateCompatibilityButton + Päivitä Yhteensopivuustietokanta:\nPäivitää yhteensopivuustietokannan heti. + + + Never + Ei koskaan + + + Idle + Inaktiivinen + + + Always + Aina + + + Touchpad Left + Kosketuslevyn Vasen Puoli + + + Touchpad Right + Kosketuslevyn Oikea Puoli + + + Touchpad Center + Kosketuslevyn Keskikohta + + + None + Ei mitään + + + graphicsAdapterGroupBox + Näytönohjain:\nUseamman näytönohjaimen järjestelmissä, valitse pudotusvalikosta, mitä näytönohjainta emulaattori käyttää,\n tai valitse "Auto Select" automaattiseen määritykseen. + + + resolutionLayout + Leveys/Korkeus:\nAsettaa käynnistetyn emulaattori-ikkunan koon, jota voidaan muuttaa pelin aikana.\nTämä on eri, kuin pelin sisäinen resoluutio. + + + heightDivider + Vblank Jakaja:\nEmulaattorin virkistystaajuus kerrotaan tällä numerolla. Tämän muuttaminen voi vaikuttaa haitallisesti, kuten lisätä pelin nopeutta tai rikkoa kriittisiä pelitoimintoja, jotka eivät odota tämän muuttuvan! + + + dumpShadersCheckBox + Ota Käyttöön Varjostinvedokset:\nTeknistä vianetsintää varten. Pelin varjostimia tallennetaan hakemistoon niiden renderöityessä. + + + nullGpuCheckBox + Ota Null GPU käyttöön:\nTeknistä vianetsintää varten. Pelin renderöinti estetään, ikään kuin näytönohjainta ei olisi. + + + gameFoldersBox + Pelihakemistot:\nLista hakemistoista, joista pelejä haetaan. + + + addFolderButton + Lisää:\nLisää hakemisto listalle. + + + removeFolderButton + Poista:\nPoista hakemisto listalta. + + + debugDump + Ota Käyttöön Virheenkorjausvedokset:\nTallentaa käynnissä olevan PS4-ohjelman tuonti- ja vientisymbolit ja tiedosto-otsikkotiedot hakemistoon. + + + vkValidationCheckBox + Ota Käyttöön Vulkan-validointikerrokset:\nAktivoi järjestelmä, joka validoi Vulkan-renderöijän tilan ja kirjaa tietoa sen sisäisestä tilasta. Tämä heikentää suorituskykyä ja todennäköisesti muuttaa emulaation käyttäytymistä. + + + vkSyncValidationCheckBox + Ota Käyttöön Vulkan-synkronointivalidointi:\nAktivoi järjestelmä, joka validoi Vulkan-renderöinnin tehtävien aikataulutuksen. Tämä heikentää suorituskykyä ja todennäköisesti muuttaa emulaation käyttäytymistä. + + + rdocCheckBox + Ota Käyttöön RenderDoc Virheenkorjaus:\nJos käytössä, emulaattori tarjoaa Renderdoc-yhteensopivuuden, mikä mahdollistaa renderöidyn kehyksen tallennuksen ja analysoinnin. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Selaa + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Pelien asennushakemisto + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Selain + + + diff --git a/src/qt_gui/translations/fr.ts b/src/qt_gui/translations/fr.ts deleted file mode 100644 index 0a28c712f..000000000 --- a/src/qt_gui/translations/fr.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - À propos de shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 est un émulateur open-source expérimental de la PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Ce logiciel ne doit pas être utilisé pour jouer à des jeux que vous n'avez pas obtenus légalement. - - - - ElfViewer - - Open Folder - Ouvrir un dossier - - - - GameInfoClass - - Loading game list, please wait :3 - Chargement de la liste de jeu, veuillez patienter... - - - Cancel - Annuler - - - Loading... - Chargement... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choisir un répertoire - - - Select which directory you want to install to. - Sélectionnez le répertoire où vous souhaitez effectuer l'installation. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choisir un répertoire - - - Directory to install games - Répertoire d'installation des jeux - - - Browse - Parcourir - - - Error - Erreur - - - The value for location to install games is not valid. - Le répertoire d'installation des jeux n'est pas valide. - - - - GuiContextMenus - - Create Shortcut - Créer un raccourci - - - Cheats / Patches - Cheats/Patchs - - - SFO Viewer - Visionneuse SFO - - - Trophy Viewer - Visionneuse de trophées - - - Open Folder... - Ouvrir le Dossier... - - - Open Game Folder - Ouvrir le Dossier du Jeu - - - Open Save Data Folder - Ouvrir le Dossier des Données de Sauvegarde - - - Open Log Folder - Ouvrir le Dossier des Logs - - - Copy info... - Copier infos... - - - Copy Name - Copier le nom - - - Copy Serial - Copier le N° de série - - - Copy All - Copier tout - - - Delete... - Supprimer... - - - Delete Game - Supprimer jeu - - - Delete Update - Supprimer MÀJ - - - Delete DLC - Supprimer DLC - - - Compatibility... - Compatibilité... - - - Update database - Mettre à jour la base de données - - - View report - Voir rapport - - - Submit a report - Soumettre un rapport - - - Shortcut creation - Création du raccourci - - - Shortcut created successfully! - Raccourci créé avec succès ! - - - Error - Erreur - - - Error creating shortcut! - Erreur lors de la création du raccourci ! - - - Install PKG - Installer un PKG - - - Game - Jeu - - - requiresEnableSeparateUpdateFolder_MSG - Cette fonctionnalité nécessite l'option 'Dossier séparé pour les mises à jour' pour fonctionner. Si vous voulez utiliser cette fonctionnalité, veuillez l'activer. - - - This game has no update to delete! - Ce jeu n'a pas de mise à jour à supprimer! - - - Update - Mise à jour - - - This game has no DLC to delete! - Ce jeu n'a pas de DLC à supprimer! - - - DLC - DLC - - - Delete %1 - Supprime %1 - - - Are you sure you want to delete %1's %2 directory? - Êtes vous sûr de vouloir supprimer le répertoire %1 %2 ? - - - - MainWindow - - Open/Add Elf Folder - Ouvrir/Ajouter un dossier ELF - - - Install Packages (PKG) - Installer des packages (PKG) - - - Boot Game - Démarrer un jeu - - - Check for Updates - Vérifier les mises à jour - - - About shadPS4 - À propos de shadPS4 - - - Configure... - Configurer... - - - Install application from a .pkg file - Installer une application depuis un fichier .pkg - - - Recent Games - Jeux récents - - - Open shadPS4 Folder - Ouvrir le dossier de shadPS4 - - - Exit - Fermer - - - Exit shadPS4 - Fermer shadPS4 - - - Exit the application. - Fermer l'application. - - - Show Game List - Afficher la liste de jeux - - - Game List Refresh - Rafraîchir la liste de jeux - - - Tiny - Très Petit - - - Small - Petit - - - Medium - Moyen - - - Large - Grand - - - List View - Mode liste - - - Grid View - Mode grille - - - Elf Viewer - Visionneuse ELF - - - Game Install Directory - Répertoire des jeux - - - Download Cheats/Patches - Télécharger Cheats/Patchs - - - Dump Game List - Dumper la liste des jeux - - - PKG Viewer - Visionneuse PKG - - - Search... - Chercher... - - - File - Fichier - - - View - Affichage - - - Game List Icons - Icônes des jeux - - - Game List Mode - Mode d'affichage - - - Settings - Paramètres - - - Utils - Utilitaires - - - Themes - Thèmes - - - Help - Aide - - - Dark - Sombre - - - Light - Clair - - - Green - Vert - - - Blue - Bleu - - - Violet - Violet - - - toolBar - Barre d'outils - - - Game List - Liste de jeux - - - * Unsupported Vulkan Version - * Version de Vulkan non prise en charge - - - Download Cheats For All Installed Games - Télécharger les Cheats pour tous les jeux installés - - - Download Patches For All Games - Télécharger les patchs pour tous les jeux - - - Download Complete - Téléchargement terminé - - - You have downloaded cheats for all the games you have installed. - Vous avez téléchargé des Cheats pour tous les jeux installés. - - - Patches Downloaded Successfully! - Patchs téléchargés avec succès ! - - - All Patches available for all games have been downloaded. - Tous les patchs disponibles ont été téléchargés. - - - Games: - Jeux: - - - PKG File (*.PKG) - Fichiers PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Fichiers ELF (*.bin *.elf *.oelf) - - - Game Boot - Démarrer un jeu - - - Only one file can be selected! - Un seul fichier peut être sélectionné ! - - - PKG Extraction - Extraction du PKG - - - Patch detected! - Patch détecté ! - - - PKG and Game versions match: - Les versions PKG et jeu correspondent: - - - Would you like to overwrite? - Souhaitez-vous remplacer ? - - - PKG Version %1 is older than installed version: - La version PKG %1 est plus ancienne que la version installée: - - - Game is installed: - Jeu installé: - - - Would you like to install Patch: - Souhaitez-vous installer le patch: - - - DLC Installation - Installation du DLC - - - Would you like to install DLC: %1? - Souhaitez-vous installer le DLC: %1 ? - - - DLC already installed: - DLC déjà installé: - - - Game already installed - Jeu déjà installé - - - PKG is a patch, please install the game first! - Le PKG est un patch, veuillez d'abord installer le jeu ! - - - PKG ERROR - Erreur PKG - - - Extracting PKG %1/%2 - Extraction PKG %1/%2 - - - Extraction Finished - Extraction terminée - - - Game successfully installed at %1 - Jeu installé avec succès dans %1 - - - File doesn't appear to be a valid PKG file - Le fichier ne semble pas être un PKG valide - - - - PKGViewer - - Open Folder - Ouvrir un dossier - - - - TrophyViewer - - Trophy Viewer - Visionneuse de trophées - - - - SettingsDialog - - Settings - Paramètres - - - General - Général - - - System - Système - - - Console Language - Langage de la console - - - Emulator Language - Langage de l'émulateur - - - Emulator - Émulateur - - - Enable Fullscreen - Plein écran - - - Fullscreen Mode - Mode Plein Écran - - - Enable Separate Update Folder - Dossier séparé pour les mises à jour - - - Default tab when opening settings - Onglet par défaut lors de l'ouverture des paramètres - - - Show Game Size In List - Afficher la taille des jeux dans la liste - - - Show Splash - Afficher l'image du jeu - - - Is PS4 Pro - Mode PS4 Pro - - - Enable Discord Rich Presence - Activer la présence Discord - - - Username - Nom d'utilisateur - - - Trophy Key - Clé de trophée - - - Trophy - Trophée - - - Logger - Journalisation - - - Log Type - Type de journal - - - Log Filter - Filtre du journal - - - Open Log Location - Ouvrir l'emplacement du journal - - - Input - Entrée - - - Cursor - Curseur - - - Hide Cursor - Masquer le curseur - - - Hide Cursor Idle Timeout - Délai d'inactivité pour masquer le curseur - - - s - s - - - Controller - Manette - - - Back Button Behavior - Comportement du bouton retour - - - Graphics - Graphismes - - - GUI - Interface - - - User - Utilisateur - - - Graphics Device - Carte graphique - - - Width - Largeur - - - Height - Hauteur - - - Vblank Divider - Vblank - - - Advanced - Avancé - - - Enable Shaders Dumping - Dumper les shaders - - - Enable NULL GPU - NULL GPU - - - Paths - Chemins - - - Game Folders - Dossiers de jeu - - - Add... - Ajouter... - - - Remove - Supprimer - - - Debug - Débogage - - - Enable Debug Dumping - Activer le débogage - - - Enable Vulkan Validation Layers - Activer la couche de validation Vulkan - - - Enable Vulkan Synchronization Validation - Activer la synchronisation de la validation Vulkan - - - Enable RenderDoc Debugging - Activer le débogage RenderDoc - - - Enable Crash Diagnostics - Activer le diagnostic de crash - - - Collect Shaders - Collecter les shaders - - - Copy GPU Buffers - Copier la mémoire tampon GPU - - - Host Debug Markers - Marqueur de débogage hôte - - - Guest Debug Markers - Marqueur de débogage invité - - - Update - Mise à jour - - - Check for Updates at Startup - Vérif. maj au démarrage - - - Always Show Changelog - Afficher toujours le changelog - - - Update Channel - Canal de Mise à Jour - - - Check for Updates - Vérifier les mises à jour - - - GUI Settings - Paramètres de l'interface - - - Title Music - Musique du titre - - - Disable Trophy Pop-ups - Désactiver les notifications de trophées - - - Play title music - Lire la musique du titre - - - Update Compatibility Database On Startup - Mettre à jour la base de données de compatibilité au lancement - - - Game Compatibility - Compatibilité du jeu - - - Display Compatibility Data - Afficher les données de compatibilité - - - Update Compatibility Database - Mettre à jour la base de données de compatibilité - - - Volume - Volume - - - Audio Backend - Back-end audio - - - Save - Enregistrer - - - Apply - Appliquer - - - Restore Defaults - Restaurer les paramètres par défaut - - - Close - Fermer - - - Point your mouse at an option to display its description. - Pointez votre souris sur une option pour afficher sa description. - - - consoleLanguageGroupBox - Langue de la console:\nDéfinit la langue utilisée par le jeu PS4.\nIl est recommandé de le définir sur une langue que le jeu prend en charge, ce qui variera selon la région. - - - emulatorLanguageGroupBox - Langue de l'émulateur:\nDéfinit la langue de l'interface utilisateur de l'émulateur. - - - fullscreenCheckBox - Activer le mode plein écran:\nMet automatiquement la fenêtre du jeu en mode plein écran.\nCela peut être activé en appuyant sur la touche F11. - - - separateUpdatesCheckBox - Dossier séparé pour les mises à jour:\nInstalle les mises à jours des jeux dans un dossier séparé pour une gestion plus facile. - - - showSplashCheckBox - Afficher l'écran de démarrage:\nAffiche l'écran de démarrage du jeu (une image spéciale) lors du démarrage du jeu. - - - ps4proCheckBox - Mode PS4 Pro:\nFait en sorte que l'émulateur se comporte comme un PS4 PRO, ce qui peut activer des fonctionnalités spéciales dans les jeux qui le prennent en charge. - - - discordRPCCheckbox - Activer Discord Rich Presence:\nAffiche l'icône de l'émulateur et les informations pertinentes sur votre profil Discord. - - - userName - Nom d'utilisateur:\nDéfinit le nom d'utilisateur du compte PS4, qui peut être affiché par certains jeux. - - - TrophyKey - Clé de trophées:\nClé utilisée pour décrypter les trophées. Doit être obtenu à partir de votre console jailbreakée.\nDoit contenir des caractères hexadécimaux uniquement. - - - logTypeGroupBox - Type de journal:\nDétermine si la sortie de la fenêtre de journalisation est synchronisée pour des raisons de performance. Cela peut avoir un impact négatif sur l'émulation. - - - logFilter - Filtre de journal:\n n'imprime que des informations spécifiques.\nExemples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaux: Trace, Debug, Info, Avertissement, Erreur, Critique - dans cet ordre, un niveau particulier désactive tous les niveaux précédents de la liste et enregistre tous les niveaux suivants. - - - updaterGroupBox - Mise à jour:\nRelease: versions officielles publiées chaque mois qui peuvent être très anciennes, mais plus fiables et testées.\nNightly: versions de développement avec toutes les dernières fonctionnalités et correctifs, mais pouvant avoir des bogues et être moins stables. - - - GUIMusicGroupBox - Jouer de la musique de titre:\nSi le jeu le prend en charge, cela active la musique spéciale lorsque vous sélectionnez le jeu dans l'interface utilisateur. - - - disableTrophycheckBox - Désactiver les notifications de trophées:\nDésactive les notifications de trophées en jeu. La progression des trophées peut toujours être suivie à l'aide de la Visionneuse de trophées (clique droit sur le jeu sur la fenêtre principale). - - - hideCursorGroupBox - Masquer le curseur:\nChoisissez quand le curseur disparaîtra:\nJamais: Vous verrez toujours la souris.\nInactif: Définissez un temps pour qu'il disparaisse après inactivité.\nToujours: vous ne verrez jamais la souris. - - - idleTimeoutGroupBox - Définissez un temps pour que la souris disparaisse après être inactif. - - - backButtonBehaviorGroupBox - Comportement du bouton retour:\nDéfinit le bouton de retour de la manette pour imiter le toucher de la position spécifiée sur le pavé tactile PS4. - - - enableCompatibilityCheckBox - Afficher les données de compatibilité:\nAffiche les informations de compatibilité des jeux dans une colonne dédiée. Activez "Mettre à jour la compatibilité au démarrage" pour avoir des informations à jour. - - - checkCompatibilityOnStartupCheckBox - Mettre à jour la compatibilité au démarrage:\nMettre à jour automatiquement la base de données de compatibilité au démarrage de shadPS4. - - - updateCompatibilityButton - Mettre à jour la compatibilité au démarrage:\nMet à jour immédiatement la base de données de compatibilité. - - - Never - Jamais - - - Idle - Inactif - - - Always - Toujours - - - Touchpad Left - Pavé Tactile Gauche - - - Touchpad Right - Pavé Tactile Droit - - - Touchpad Center - Centre du Pavé Tactile - - - None - Aucun - - - graphicsAdapterGroupBox - Adaptateur graphique:\nSélectionnez le GPU que l'émulateur utilisera dans les systèmes multi-GPU à partir de la liste déroulante,\nou choisissez "Auto Select" pour le déterminer automatiquement. - - - resolutionLayout - Largeur/Hauteur:\nDéfinit la taille de la fenêtre de l'émulateur au démarrage, qui peut être redimensionnée pendant le jeu.\nCela diffère de la résolution interne du jeu. - - - heightDivider - Diviseur Vblank:\nLe taux de rafraîchissement de l'émulateur est multiplié par ce nombre. Changer cela peut avoir des effets négatifs, tels qu'une augmentation de la vitesse du jeu ou la rupture de fonctionnalités critiques du jeu qui ne s'attendent pas à ce changement ! - - - dumpShadersCheckBox - Activer l'exportation de shaders:\nPour le débogage technique, les shaders du jeu sont enregistrés dans un dossier lors du rendu. - - - nullGpuCheckBox - Activer le GPU nul:\nPour le débogage technique, désactive le rendu du jeu comme s'il n'y avait pas de carte graphique. - - - gameFoldersBox - Dossiers de jeux:\nLa liste des dossiers à vérifier pour les jeux installés. - - - addFolderButton - Ajouter:\nAjouter un dossier à la liste. - - - removeFolderButton - Supprimer:\nSupprimer un dossier de la liste. - - - debugDump - Activer l'exportation de débogage:\nEnregistre les symboles d'importation et d'exportation et les informations d'en-tête du fichier du programme PS4 actuel dans un répertoire. - - - vkValidationCheckBox - Activer les couches de validation Vulkan:\nActive un système qui valide l'état du rendu Vulkan et enregistre des informations sur son état interne. Cela réduit les performances et peut changer le comportement de l'émulation. - - - vkSyncValidationCheckBox - Activer la validation de synchronisation Vulkan:\nActive un système qui valide la planification des tâches de rendu Vulkan. Cela réduit les performances et peut changer le comportement de l'émulation. - - - rdocCheckBox - Activer le débogage RenderDoc:\nS'il est activé, l'émulateur fournit une compatibilité avec Renderdoc, permettant d'enregistrer et d'analyser la trame rendue actuelle. - - - collectShaderCheckBox - Collecter les Shaders:\nVous devez activer cette option pour modifier les shaders avec le menu de débogage (Ctrl + F10). - - - crashDiagnosticsCheckBox - Diagnostic de crash:\nCrée un fichier .yaml avec des informations sur l'état de Vulkan au moment du crash.\nUtile pour déboguer les erreurs "Device lost". Si cette option est activée, vous devez aussi activer Marqueur de débogage hôte ET invité.\nNe marche pas pour les GPUs Intel.\nVous devez activer la couche de validation Vulkan ainsi que le Vulkan SDK pour que cela fonctionne. - - - copyGPUBuffersCheckBox - Copier la mémoire tampon GPU:\nContourne les conditions de course impliquant des soumissions GPU.\nPeut aider ou non en cas de crash PM4 type 0. - - - hostMarkersCheckBox - Marqueur de débogage hôte:\nInsère des informations côté émulateur telles que des marqueurs pour des commandes spécifiques AMDGPU autour des commandes Vulkan, ainsi que donner les noms de débogages des ressources.\nSi cette option est activée, vous devriez activer "Diagnostic de crash".\nUtile pour des programmes comme RenderDoc. - - - guestMarkersCheckBox - Marqueur de débogage invité:\nInsère tous les marqueurs de débogage que le jeu a ajouté a la commande mémoire tampon.\nSi cette option est activée, vous devriez activer "Diagnostic de crash".\nUtile pour des programmes comme RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patchs pour - - - defaultTextEdit_MSG - Les Cheats/Patchs sont expérimentaux.\nUtilisez-les avec précaution.\n\nTéléchargez les Cheats individuellement en sélectionnant le dépôt et en cliquant sur le bouton de téléchargement.\nDans l'onglet Patchs, vous pouvez télécharger tous les patchs en une seule fois, choisir lesquels vous souhaitez utiliser et enregistrer votre sélection.\n\nComme nous ne développons pas les Cheats/Patches,\nmerci de signaler les problèmes à l'auteur du Cheat.\n\nVous avez créé un nouveau cheat ? Visitez:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Aucune image disponible - - - Serial: - Numéro de série: - - - Version: - Version: - - - Size: - Taille: - - - Select Cheat File: - Sélectionner le fichier de Cheat: - - - Repository: - Dépôt: - - - Download Cheats - Télécharger les Cheats - - - Delete File - Supprimer le fichier - - - No files selected. - Aucun fichier sélectionné. - - - You can delete the cheats you don't want after downloading them. - Vous pouvez supprimer les Cheats que vous ne souhaitez pas après les avoir téléchargés. - - - Do you want to delete the selected file?\n%1 - Voulez-vous supprimer le fichier sélectionné ?\n%1 - - - Select Patch File: - Sélectionner le fichier de patch: - - - Download Patches - Télécharger les patchs - - - Save - Enregistrer - - - Cheats - Cheats - - - Patches - Patchs - - - Error - Erreur - - - No patch selected. - Aucun patch sélectionné. - - - Unable to open files.json for reading. - Impossible d'ouvrir files.json pour la lecture. - - - No patch file found for the current serial. - Aucun fichier de patch trouvé pour la série actuelle. - - - Unable to open the file for reading. - Impossible d'ouvrir le fichier pour la lecture. - - - Unable to open the file for writing. - Impossible d'ouvrir le fichier pour l'écriture. - - - Failed to parse XML: - Échec de l'analyse XML: - - - Success - Succès - - - Options saved successfully. - Options enregistrées avec succès. - - - Invalid Source - Source invalide - - - The selected source is invalid. - La source sélectionnée est invalide. - - - File Exists - Le fichier existe - - - File already exists. Do you want to replace it? - Le fichier existe déjà. Voulez-vous le remplacer ? - - - Failed to save file: - Échec de l'enregistrement du fichier: - - - Failed to download file: - Échec du téléchargement du fichier: - - - Cheats Not Found - Cheats non trouvés - - - CheatsNotFound_MSG - Aucun Cheat trouvé pour ce jeu dans cette version du dépôt sélectionné, essayez un autre dépôt ou une version différente du jeu. - - - Cheats Downloaded Successfully - Cheats téléchargés avec succès - - - CheatsDownloadedSuccessfully_MSG - Vous avez téléchargé les cheats avec succès pour cette version du jeu depuis le dépôt sélectionné. Vous pouvez essayer de télécharger depuis un autre dépôt, si disponible, il sera également possible de l'utiliser en sélectionnant le fichier dans la liste. - - - Failed to save: - Échec de l'enregistrement: - - - Failed to download: - Échec du téléchargement: - - - Download Complete - Téléchargement terminé - - - DownloadComplete_MSG - Patchs téléchargés avec succès ! Tous les patches disponibles pour tous les jeux ont été téléchargés, il n'est pas nécessaire de les télécharger individuellement pour chaque jeu comme c'est le cas pour les Cheats. Si le correctif n'apparaît pas, il se peut qu'il n'existe pas pour la série et la version spécifiques du jeu. - - - Failed to parse JSON data from HTML. - Échec de l'analyse des données JSON à partir du HTML. - - - Failed to retrieve HTML page. - Échec de la récupération de la page HTML. - - - The game is in version: %1 - Le jeu est en version: %1 - - - The downloaded patch only works on version: %1 - Le patch téléchargé ne fonctionne que sur la version: %1 - - - You may need to update your game. - Vous devriez peut-être mettre à jour votre jeu. - - - Incompatibility Notice - Avis d'incompatibilité - - - Failed to open file: - Échec de l'ouverture du fichier: - - - XML ERROR: - Erreur XML: - - - Failed to open files.json for writing - Échec de l'ouverture de files.json pour l'écriture - - - Author: - Auteur: - - - Directory does not exist: - Le répertoire n'existe pas: - - - Failed to open files.json for reading. - Échec de l'ouverture de files.json pour la lecture. - - - Name: - Nom: - - - Can't apply cheats before the game is started - Impossible d'appliquer les cheats avant que le jeu ne soit lancé - - - - GameListFrame - - Icon - Icône - - - Name - Nom - - - Serial - Numéro de série - - - Compatibility - Compatibilité - - - Region - Région - - - Firmware - Firmware - - - Size - Taille - - - Version - Version - - - Path - Répertoire - - - Play Time - Temps de jeu - - - Never Played - Jamais joué - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - La compatibilité n'a pas été testé - - - Game does not initialize properly / crashes the emulator - Le jeu ne se lance pas correctement / crash l'émulateur - - - Game boots, but only displays a blank screen - Le jeu démarre, mais n'affiche qu'un écran noir - - - Game displays an image but does not go past the menu - Le jeu affiche une image mais ne dépasse pas le menu - - - Game has game-breaking glitches or unplayable performance - Le jeu a des problèmes majeurs ou des performances qui le rendent injouable - - - Game can be completed with playable performance and no major glitches - Le jeu peut être terminé avec des performances acceptables et sans problèmes majeurs - - - Click to see details on github - Cliquez pour voir les détails sur GitHub - - - Last updated - Dernière mise à jour - - - - CheckUpdate - - Auto Updater - Mise à jour automatique - - - Error - Erreur - - - Network error: - Erreur réseau: - - - Error_Github_limit_MSG - Le programme de mise à jour automatique permet jusqu'à 60 vérifications de mise à jour par heure.\nVous avez atteint cette limite. Veuillez réessayer plus tard. - - - Failed to parse update information. - Échec de l'analyse des informations de mise à jour. - - - No pre-releases found. - Aucune pré-version trouvée. - - - Invalid release data. - Données de version invalides. - - - No download URL found for the specified asset. - Aucune URL de téléchargement trouvée pour l'élément spécifié. - - - Your version is already up to date! - Votre version est déjà à jour ! - - - Update Available - Mise à jour disponible - - - Update Channel - Canal de Mise à Jour - - - Current Version - Version actuelle - - - Latest Version - Dernière version - - - Do you want to update? - Voulez-vous mettre à jour ? - - - Show Changelog - Afficher le journal des modifications - - - Check for Updates at Startup - Vérif. maj au démarrage - - - Update - Mettre à jour - - - No - Non - - - Hide Changelog - Cacher le journal des modifications - - - Changes - Modifications - - - Network error occurred while trying to access the URL - Une erreur réseau s'est produite en essayant d'accéder à l'URL - - - Download Complete - Téléchargement terminé - - - The update has been downloaded, press OK to install. - La mise à jour a été téléchargée, appuyez sur OK pour l'installer. - - - Failed to save the update file at - Échec de la sauvegarde du fichier de mise à jour à - - - Starting Update... - Démarrage de la mise à jour... - - - Failed to create the update script file - Échec de la création du fichier de script de mise à jour - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Récupération des données de compatibilité, veuillez patienter - - - Cancel - Annuler - - - Loading... - Chargement... - - - Error - Erreur - - - Unable to update compatibility data! Try again later. - Impossible de mettre à jour les données de compatibilité ! Essayez plus tard. - - - Unable to open compatibility_data.json for writing. - Impossible d'ouvrir compatibility_data.json en écriture. - - - Unknown - Inconnu - - - Nothing - Rien - - - Boots - Démarre - - - Menus - Menu - - - Ingame - En jeu - - - Playable - Jouable - - - diff --git a/src/qt_gui/translations/fr_FR.ts b/src/qt_gui/translations/fr_FR.ts new file mode 100644 index 000000000..c32d6dca3 --- /dev/null +++ b/src/qt_gui/translations/fr_FR.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + À propos de shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 est un émulateur open-source expérimental de la PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Ce logiciel ne doit pas être utilisé pour jouer à des jeux que vous n'avez pas obtenus légalement. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patchs pour + + + defaultTextEdit_MSG + Les Cheats/Patchs sont expérimentaux.\nUtilisez-les avec précaution.\n\nTéléchargez les Cheats individuellement en sélectionnant le dépôt et en cliquant sur le bouton de téléchargement.\nDans l'onglet Patchs, vous pouvez télécharger tous les patchs en une seule fois, choisir lesquels vous souhaitez utiliser et enregistrer votre sélection.\n\nComme nous ne développons pas les Cheats/Patches,\nmerci de signaler les problèmes à l'auteur du Cheat.\n\nVous avez créé un nouveau cheat ? Visitez:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Aucune image disponible + + + Serial: + Numéro de série: + + + Version: + Version: + + + Size: + Taille: + + + Select Cheat File: + Sélectionner le fichier de Cheat: + + + Repository: + Dépôt: + + + Download Cheats + Télécharger les Cheats + + + Delete File + Supprimer le fichier + + + No files selected. + Aucun fichier sélectionné. + + + You can delete the cheats you don't want after downloading them. + Vous pouvez supprimer les Cheats que vous ne souhaitez pas après les avoir téléchargés. + + + Do you want to delete the selected file?\n%1 + Voulez-vous supprimer le fichier sélectionné ?\n%1 + + + Select Patch File: + Sélectionner le fichier de patch: + + + Download Patches + Télécharger les patchs + + + Save + Enregistrer + + + Cheats + Cheats + + + Patches + Patchs + + + Error + Erreur + + + No patch selected. + Aucun patch sélectionné. + + + Unable to open files.json for reading. + Impossible d'ouvrir files.json pour la lecture. + + + No patch file found for the current serial. + Aucun fichier de patch trouvé pour la série actuelle. + + + Unable to open the file for reading. + Impossible d'ouvrir le fichier pour la lecture. + + + Unable to open the file for writing. + Impossible d'ouvrir le fichier pour l'écriture. + + + Failed to parse XML: + Échec de l'analyse XML: + + + Success + Succès + + + Options saved successfully. + Options enregistrées avec succès. + + + Invalid Source + Source invalide + + + The selected source is invalid. + La source sélectionnée est invalide. + + + File Exists + Le fichier existe + + + File already exists. Do you want to replace it? + Le fichier existe déjà. Voulez-vous le remplacer ? + + + Failed to save file: + Échec de l'enregistrement du fichier: + + + Failed to download file: + Échec du téléchargement du fichier: + + + Cheats Not Found + Cheats non trouvés + + + CheatsNotFound_MSG + Aucun Cheat trouvé pour ce jeu dans cette version du dépôt sélectionné, essayez un autre dépôt ou une version différente du jeu. + + + Cheats Downloaded Successfully + Cheats téléchargés avec succès + + + CheatsDownloadedSuccessfully_MSG + Vous avez téléchargé les cheats avec succès pour cette version du jeu depuis le dépôt sélectionné. Vous pouvez essayer de télécharger depuis un autre dépôt, si disponible, il sera également possible de l'utiliser en sélectionnant le fichier dans la liste. + + + Failed to save: + Échec de l'enregistrement: + + + Failed to download: + Échec du téléchargement: + + + Download Complete + Téléchargement terminé + + + DownloadComplete_MSG + Patchs téléchargés avec succès ! Tous les patches disponibles pour tous les jeux ont été téléchargés, il n'est pas nécessaire de les télécharger individuellement pour chaque jeu comme c'est le cas pour les Cheats. Si le correctif n'apparaît pas, il se peut qu'il n'existe pas pour la série et la version spécifiques du jeu. + + + Failed to parse JSON data from HTML. + Échec de l'analyse des données JSON à partir du HTML. + + + Failed to retrieve HTML page. + Échec de la récupération de la page HTML. + + + The game is in version: %1 + Le jeu est en version: %1 + + + The downloaded patch only works on version: %1 + Le patch téléchargé ne fonctionne que sur la version: %1 + + + You may need to update your game. + Vous devriez peut-être mettre à jour votre jeu. + + + Incompatibility Notice + Avis d'incompatibilité + + + Failed to open file: + Échec de l'ouverture du fichier: + + + XML ERROR: + Erreur XML: + + + Failed to open files.json for writing + Échec de l'ouverture de files.json pour l'écriture + + + Author: + Auteur: + + + Directory does not exist: + Le répertoire n'existe pas: + + + Failed to open files.json for reading. + Échec de l'ouverture de files.json pour la lecture. + + + Name: + Nom: + + + Can't apply cheats before the game is started + Impossible d'appliquer les cheats avant que le jeu ne soit lancé + + + Close + Fermer + + + + CheckUpdate + + Auto Updater + Mise à jour automatique + + + Error + Erreur + + + Network error: + Erreur réseau: + + + Error_Github_limit_MSG + Le programme de mise à jour automatique permet jusqu'à 60 vérifications de mise à jour par heure.\nVous avez atteint cette limite. Veuillez réessayer plus tard. + + + Failed to parse update information. + Échec de l'analyse des informations de mise à jour. + + + No pre-releases found. + Aucune pré-version trouvée. + + + Invalid release data. + Données de version invalides. + + + No download URL found for the specified asset. + Aucune URL de téléchargement trouvée pour l'élément spécifié. + + + Your version is already up to date! + Votre version est déjà à jour ! + + + Update Available + Mise à jour disponible + + + Update Channel + Canal de Mise à Jour + + + Current Version + Version actuelle + + + Latest Version + Dernière version + + + Do you want to update? + Voulez-vous mettre à jour ? + + + Show Changelog + Afficher le journal des modifications + + + Check for Updates at Startup + Vérif. maj au démarrage + + + Update + Mettre à jour + + + No + Non + + + Hide Changelog + Cacher le journal des modifications + + + Changes + Modifications + + + Network error occurred while trying to access the URL + Une erreur réseau s'est produite en essayant d'accéder à l'URL + + + Download Complete + Téléchargement terminé + + + The update has been downloaded, press OK to install. + La mise à jour a été téléchargée, appuyez sur OK pour l'installer. + + + Failed to save the update file at + Échec de la sauvegarde du fichier de mise à jour à + + + Starting Update... + Démarrage de la mise à jour... + + + Failed to create the update script file + Échec de la création du fichier de script de mise à jour + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Récupération des données de compatibilité, veuillez patienter + + + Cancel + Annuler + + + Loading... + Chargement... + + + Error + Erreur + + + Unable to update compatibility data! Try again later. + Impossible de mettre à jour les données de compatibilité ! Essayez plus tard. + + + Unable to open compatibility_data.json for writing. + Impossible d'ouvrir compatibility_data.json en écriture. + + + Unknown + Inconnu + + + Nothing + Rien + + + Boots + Démarre + + + Menus + Menu + + + Ingame + En jeu + + + Playable + Jouable + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Ouvrir un dossier + + + + GameInfoClass + + Loading game list, please wait :3 + Chargement de la liste de jeu, veuillez patienter... + + + Cancel + Annuler + + + Loading... + Chargement... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choisir un répertoire + + + Directory to install games + Répertoire d'installation des jeux + + + Browse + Parcourir + + + Error + Erreur + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icône + + + Name + Nom + + + Serial + Numéro de série + + + Compatibility + Compatibilité + + + Region + Région + + + Firmware + Firmware + + + Size + Taille + + + Version + Version + + + Path + Répertoire + + + Play Time + Temps de jeu + + + Never Played + Jamais joué + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + La compatibilité n'a pas été testé + + + Game does not initialize properly / crashes the emulator + Le jeu ne se lance pas correctement / crash l'émulateur + + + Game boots, but only displays a blank screen + Le jeu démarre, mais n'affiche qu'un écran noir + + + Game displays an image but does not go past the menu + Le jeu affiche une image mais ne dépasse pas le menu + + + Game has game-breaking glitches or unplayable performance + Le jeu a des problèmes majeurs ou des performances qui le rendent injouable + + + Game can be completed with playable performance and no major glitches + Le jeu peut être terminé avec des performances acceptables et sans problèmes majeurs + + + Click to see details on github + Cliquez pour voir les détails sur GitHub + + + Last updated + Dernière mise à jour + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Créer un raccourci + + + Cheats / Patches + Cheats/Patchs + + + SFO Viewer + Visionneuse SFO + + + Trophy Viewer + Visionneuse de trophées + + + Open Folder... + Ouvrir le Dossier... + + + Open Game Folder + Ouvrir le Dossier du Jeu + + + Open Save Data Folder + Ouvrir le Dossier des Données de Sauvegarde + + + Open Log Folder + Ouvrir le Dossier des Logs + + + Copy info... + Copier infos... + + + Copy Name + Copier le nom + + + Copy Serial + Copier le N° de série + + + Copy All + Copier tout + + + Delete... + Supprimer... + + + Delete Game + Supprimer jeu + + + Delete Update + Supprimer MÀJ + + + Delete DLC + Supprimer DLC + + + Compatibility... + Compatibilité... + + + Update database + Mettre à jour la base de données + + + View report + Voir rapport + + + Submit a report + Soumettre un rapport + + + Shortcut creation + Création du raccourci + + + Shortcut created successfully! + Raccourci créé avec succès ! + + + Error + Erreur + + + Error creating shortcut! + Erreur lors de la création du raccourci ! + + + Install PKG + Installer un PKG + + + Game + Jeu + + + This game has no update to delete! + Ce jeu n'a pas de mise à jour à supprimer! + + + Update + Mise à jour + + + This game has no DLC to delete! + Ce jeu n'a pas de DLC à supprimer! + + + DLC + DLC + + + Delete %1 + Supprime %1 + + + Are you sure you want to delete %1's %2 directory? + Êtes vous sûr de vouloir supprimer le répertoire %1 %2 ? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choisir un répertoire + + + Select which directory you want to install to. + Sélectionnez le répertoire où vous souhaitez effectuer l'installation. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Ouvrir/Ajouter un dossier ELF + + + Install Packages (PKG) + Installer des packages (PKG) + + + Boot Game + Démarrer un jeu + + + Check for Updates + Vérifier les mises à jour + + + About shadPS4 + À propos de shadPS4 + + + Configure... + Configurer... + + + Install application from a .pkg file + Installer une application depuis un fichier .pkg + + + Recent Games + Jeux récents + + + Open shadPS4 Folder + Ouvrir le dossier de shadPS4 + + + Exit + Fermer + + + Exit shadPS4 + Fermer shadPS4 + + + Exit the application. + Fermer l'application. + + + Show Game List + Afficher la liste de jeux + + + Game List Refresh + Rafraîchir la liste de jeux + + + Tiny + Très Petit + + + Small + Petit + + + Medium + Moyen + + + Large + Grand + + + List View + Mode liste + + + Grid View + Mode grille + + + Elf Viewer + Visionneuse ELF + + + Game Install Directory + Répertoire des jeux + + + Download Cheats/Patches + Télécharger Cheats/Patchs + + + Dump Game List + Dumper la liste des jeux + + + PKG Viewer + Visionneuse PKG + + + Search... + Chercher... + + + File + Fichier + + + View + Affichage + + + Game List Icons + Icônes des jeux + + + Game List Mode + Mode d'affichage + + + Settings + Paramètres + + + Utils + Utilitaires + + + Themes + Thèmes + + + Help + Aide + + + Dark + Sombre + + + Light + Clair + + + Green + Vert + + + Blue + Bleu + + + Violet + Violet + + + toolBar + Barre d'outils + + + Game List + Liste de jeux + + + * Unsupported Vulkan Version + * Version de Vulkan non prise en charge + + + Download Cheats For All Installed Games + Télécharger les Cheats pour tous les jeux installés + + + Download Patches For All Games + Télécharger les patchs pour tous les jeux + + + Download Complete + Téléchargement terminé + + + You have downloaded cheats for all the games you have installed. + Vous avez téléchargé des Cheats pour tous les jeux installés. + + + Patches Downloaded Successfully! + Patchs téléchargés avec succès ! + + + All Patches available for all games have been downloaded. + Tous les patchs disponibles ont été téléchargés. + + + Games: + Jeux: + + + ELF files (*.bin *.elf *.oelf) + Fichiers ELF (*.bin *.elf *.oelf) + + + Game Boot + Démarrer un jeu + + + Only one file can be selected! + Un seul fichier peut être sélectionné ! + + + PKG Extraction + Extraction du PKG + + + Patch detected! + Patch détecté ! + + + PKG and Game versions match: + Les versions PKG et jeu correspondent: + + + Would you like to overwrite? + Souhaitez-vous remplacer ? + + + PKG Version %1 is older than installed version: + La version PKG %1 est plus ancienne que la version installée: + + + Game is installed: + Jeu installé: + + + Would you like to install Patch: + Souhaitez-vous installer le patch: + + + DLC Installation + Installation du DLC + + + Would you like to install DLC: %1? + Souhaitez-vous installer le DLC: %1 ? + + + DLC already installed: + DLC déjà installé: + + + Game already installed + Jeu déjà installé + + + PKG ERROR + Erreur PKG + + + Extracting PKG %1/%2 + Extraction PKG %1/%2 + + + Extraction Finished + Extraction terminée + + + Game successfully installed at %1 + Jeu installé avec succès dans %1 + + + File doesn't appear to be a valid PKG file + Le fichier ne semble pas être un PKG valide + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Ouvrir un dossier + + + Name + Nom + + + Serial + Numéro de série + + + Installed + + + + Size + Taille + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Région + + + Flags + + + + Path + Répertoire + + + File + Fichier + + + PKG ERROR + Erreur PKG + + + Unknown + Inconnu + + + Package + + + + + SettingsDialog + + Settings + Paramètres + + + General + Général + + + System + Système + + + Console Language + Langage de la console + + + Emulator Language + Langage de l'émulateur + + + Emulator + Émulateur + + + Enable Fullscreen + Plein écran + + + Fullscreen Mode + Mode Plein Écran + + + Enable Separate Update Folder + Dossier séparé pour les mises à jour + + + Default tab when opening settings + Onglet par défaut lors de l'ouverture des paramètres + + + Show Game Size In List + Afficher la taille des jeux dans la liste + + + Show Splash + Afficher l'image du jeu + + + Enable Discord Rich Presence + Activer la présence Discord + + + Username + Nom d'utilisateur + + + Trophy Key + Clé de trophée + + + Trophy + Trophée + + + Logger + Journalisation + + + Log Type + Type de journal + + + Log Filter + Filtre du journal + + + Open Log Location + Ouvrir l'emplacement du journal + + + Input + Entrée + + + Cursor + Curseur + + + Hide Cursor + Masquer le curseur + + + Hide Cursor Idle Timeout + Délai d'inactivité pour masquer le curseur + + + s + s + + + Controller + Manette + + + Back Button Behavior + Comportement du bouton retour + + + Graphics + Graphismes + + + GUI + Interface + + + User + Utilisateur + + + Graphics Device + Carte graphique + + + Width + Largeur + + + Height + Hauteur + + + Vblank Divider + Vblank + + + Advanced + Avancé + + + Enable Shaders Dumping + Dumper les shaders + + + Enable NULL GPU + NULL GPU + + + Paths + Chemins + + + Game Folders + Dossiers de jeu + + + Add... + Ajouter... + + + Remove + Supprimer + + + Debug + Débogage + + + Enable Debug Dumping + Activer le débogage + + + Enable Vulkan Validation Layers + Activer la couche de validation Vulkan + + + Enable Vulkan Synchronization Validation + Activer la synchronisation de la validation Vulkan + + + Enable RenderDoc Debugging + Activer le débogage RenderDoc + + + Enable Crash Diagnostics + Activer le diagnostic de crash + + + Collect Shaders + Collecter les shaders + + + Copy GPU Buffers + Copier la mémoire tampon GPU + + + Host Debug Markers + Marqueur de débogage hôte + + + Guest Debug Markers + Marqueur de débogage invité + + + Update + Mise à jour + + + Check for Updates at Startup + Vérif. maj au démarrage + + + Always Show Changelog + Afficher toujours le changelog + + + Update Channel + Canal de Mise à Jour + + + Check for Updates + Vérifier les mises à jour + + + GUI Settings + Paramètres de l'interface + + + Title Music + Musique du titre + + + Disable Trophy Pop-ups + Désactiver les notifications de trophées + + + Play title music + Lire la musique du titre + + + Update Compatibility Database On Startup + Mettre à jour la base de données de compatibilité au lancement + + + Game Compatibility + Compatibilité du jeu + + + Display Compatibility Data + Afficher les données de compatibilité + + + Update Compatibility Database + Mettre à jour la base de données de compatibilité + + + Volume + Volume + + + Save + Enregistrer + + + Apply + Appliquer + + + Restore Defaults + Restaurer les paramètres par défaut + + + Close + Fermer + + + Point your mouse at an option to display its description. + Pointez votre souris sur une option pour afficher sa description. + + + consoleLanguageGroupBox + Langue de la console:\nDéfinit la langue utilisée par le jeu PS4.\nIl est recommandé de le définir sur une langue que le jeu prend en charge, ce qui variera selon la région. + + + emulatorLanguageGroupBox + Langue de l'émulateur:\nDéfinit la langue de l'interface utilisateur de l'émulateur. + + + fullscreenCheckBox + Activer le mode plein écran:\nMet automatiquement la fenêtre du jeu en mode plein écran.\nCela peut être activé en appuyant sur la touche F11. + + + separateUpdatesCheckBox + Dossier séparé pour les mises à jour:\nInstalle les mises à jours des jeux dans un dossier séparé pour une gestion plus facile. + + + showSplashCheckBox + Afficher l'écran de démarrage:\nAffiche l'écran de démarrage du jeu (une image spéciale) lors du démarrage du jeu. + + + discordRPCCheckbox + Activer Discord Rich Presence:\nAffiche l'icône de l'émulateur et les informations pertinentes sur votre profil Discord. + + + userName + Nom d'utilisateur:\nDéfinit le nom d'utilisateur du compte PS4, qui peut être affiché par certains jeux. + + + TrophyKey + Clé de trophées:\nClé utilisée pour décrypter les trophées. Doit être obtenu à partir de votre console jailbreakée.\nDoit contenir des caractères hexadécimaux uniquement. + + + logTypeGroupBox + Type de journal:\nDétermine si la sortie de la fenêtre de journalisation est synchronisée pour des raisons de performance. Cela peut avoir un impact négatif sur l'émulation. + + + logFilter + Filtre de journal:\n n'imprime que des informations spécifiques.\nExemples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaux: Trace, Debug, Info, Avertissement, Erreur, Critique - dans cet ordre, un niveau particulier désactive tous les niveaux précédents de la liste et enregistre tous les niveaux suivants. + + + updaterGroupBox + Mise à jour:\nRelease: versions officielles publiées chaque mois qui peuvent être très anciennes, mais plus fiables et testées.\nNightly: versions de développement avec toutes les dernières fonctionnalités et correctifs, mais pouvant avoir des bogues et être moins stables. + + + GUIMusicGroupBox + Jouer de la musique de titre:\nSi le jeu le prend en charge, cela active la musique spéciale lorsque vous sélectionnez le jeu dans l'interface utilisateur. + + + disableTrophycheckBox + Désactiver les notifications de trophées:\nDésactive les notifications de trophées en jeu. La progression des trophées peut toujours être suivie à l'aide de la Visionneuse de trophées (clique droit sur le jeu sur la fenêtre principale). + + + hideCursorGroupBox + Masquer le curseur:\nChoisissez quand le curseur disparaîtra:\nJamais: Vous verrez toujours la souris.\nInactif: Définissez un temps pour qu'il disparaisse après inactivité.\nToujours: vous ne verrez jamais la souris. + + + idleTimeoutGroupBox + Définissez un temps pour que la souris disparaisse après être inactif. + + + backButtonBehaviorGroupBox + Comportement du bouton retour:\nDéfinit le bouton de retour de la manette pour imiter le toucher de la position spécifiée sur le pavé tactile PS4. + + + enableCompatibilityCheckBox + Afficher les données de compatibilité:\nAffiche les informations de compatibilité des jeux dans une colonne dédiée. Activez "Mettre à jour la compatibilité au démarrage" pour avoir des informations à jour. + + + checkCompatibilityOnStartupCheckBox + Mettre à jour la compatibilité au démarrage:\nMettre à jour automatiquement la base de données de compatibilité au démarrage de shadPS4. + + + updateCompatibilityButton + Mettre à jour la compatibilité au démarrage:\nMet à jour immédiatement la base de données de compatibilité. + + + Never + Jamais + + + Idle + Inactif + + + Always + Toujours + + + Touchpad Left + Pavé Tactile Gauche + + + Touchpad Right + Pavé Tactile Droit + + + Touchpad Center + Centre du Pavé Tactile + + + None + Aucun + + + graphicsAdapterGroupBox + Adaptateur graphique:\nSélectionnez le GPU que l'émulateur utilisera dans les systèmes multi-GPU à partir de la liste déroulante,\nou choisissez "Auto Select" pour le déterminer automatiquement. + + + resolutionLayout + Largeur/Hauteur:\nDéfinit la taille de la fenêtre de l'émulateur au démarrage, qui peut être redimensionnée pendant le jeu.\nCela diffère de la résolution interne du jeu. + + + heightDivider + Diviseur Vblank:\nLe taux de rafraîchissement de l'émulateur est multiplié par ce nombre. Changer cela peut avoir des effets négatifs, tels qu'une augmentation de la vitesse du jeu ou la rupture de fonctionnalités critiques du jeu qui ne s'attendent pas à ce changement ! + + + dumpShadersCheckBox + Activer l'exportation de shaders:\nPour le débogage technique, les shaders du jeu sont enregistrés dans un dossier lors du rendu. + + + nullGpuCheckBox + Activer le GPU nul:\nPour le débogage technique, désactive le rendu du jeu comme s'il n'y avait pas de carte graphique. + + + gameFoldersBox + Dossiers de jeux:\nLa liste des dossiers à vérifier pour les jeux installés. + + + addFolderButton + Ajouter:\nAjouter un dossier à la liste. + + + removeFolderButton + Supprimer:\nSupprimer un dossier de la liste. + + + debugDump + Activer l'exportation de débogage:\nEnregistre les symboles d'importation et d'exportation et les informations d'en-tête du fichier du programme PS4 actuel dans un répertoire. + + + vkValidationCheckBox + Activer les couches de validation Vulkan:\nActive un système qui valide l'état du rendu Vulkan et enregistre des informations sur son état interne. Cela réduit les performances et peut changer le comportement de l'émulation. + + + vkSyncValidationCheckBox + Activer la validation de synchronisation Vulkan:\nActive un système qui valide la planification des tâches de rendu Vulkan. Cela réduit les performances et peut changer le comportement de l'émulation. + + + rdocCheckBox + Activer le débogage RenderDoc:\nS'il est activé, l'émulateur fournit une compatibilité avec Renderdoc, permettant d'enregistrer et d'analyser la trame rendue actuelle. + + + collectShaderCheckBox + Collecter les Shaders:\nVous devez activer cette option pour modifier les shaders avec le menu de débogage (Ctrl + F10). + + + crashDiagnosticsCheckBox + Diagnostic de crash:\nCrée un fichier .yaml avec des informations sur l'état de Vulkan au moment du crash.\nUtile pour déboguer les erreurs "Device lost". Si cette option est activée, vous devez aussi activer Marqueur de débogage hôte ET invité.\nNe marche pas pour les GPUs Intel.\nVous devez activer la couche de validation Vulkan ainsi que le Vulkan SDK pour que cela fonctionne. + + + copyGPUBuffersCheckBox + Copier la mémoire tampon GPU:\nContourne les conditions de course impliquant des soumissions GPU.\nPeut aider ou non en cas de crash PM4 type 0. + + + hostMarkersCheckBox + Marqueur de débogage hôte:\nInsère des informations côté émulateur telles que des marqueurs pour des commandes spécifiques AMDGPU autour des commandes Vulkan, ainsi que donner les noms de débogages des ressources.\nSi cette option est activée, vous devriez activer "Diagnostic de crash".\nUtile pour des programmes comme RenderDoc. + + + guestMarkersCheckBox + Marqueur de débogage invité:\nInsère tous les marqueurs de débogage que le jeu a ajouté a la commande mémoire tampon.\nSi cette option est activée, vous devriez activer "Diagnostic de crash".\nUtile pour des programmes comme RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Parcourir + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Répertoire d'installation des jeux + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Visionneuse de trophées + + + diff --git a/src/qt_gui/translations/hu_HU.ts b/src/qt_gui/translations/hu_HU.ts index 0d679cc4c..6ef25db33 100644 --- a/src/qt_gui/translations/hu_HU.ts +++ b/src/qt_gui/translations/hu_HU.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - A shadPS4-ről - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - A shadPS4 egy kezdetleges, open-source PlayStation 4 emulátor. - - - This software should not be used to play games you have not legally obtained. - Ne használja ezt a szoftvert olyan játékokkal, amelyeket nem legális módon szerzett be. - - - - ElfViewer - - Open Folder - Mappa megnyitása - - - - GameInfoClass - - Loading game list, please wait :3 - Játék könyvtár betöltése, kérjük várjon :3 - - - Cancel - Megszakítás - - - Loading... - Betöltés.. - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Mappa kiválasztása - - - Select which directory you want to install to. - Válassza ki a mappát a játékok telepítésére. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Mappa kiválasztása - - - Directory to install games - Mappa a játékok telepítésére - - - Browse - Böngészés - - - Error - Hiba - - - The value for location to install games is not valid. - A játékok telepítéséhez megadott útvonal nem érvényes. - - - - GuiContextMenus - - Create Shortcut - Parancsikon Létrehozása - - - Cheats / Patches - Csalások / Javítások - - - SFO Viewer - SFO Nézegető - - - Trophy Viewer - Trófeák Megtekintése - - - Open Folder... - Mappa megnyitása... - - - Open Game Folder - Játék Mappa Megnyitása - - - Open Save Data Folder - Mentési adatok mappa megnyitása - - - Open Log Folder - Napló mappa megnyitása - - - Copy info... - Információ Másolása... - - - Copy Name - Név Másolása - - - Copy Serial - Széria Másolása - - - Copy All - Összes Másolása - - - Delete... - Törlés... - - - Delete Game - Játék törlése - - - Delete Update - Frissítések törlése - - - Delete DLC - DLC-k törlése - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Parancsikon létrehozása - - - Shortcut created successfully! - Parancsikon sikeresen létrehozva! - - - Error - Hiba - - - Error creating shortcut! - Hiba a parancsikon létrehozásával! - - - Install PKG - PKG telepítése - - - Game - Játék - - - requiresEnableSeparateUpdateFolder_MSG - Ehhez a funkcióhoz szükséges a 'Külön Frissítési Mappa Engedélyezése' opció, hogy működjön. Ha használni akarja, először engedélyezze azt. - - - This game has no update to delete! - Ehhez a játékhoz nem tartozik törlendő frissítés! - - - Update - Frissítés - - - This game has no DLC to delete! - Ehhez a játékhoz nem tartozik törlendő DLC! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Biztosan törölni akarja a %1's %2 mappát? - - - - MainWindow - - Open/Add Elf Folder - ELF Mappa Megnyitása/Hozzáadása - - - Install Packages (PKG) - PKG-k Telepítése (PKG) - - - Boot Game - Játék Indítása - - - Check for Updates - Frissítések keresése - - - About shadPS4 - A shadPS4-ről - - - Configure... - Konfigurálás... - - - Install application from a .pkg file - Program telepítése egy .pkg fájlból - - - Recent Games - Legutóbbi Játékok - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Kilépés - - - Exit shadPS4 - Kilépés a shadPS4-ből - - - Exit the application. - Lépjen ki a programból. - - - Show Game List - Játék Könyvtár Megjelenítése - - - Game List Refresh - Játék Könyvtár Újratöltése - - - Tiny - Apró - - - Small - Kicsi - - - Medium - Közepes - - - Large - Nagy - - - List View - Lista Nézet - - - Grid View - Rács Nézet - - - Elf Viewer - Elf Nézegető - - - Game Install Directory - Játék Telepítési Mappa - - - Download Cheats/Patches - Csalások / Javítások letöltése - - - Dump Game List - Játéklista Dumpolása - - - PKG Viewer - PKG Nézegető - - - Search... - Keresés... - - - File - Fájl - - - View - Nézet - - - Game List Icons - Játékkönyvtár Ikonok - - - Game List Mode - Játékkönyvtár Nézet - - - Settings - Beállítások - - - Utils - Segédeszközök - - - Themes - Témák - - - Help - Segítség - - - Dark - Sötét - - - Light - Világos - - - Green - Zöld - - - Blue - Kék - - - Violet - Ibolya - - - toolBar - Eszköztár - - - Game List - Játéklista - - - * Unsupported Vulkan Version - * Nem támogatott Vulkan verzió - - - Download Cheats For All Installed Games - Csalások letöltése minden telepített játékhoz - - - Download Patches For All Games - Javítások letöltése minden játékhoz - - - Download Complete - Letöltés befejezve - - - You have downloaded cheats for all the games you have installed. - Minden elérhető csalás letöltődött az összes telepített játékhoz. - - - Patches Downloaded Successfully! - Javítások sikeresen letöltve! - - - All Patches available for all games have been downloaded. - Az összes játékhoz elérhető javítás letöltésre került. - - - Games: - Játékok: - - - PKG File (*.PKG) - PKG fájl (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF fájlok (*.bin *.elf *.oelf) - - - Game Boot - Játék indító - - - Only one file can be selected! - Csak egy fájl választható ki! - - - PKG Extraction - PKG kicsomagolás - - - Patch detected! - Frissítés észlelve! - - - PKG and Game versions match: - A PKG és a játék verziói egyeznek: - - - Would you like to overwrite? - Szeretné felülírni? - - - PKG Version %1 is older than installed version: - A(z) %1-es PKG verzió régebbi, mint a telepített verzió: - - - Game is installed: - A játék telepítve van: - - - Would you like to install Patch: - Szeretné telepíteni a frissítést: - - - DLC Installation - DLC Telepítés - - - Would you like to install DLC: %1? - Szeretné telepíteni a %1 DLC-t? - - - DLC already installed: - DLC már telepítve: - - - Game already installed - A játék már telepítve van - - - PKG is a patch, please install the game first! - A PKG egy javítás, először telepítsd a játékot! - - - PKG ERROR - PKG HIBA - - - Extracting PKG %1/%2 - PKG kicsomagolása %1/%2 - - - Extraction Finished - Kicsomagolás befejezve - - - Game successfully installed at %1 - A játék sikeresen telepítve itt: %1 - - - File doesn't appear to be a valid PKG file - A fájl nem tűnik érvényes PKG fájlnak - - - - PKGViewer - - Open Folder - Mappa Megnyitása - - - - TrophyViewer - - Trophy Viewer - Trófeák Megtekintése - - - - SettingsDialog - - Settings - Beállítások - - - General - Általános - - - System - Rendszer - - - Console Language - A Konzol Nyelvezete - - - Emulator Language - Az Emulátor Nyelvezete - - - Emulator - Emulátor - - - Enable Fullscreen - Teljes Képernyő Engedélyezése - - - Fullscreen Mode - Teljes képernyős mód - - - Enable Separate Update Folder - Külön Frissítési Mappa Engedélyezése - - - Default tab when opening settings - Alapértelmezett fül a beállítások megnyitásakor - - - Show Game Size In List - Játékméret megjelenítése a listában - - - Show Splash - Indítóképernyő Mutatása - - - Is PS4 Pro - PS4 Pro mód - - - Enable Discord Rich Presence - A Discord Rich Presence engedélyezése - - - Username - Felhasználónév - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Naplózó - - - Log Type - Naplózási Típus - - - Log Filter - Naplózási Filter - - - Open Log Location - Napló helyének megnyitása - - - Input - Bemenet - - - Cursor - Kurzor - - - Hide Cursor - Kurzor elrejtése - - - Hide Cursor Idle Timeout - Kurzor inaktivitási időtúllépés - - - s - s - - - Controller - Kontroller - - - Back Button Behavior - Vissza gomb Viselkedése - - - Graphics - Grafika - - - GUI - Felület - - - User - Felhasználó - - - Graphics Device - Grafikai Eszköz - - - Width - Szélesség - - - Height - Magasság - - - Vblank Divider - Vblank Elosztó - - - Advanced - Haladó - - - Enable Shaders Dumping - Shader Dumpolás Engedélyezése - - - Enable NULL GPU - NULL GPU Engedélyezése - - - Paths - Útvonalak - - - Game Folders - Játékmappák - - - Add... - Hozzáadás... - - - Remove - Eltávolítás - - - Debug - Debugolás - - - Enable Debug Dumping - Debug Dumpolás Engedélyezése - - - Enable Vulkan Validation Layers - Vulkan Validációs Rétegek Engedélyezése - - - Enable Vulkan Synchronization Validation - Vulkan Szinkronizálás Validáció - - - Enable RenderDoc Debugging - RenderDoc Debugolás Engedélyezése - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Frissítés - - - Check for Updates at Startup - Frissítések keresése indításkor - - - Always Show Changelog - Mindig mutasd a változásnaplót - - - Update Channel - Frissítési Csatorna - - - Check for Updates - Frissítések keresése - - - GUI Settings - GUI Beállítások - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Címzene lejátszása - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Hangerő - - - Audio Backend - Audio Backend - - - Save - Mentés - - - Apply - Alkalmaz - - - Restore Defaults - Alapértelmezett értékek visszaállítása - - - Close - Bezárás - - - Point your mouse at an option to display its description. - Helyezze az egérmutatót egy lehetőség fölé, hogy megjelenítse annak leírását. - - - consoleLanguageGroupBox - Konzol nyelve:\nBeállítja a PS4 játék nyelvét.\nAjánlott a játék által támogatott nyelvre állítani, amely régiónként változhat. - - - emulatorLanguageGroupBox - Emulátor nyelve:\nBeállítja az emulátor felhasználói felületének nyelvét. - - - fullscreenCheckBox - Teljes képernyő engedélyezése:\nAutomatikusan teljes képernyőre állítja a játék ablakát.\nEz a F11 billentyű megnyomásával kapcsolható ki/be. - - - separateUpdatesCheckBox - Külön Frissítéi Mappa Engedélyezése:\nEngedélyezi a frissítések külön mappába helyezését, a könnyű kezelésük érdekében. - - - showSplashCheckBox - Indítóképernyő megjelenítése:\nMegjeleníti a játék indítóképernyőjét (különleges képet) a játék elindításakor. - - - ps4proCheckBox - PS4 Pro:\nAz emulátort PS4 PRO-ként kezeli, ami engedélyezhet speciális funkciókat olyan játékokban, amelyek támogatják azt. - - - discordRPCCheckbox - A Discord Rich Presence engedélyezése:\nMegjeleníti az emulator ikonját és a kapcsolódó információkat a Discord profilján. - - - userName - Felhasználónév:\nBeállítja a PS4 fiók felhasználónevét, amelyet egyes játékok megjeleníthetnek. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Napló típusa:\nBeállítja, hogy szinkronizálja-e a naplóablak kimenetét a teljesítmény érdekében. Ennek kedvezőtlen hatásai lehetnek az emulációra. - - - logFilter - Napló szűrő:\nCsak bizonyos információk megjelenítésére szűri a naplót.\nPéldák: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Szintek: Trace, Debug, Info, Warning, Error, Critical - ebben a sorrendben, egy konkrét szint elnémítja az előtte lévő összes szintet, és naplózza az utána következő szinteket. - - - updaterGroupBox - Frissítés:\nRelease: Hivatalos verziók, amelyeket havonta adnak ki, és amelyek nagyon elavultak lehetnek, de megbízhatóbbak és teszteltek.\nNightly: Fejlesztési verziók, amelyek az összes legújabb funkciót és javítást tartalmazzák, de hibákat tartalmazhatnak és kevésbé stabilak. - - - GUIMusicGroupBox - Játék címzene lejátszása:\nHa a játék támogatja, engedélyezze egy speciális zene lejátszását, amikor a játékot kiválasztja a GUI-ban. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Kurzor elrejtése:\nVálassza ki, mikor tűnjön el az egérmutató:\nSoha: Az egér mindig látható.\nInaktív: Állítson be egy időt, amennyi idő mozdulatlanság után eltűnik.\nMindig: az egér mindig el lesz rejtve. - - - idleTimeoutGroupBox - Állítson be egy időt, ami után egér inaktív állapotban eltűnik. - - - backButtonBehaviorGroupBox - Vissza gomb viselkedés:\nBeállítja a vezérlő vissza gombját, hogy utánozza a PS4 érintőpadján megadott pozíció megérintését. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Soha - - - Idle - Inaktív - - - Always - Mindig - - - Touchpad Left - Érintőpad Bal - - - Touchpad Right - Érintőpad Jobb - - - Touchpad Center - Érintőpad Közép - - - None - Semmi - - - graphicsAdapterGroupBox - Grafikus eszköz:\nTöbb GPU-s rendszereken válassza ki, melyik GPU-t használja az emulátor a legördülő listából,\nvagy válassza az "Auto Select" lehetőséget, hogy automatikusan kiválassza azt. - - - resolutionLayout - Szélesség/Magasság:\nBeállítja az emulátor ablakának méretét induláskor, amely a játék során átméretezhető.\nEz különbözik a játékbeli felbontástól. - - - heightDivider - Vblank elosztó:\nAz emulátor frissítési sebessége e számot megszorozva működik. Ennek megváltoztatása kedvezőtlen hatásokat okozhat, például növelheti a játék sebességét, vagy megszakíthat kritikus játékfunkciókat, amelyek nem számítanak arra, hogy ez megváltozik! - - - dumpShadersCheckBox - Shader dumping engedélyezése:\nMűszaki hibaelhárítás céljából a játékok shaderjeit elmenti egy mappába, ahogy renderelődnek. - - - nullGpuCheckBox - Null GPU engedélyezése:\nMűszaki hibaelhárítás céljából letiltja a játék renderelését, mintha nem lenne grafikus kártya. - - - gameFoldersBox - Játék mappák:\nA mappák listája, ahol telepített játékok vannak. - - - addFolderButton - Hozzáadás:\nHozzon létre egy mappát a listában. - - - removeFolderButton - Eltávolítás:\nTávolítson el egy mappát a listából. - - - debugDump - Debug dumpolás engedélyezése:\nElmenti a futó PS4 program import- és exportszimbólumait, valamint a fájl fejlécinformációit egy könyvtárba. - - - vkValidationCheckBox - Vulkan validációs rétegek engedélyezése:\nEngedélyezi a Vulkan renderelő állapotának validálását és információk naplózását annak belső állapotáról. Ez csökkenti a teljesítményt és valószínűleg megváltoztatja az emuláció viselkedését. - - - vkSyncValidationCheckBox - Vulkan szinkronizációs validáció engedélyezése:\nEngedélyezi a Vulkan renderelési feladatok időzítésének validálását. Ez csökkenti a teljesítményt és valószínűleg megváltoztatja az emuláció viselkedését. - - - rdocCheckBox - RenderDoc hibakeresés engedélyezése:\nHa engedélyezve van, az emulátor kompatibilitást biztosít a Renderdoc számára, hogy lehetővé tegye a jelenleg renderelt keret rögzítését és elemzését. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - A csalások/javítások kísérleti jellegűek.\nHasználja őket óvatosan.\n\nTöltse le a csalásokat egyesével a tároló kiválasztásával és a letöltés gombra kattintással.\nA Javítások fül alatt egyszerre letöltheti az összes javítást, majd választhat, melyeket szeretné használni, és elmentheti a választását.\n\nMivel nem mi fejlesztjük a csalásokat/patch-eket,\nkérjük, jelentse a problémákat a csalás szerzőjének.\n\nKészített egy új csalást? Látogasson el ide:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Nincs elérhető kép - - - Serial: - Sorozatszám: - - - Version: - Verzió: - - - Size: - Méret: - - - Select Cheat File: - Válaszd ki a csalás fájlt: - - - Repository: - Tároló: - - - Download Cheats - Csalások letöltése - - - Delete File - Fájl törlése - - - No files selected. - Nincsenek kiválasztott fájlok. - - - You can delete the cheats you don't want after downloading them. - Törölheted a nem kívánt csalásokat a letöltés után. - - - Do you want to delete the selected file?\n%1 - Szeretnéd törölni a kiválasztott fájlt?\n%1 - - - Select Patch File: - Válaszd ki a javítás fájlt: - - - Download Patches - Javítások letöltése - - - Save - Mentés - - - Cheats - Csalások - - - Patches - Javítások - - - Error - Hiba - - - No patch selected. - Nincs kiválasztva javítás. - - - Unable to open files.json for reading. - Nem sikerült megnyitni a files.json fájlt olvasásra. - - - No patch file found for the current serial. - Nincs található javítási fájl a jelenlegi sorozatszámhoz. - - - Unable to open the file for reading. - Nem sikerült megnyitni a fájlt olvasásra. - - - Unable to open the file for writing. - Nem sikerült megnyitni a fájlt írásra. - - - Failed to parse XML: - XML elemzési hiba: - - - Success - Siker - - - Options saved successfully. - A beállítások sikeresen elmentve. - - - Invalid Source - Érvénytelen forrás - - - The selected source is invalid. - A kiválasztott forrás érvénytelen. - - - File Exists - A fájl létezik - - - File already exists. Do you want to replace it? - A fájl már létezik. Szeretnéd helyettesíteni? - - - Failed to save file: - Nem sikerült elmenteni a fájlt: - - - Failed to download file: - Nem sikerült letölteni a fájlt: - - - Cheats Not Found - Csalások nem találhatóak - - - CheatsNotFound_MSG - Nincs található csalás ezen a játékverzión ebben a kiválasztott tárolóban, próbálj meg egy másik tárolót vagy a játék egy másik verzióját. - - - Cheats Downloaded Successfully - Csalások sikeresen letöltve - - - CheatsDownloadedSuccessfully_MSG - Sikeresen letöltötted a csalásokat ennek a játéknak a verziójához a kiválasztott tárolóból. Próbálhatsz letölteni egy másik tárolóból is, ha az elérhető, akkor a fájl kiválasztásával az is használható lesz. - - - Failed to save: - Nem sikerült menteni: - - - Failed to download: - Nem sikerült letölteni: - - - Download Complete - Letöltés befejezve - - - DownloadComplete_MSG - Frissítések sikeresen letöltve! Minden elérhető frissítés letöltésre került, nem szükséges egyesével letölteni őket minden játékhoz, mint a csalások esetében. Ha a javítások nem jelennek meg, lehet, hogy nem léteznek a játék adott sorozatszámához és verziójához. - - - Failed to parse JSON data from HTML. - Nem sikerült az JSON adatok elemzése HTML-ből. - - - Failed to retrieve HTML page. - Nem sikerült HTML oldal lekérése. - - - The game is in version: %1 - A játék verziója: %1 - - - The downloaded patch only works on version: %1 - A letöltött javításhoz a(z) %1 verzió működik - - - You may need to update your game. - Lehet, hogy frissítened kell a játékodat. - - - Incompatibility Notice - Inkompatibilitási értesítés - - - Failed to open file: - Nem sikerült megnyitni a fájlt: - - - XML ERROR: - XML HIBA: - - - Failed to open files.json for writing - Nem sikerült megnyitni a files.json fájlt írásra - - - Author: - Szerző: - - - Directory does not exist: - A mappa nem létezik: - - - Failed to open files.json for reading. - Nem sikerült megnyitni a files.json fájlt olvasásra. - - - Name: - Név: - - - Can't apply cheats before the game is started - Nem lehet csalásokat alkalmazni, mielőtt a játék elindul. - - - - GameListFrame - - Icon - Ikon - - - Name - Név - - - Serial - Sorozatszám - - - Compatibility - Compatibility - - - Region - Régió - - - Firmware - Firmware - - - Size - Méret - - - Version - Verzió - - - Path - Útvonal - - - Play Time - Játékidő - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Kattintson a részletek megtekintéséhez a GitHubon - - - Last updated - Utoljára frissítve - - - - CheckUpdate - - Auto Updater - Automatikus frissítő - - - Error - Hiba - - - Network error: - Hálózati hiba: - - - Error_Github_limit_MSG - Az automatikus frissítő óránként legfeljebb 60 frissítésellenőrzést engedélyez.\nElérte ezt a korlátot. Kérjük, próbálja újra később. - - - Failed to parse update information. - A frissítési információk elemzése sikertelen. - - - No pre-releases found. - Nem található előzetes kiadás. - - - Invalid release data. - Érvénytelen kiadási adatok. - - - No download URL found for the specified asset. - Nincs letöltési URL a megadott eszközhöz. - - - Your version is already up to date! - A verziód már naprakész! - - - Update Available - Frissítés elérhető - - - Update Channel - Frissítési Csatorna - - - Current Version - Jelenlegi verzió - - - Latest Version - Új verzió - - - Do you want to update? - Szeretnéd frissíteni? - - - Show Changelog - Változások megjelenítése - - - Check for Updates at Startup - Frissítések keresése indításkor - - - Update - Frissítés - - - No - Mégse - - - Hide Changelog - Változások elrejtése - - - Changes - Változások - - - Network error occurred while trying to access the URL - Hálózati hiba történt az URL elérésekor - - - Download Complete - Letöltés kész - - - The update has been downloaded, press OK to install. - A frissítés letöltődött, nyomja meg az OK gombot az telepítéshez. - - - Failed to save the update file at - A frissítési fájl mentése nem sikerült a következő helyre - - - Starting Update... - Frissítés indítása... - - - Failed to create the update script file - A frissítési szkript fájl létrehozása nem sikerült - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Kompatibilitási adatok betöltése, kérem várjon - - - Cancel - Megszakítás - - - Loading... - Betöltés... - - - Error - Hiba - - - Unable to update compatibility data! Try again later. - Nem sikerült frissíteni a kompatibilitási adatokat! Kérem próbálja újra később. - - - Unable to open compatibility_data.json for writing. - Nem sikerült megnyitni a compatibility_data.json fájlt írásra. - - - Unknown - Ismeretlen - - - Nothing - Semmi - - - Boots - Csizmák - - - Menus - Menük - - - Ingame - Játékban - - - Playable - Játszható - - + + AboutDialog + + About shadPS4 + A shadPS4-ről + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + A shadPS4 egy kezdetleges, open-source PlayStation 4 emulátor. + + + This software should not be used to play games you have not legally obtained. + Ne használja ezt a szoftvert olyan játékokkal, amelyeket nem legális módon szerzett be. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + A csalások/javítások kísérleti jellegűek.\nHasználja őket óvatosan.\n\nTöltse le a csalásokat egyesével a tároló kiválasztásával és a letöltés gombra kattintással.\nA Javítások fül alatt egyszerre letöltheti az összes javítást, majd választhat, melyeket szeretné használni, és elmentheti a választását.\n\nMivel nem mi fejlesztjük a csalásokat/patch-eket,\nkérjük, jelentse a problémákat a csalás szerzőjének.\n\nKészített egy új csalást? Látogasson el ide:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Nincs elérhető kép + + + Serial: + Sorozatszám: + + + Version: + Verzió: + + + Size: + Méret: + + + Select Cheat File: + Válaszd ki a csalás fájlt: + + + Repository: + Tároló: + + + Download Cheats + Csalások letöltése + + + Delete File + Fájl törlése + + + No files selected. + Nincsenek kiválasztott fájlok. + + + You can delete the cheats you don't want after downloading them. + Törölheted a nem kívánt csalásokat a letöltés után. + + + Do you want to delete the selected file?\n%1 + Szeretnéd törölni a kiválasztott fájlt?\n%1 + + + Select Patch File: + Válaszd ki a javítás fájlt: + + + Download Patches + Javítások letöltése + + + Save + Mentés + + + Cheats + Csalások + + + Patches + Javítások + + + Error + Hiba + + + No patch selected. + Nincs kiválasztva javítás. + + + Unable to open files.json for reading. + Nem sikerült megnyitni a files.json fájlt olvasásra. + + + No patch file found for the current serial. + Nincs található javítási fájl a jelenlegi sorozatszámhoz. + + + Unable to open the file for reading. + Nem sikerült megnyitni a fájlt olvasásra. + + + Unable to open the file for writing. + Nem sikerült megnyitni a fájlt írásra. + + + Failed to parse XML: + XML elemzési hiba: + + + Success + Siker + + + Options saved successfully. + A beállítások sikeresen elmentve. + + + Invalid Source + Érvénytelen forrás + + + The selected source is invalid. + A kiválasztott forrás érvénytelen. + + + File Exists + A fájl létezik + + + File already exists. Do you want to replace it? + A fájl már létezik. Szeretnéd helyettesíteni? + + + Failed to save file: + Nem sikerült elmenteni a fájlt: + + + Failed to download file: + Nem sikerült letölteni a fájlt: + + + Cheats Not Found + Csalások nem találhatóak + + + CheatsNotFound_MSG + Nincs található csalás ezen a játékverzión ebben a kiválasztott tárolóban, próbálj meg egy másik tárolót vagy a játék egy másik verzióját. + + + Cheats Downloaded Successfully + Csalások sikeresen letöltve + + + CheatsDownloadedSuccessfully_MSG + Sikeresen letöltötted a csalásokat ennek a játéknak a verziójához a kiválasztott tárolóból. Próbálhatsz letölteni egy másik tárolóból is, ha az elérhető, akkor a fájl kiválasztásával az is használható lesz. + + + Failed to save: + Nem sikerült menteni: + + + Failed to download: + Nem sikerült letölteni: + + + Download Complete + Letöltés befejezve + + + DownloadComplete_MSG + Frissítések sikeresen letöltve! Minden elérhető frissítés letöltésre került, nem szükséges egyesével letölteni őket minden játékhoz, mint a csalások esetében. Ha a javítások nem jelennek meg, lehet, hogy nem léteznek a játék adott sorozatszámához és verziójához. + + + Failed to parse JSON data from HTML. + Nem sikerült az JSON adatok elemzése HTML-ből. + + + Failed to retrieve HTML page. + Nem sikerült HTML oldal lekérése. + + + The game is in version: %1 + A játék verziója: %1 + + + The downloaded patch only works on version: %1 + A letöltött javításhoz a(z) %1 verzió működik + + + You may need to update your game. + Lehet, hogy frissítened kell a játékodat. + + + Incompatibility Notice + Inkompatibilitási értesítés + + + Failed to open file: + Nem sikerült megnyitni a fájlt: + + + XML ERROR: + XML HIBA: + + + Failed to open files.json for writing + Nem sikerült megnyitni a files.json fájlt írásra + + + Author: + Szerző: + + + Directory does not exist: + A mappa nem létezik: + + + Failed to open files.json for reading. + Nem sikerült megnyitni a files.json fájlt olvasásra. + + + Name: + Név: + + + Can't apply cheats before the game is started + Nem lehet csalásokat alkalmazni, mielőtt a játék elindul. + + + Close + Bezárás + + + + CheckUpdate + + Auto Updater + Automatikus frissítő + + + Error + Hiba + + + Network error: + Hálózati hiba: + + + Error_Github_limit_MSG + Az automatikus frissítő óránként legfeljebb 60 frissítésellenőrzést engedélyez.\nElérte ezt a korlátot. Kérjük, próbálja újra később. + + + Failed to parse update information. + A frissítési információk elemzése sikertelen. + + + No pre-releases found. + Nem található előzetes kiadás. + + + Invalid release data. + Érvénytelen kiadási adatok. + + + No download URL found for the specified asset. + Nincs letöltési URL a megadott eszközhöz. + + + Your version is already up to date! + A verziód már naprakész! + + + Update Available + Frissítés elérhető + + + Update Channel + Frissítési Csatorna + + + Current Version + Jelenlegi verzió + + + Latest Version + Új verzió + + + Do you want to update? + Szeretnéd frissíteni? + + + Show Changelog + Változások megjelenítése + + + Check for Updates at Startup + Frissítések keresése indításkor + + + Update + Frissítés + + + No + Mégse + + + Hide Changelog + Változások elrejtése + + + Changes + Változások + + + Network error occurred while trying to access the URL + Hálózati hiba történt az URL elérésekor + + + Download Complete + Letöltés kész + + + The update has been downloaded, press OK to install. + A frissítés letöltődött, nyomja meg az OK gombot az telepítéshez. + + + Failed to save the update file at + A frissítési fájl mentése nem sikerült a következő helyre + + + Starting Update... + Frissítés indítása... + + + Failed to create the update script file + A frissítési szkript fájl létrehozása nem sikerült + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Kompatibilitási adatok betöltése, kérem várjon + + + Cancel + Megszakítás + + + Loading... + Betöltés... + + + Error + Hiba + + + Unable to update compatibility data! Try again later. + Nem sikerült frissíteni a kompatibilitási adatokat! Kérem próbálja újra később. + + + Unable to open compatibility_data.json for writing. + Nem sikerült megnyitni a compatibility_data.json fájlt írásra. + + + Unknown + Ismeretlen + + + Nothing + Semmi + + + Boots + Csizmák + + + Menus + Menük + + + Ingame + Játékban + + + Playable + Játszható + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Mappa megnyitása + + + + GameInfoClass + + Loading game list, please wait :3 + Játék könyvtár betöltése, kérjük várjon :3 + + + Cancel + Megszakítás + + + Loading... + Betöltés.. + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Mappa kiválasztása + + + Directory to install games + Mappa a játékok telepítésére + + + Browse + Böngészés + + + Error + Hiba + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikon + + + Name + Név + + + Serial + Sorozatszám + + + Compatibility + Compatibility + + + Region + Régió + + + Firmware + Firmware + + + Size + Méret + + + Version + Verzió + + + Path + Útvonal + + + Play Time + Játékidő + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Kattintson a részletek megtekintéséhez a GitHubon + + + Last updated + Utoljára frissítve + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Parancsikon Létrehozása + + + Cheats / Patches + Csalások / Javítások + + + SFO Viewer + SFO Nézegető + + + Trophy Viewer + Trófeák Megtekintése + + + Open Folder... + Mappa megnyitása... + + + Open Game Folder + Játék Mappa Megnyitása + + + Open Save Data Folder + Mentési adatok mappa megnyitása + + + Open Log Folder + Napló mappa megnyitása + + + Copy info... + Információ Másolása... + + + Copy Name + Név Másolása + + + Copy Serial + Széria Másolása + + + Copy All + Összes Másolása + + + Delete... + Törlés... + + + Delete Game + Játék törlése + + + Delete Update + Frissítések törlése + + + Delete DLC + DLC-k törlése + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Parancsikon létrehozása + + + Shortcut created successfully! + Parancsikon sikeresen létrehozva! + + + Error + Hiba + + + Error creating shortcut! + Hiba a parancsikon létrehozásával! + + + Install PKG + PKG telepítése + + + Game + Játék + + + This game has no update to delete! + Ehhez a játékhoz nem tartozik törlendő frissítés! + + + Update + Frissítés + + + This game has no DLC to delete! + Ehhez a játékhoz nem tartozik törlendő DLC! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Biztosan törölni akarja a %1's %2 mappát? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Mappa kiválasztása + + + Select which directory you want to install to. + Válassza ki a mappát a játékok telepítésére. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + ELF Mappa Megnyitása/Hozzáadása + + + Install Packages (PKG) + PKG-k Telepítése (PKG) + + + Boot Game + Játék Indítása + + + Check for Updates + Frissítések keresése + + + About shadPS4 + A shadPS4-ről + + + Configure... + Konfigurálás... + + + Install application from a .pkg file + Program telepítése egy .pkg fájlból + + + Recent Games + Legutóbbi Játékok + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Kilépés + + + Exit shadPS4 + Kilépés a shadPS4-ből + + + Exit the application. + Lépjen ki a programból. + + + Show Game List + Játék Könyvtár Megjelenítése + + + Game List Refresh + Játék Könyvtár Újratöltése + + + Tiny + Apró + + + Small + Kicsi + + + Medium + Közepes + + + Large + Nagy + + + List View + Lista Nézet + + + Grid View + Rács Nézet + + + Elf Viewer + Elf Nézegető + + + Game Install Directory + Játék Telepítési Mappa + + + Download Cheats/Patches + Csalások / Javítások letöltése + + + Dump Game List + Játéklista Dumpolása + + + PKG Viewer + PKG Nézegető + + + Search... + Keresés... + + + File + Fájl + + + View + Nézet + + + Game List Icons + Játékkönyvtár Ikonok + + + Game List Mode + Játékkönyvtár Nézet + + + Settings + Beállítások + + + Utils + Segédeszközök + + + Themes + Témák + + + Help + Segítség + + + Dark + Sötét + + + Light + Világos + + + Green + Zöld + + + Blue + Kék + + + Violet + Ibolya + + + toolBar + Eszköztár + + + Game List + Játéklista + + + * Unsupported Vulkan Version + * Nem támogatott Vulkan verzió + + + Download Cheats For All Installed Games + Csalások letöltése minden telepített játékhoz + + + Download Patches For All Games + Javítások letöltése minden játékhoz + + + Download Complete + Letöltés befejezve + + + You have downloaded cheats for all the games you have installed. + Minden elérhető csalás letöltődött az összes telepített játékhoz. + + + Patches Downloaded Successfully! + Javítások sikeresen letöltve! + + + All Patches available for all games have been downloaded. + Az összes játékhoz elérhető javítás letöltésre került. + + + Games: + Játékok: + + + ELF files (*.bin *.elf *.oelf) + ELF fájlok (*.bin *.elf *.oelf) + + + Game Boot + Játék indító + + + Only one file can be selected! + Csak egy fájl választható ki! + + + PKG Extraction + PKG kicsomagolás + + + Patch detected! + Frissítés észlelve! + + + PKG and Game versions match: + A PKG és a játék verziói egyeznek: + + + Would you like to overwrite? + Szeretné felülírni? + + + PKG Version %1 is older than installed version: + A(z) %1-es PKG verzió régebbi, mint a telepített verzió: + + + Game is installed: + A játék telepítve van: + + + Would you like to install Patch: + Szeretné telepíteni a frissítést: + + + DLC Installation + DLC Telepítés + + + Would you like to install DLC: %1? + Szeretné telepíteni a %1 DLC-t? + + + DLC already installed: + DLC már telepítve: + + + Game already installed + A játék már telepítve van + + + PKG ERROR + PKG HIBA + + + Extracting PKG %1/%2 + PKG kicsomagolása %1/%2 + + + Extraction Finished + Kicsomagolás befejezve + + + Game successfully installed at %1 + A játék sikeresen telepítve itt: %1 + + + File doesn't appear to be a valid PKG file + A fájl nem tűnik érvényes PKG fájlnak + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Mappa Megnyitása + + + Name + Név + + + Serial + Sorozatszám + + + Installed + + + + Size + Méret + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Régió + + + Flags + + + + Path + Útvonal + + + File + Fájl + + + PKG ERROR + PKG HIBA + + + Unknown + Ismeretlen + + + Package + + + + + SettingsDialog + + Settings + Beállítások + + + General + Általános + + + System + Rendszer + + + Console Language + A Konzol Nyelvezete + + + Emulator Language + Az Emulátor Nyelvezete + + + Emulator + Emulátor + + + Enable Fullscreen + Teljes Képernyő Engedélyezése + + + Fullscreen Mode + Teljes képernyős mód + + + Enable Separate Update Folder + Külön Frissítési Mappa Engedélyezése + + + Default tab when opening settings + Alapértelmezett fül a beállítások megnyitásakor + + + Show Game Size In List + Játékméret megjelenítése a listában + + + Show Splash + Indítóképernyő Mutatása + + + Enable Discord Rich Presence + A Discord Rich Presence engedélyezése + + + Username + Felhasználónév + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Naplózó + + + Log Type + Naplózási Típus + + + Log Filter + Naplózási Filter + + + Open Log Location + Napló helyének megnyitása + + + Input + Bemenet + + + Cursor + Kurzor + + + Hide Cursor + Kurzor elrejtése + + + Hide Cursor Idle Timeout + Kurzor inaktivitási időtúllépés + + + s + s + + + Controller + Kontroller + + + Back Button Behavior + Vissza gomb Viselkedése + + + Graphics + Grafika + + + GUI + Felület + + + User + Felhasználó + + + Graphics Device + Grafikai Eszköz + + + Width + Szélesség + + + Height + Magasság + + + Vblank Divider + Vblank Elosztó + + + Advanced + Haladó + + + Enable Shaders Dumping + Shader Dumpolás Engedélyezése + + + Enable NULL GPU + NULL GPU Engedélyezése + + + Paths + Útvonalak + + + Game Folders + Játékmappák + + + Add... + Hozzáadás... + + + Remove + Eltávolítás + + + Debug + Debugolás + + + Enable Debug Dumping + Debug Dumpolás Engedélyezése + + + Enable Vulkan Validation Layers + Vulkan Validációs Rétegek Engedélyezése + + + Enable Vulkan Synchronization Validation + Vulkan Szinkronizálás Validáció + + + Enable RenderDoc Debugging + RenderDoc Debugolás Engedélyezése + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Frissítés + + + Check for Updates at Startup + Frissítések keresése indításkor + + + Always Show Changelog + Mindig mutasd a változásnaplót + + + Update Channel + Frissítési Csatorna + + + Check for Updates + Frissítések keresése + + + GUI Settings + GUI Beállítások + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Címzene lejátszása + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Hangerő + + + Save + Mentés + + + Apply + Alkalmaz + + + Restore Defaults + Alapértelmezett értékek visszaállítása + + + Close + Bezárás + + + Point your mouse at an option to display its description. + Helyezze az egérmutatót egy lehetőség fölé, hogy megjelenítse annak leírását. + + + consoleLanguageGroupBox + Konzol nyelve:\nBeállítja a PS4 játék nyelvét.\nAjánlott a játék által támogatott nyelvre állítani, amely régiónként változhat. + + + emulatorLanguageGroupBox + Emulátor nyelve:\nBeállítja az emulátor felhasználói felületének nyelvét. + + + fullscreenCheckBox + Teljes képernyő engedélyezése:\nAutomatikusan teljes képernyőre állítja a játék ablakát.\nEz a F11 billentyű megnyomásával kapcsolható ki/be. + + + separateUpdatesCheckBox + Külön Frissítéi Mappa Engedélyezése:\nEngedélyezi a frissítések külön mappába helyezését, a könnyű kezelésük érdekében. + + + showSplashCheckBox + Indítóképernyő megjelenítése:\nMegjeleníti a játék indítóképernyőjét (különleges képet) a játék elindításakor. + + + discordRPCCheckbox + A Discord Rich Presence engedélyezése:\nMegjeleníti az emulator ikonját és a kapcsolódó információkat a Discord profilján. + + + userName + Felhasználónév:\nBeállítja a PS4 fiók felhasználónevét, amelyet egyes játékok megjeleníthetnek. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Napló típusa:\nBeállítja, hogy szinkronizálja-e a naplóablak kimenetét a teljesítmény érdekében. Ennek kedvezőtlen hatásai lehetnek az emulációra. + + + logFilter + Napló szűrő:\nCsak bizonyos információk megjelenítésére szűri a naplót.\nPéldák: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Szintek: Trace, Debug, Info, Warning, Error, Critical - ebben a sorrendben, egy konkrét szint elnémítja az előtte lévő összes szintet, és naplózza az utána következő szinteket. + + + updaterGroupBox + Frissítés:\nRelease: Hivatalos verziók, amelyeket havonta adnak ki, és amelyek nagyon elavultak lehetnek, de megbízhatóbbak és teszteltek.\nNightly: Fejlesztési verziók, amelyek az összes legújabb funkciót és javítást tartalmazzák, de hibákat tartalmazhatnak és kevésbé stabilak. + + + GUIMusicGroupBox + Játék címzene lejátszása:\nHa a játék támogatja, engedélyezze egy speciális zene lejátszását, amikor a játékot kiválasztja a GUI-ban. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Kurzor elrejtése:\nVálassza ki, mikor tűnjön el az egérmutató:\nSoha: Az egér mindig látható.\nInaktív: Állítson be egy időt, amennyi idő mozdulatlanság után eltűnik.\nMindig: az egér mindig el lesz rejtve. + + + idleTimeoutGroupBox + Állítson be egy időt, ami után egér inaktív állapotban eltűnik. + + + backButtonBehaviorGroupBox + Vissza gomb viselkedés:\nBeállítja a vezérlő vissza gombját, hogy utánozza a PS4 érintőpadján megadott pozíció megérintését. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Soha + + + Idle + Inaktív + + + Always + Mindig + + + Touchpad Left + Érintőpad Bal + + + Touchpad Right + Érintőpad Jobb + + + Touchpad Center + Érintőpad Közép + + + None + Semmi + + + graphicsAdapterGroupBox + Grafikus eszköz:\nTöbb GPU-s rendszereken válassza ki, melyik GPU-t használja az emulátor a legördülő listából,\nvagy válassza az "Auto Select" lehetőséget, hogy automatikusan kiválassza azt. + + + resolutionLayout + Szélesség/Magasság:\nBeállítja az emulátor ablakának méretét induláskor, amely a játék során átméretezhető.\nEz különbözik a játékbeli felbontástól. + + + heightDivider + Vblank elosztó:\nAz emulátor frissítési sebessége e számot megszorozva működik. Ennek megváltoztatása kedvezőtlen hatásokat okozhat, például növelheti a játék sebességét, vagy megszakíthat kritikus játékfunkciókat, amelyek nem számítanak arra, hogy ez megváltozik! + + + dumpShadersCheckBox + Shader dumping engedélyezése:\nMűszaki hibaelhárítás céljából a játékok shaderjeit elmenti egy mappába, ahogy renderelődnek. + + + nullGpuCheckBox + Null GPU engedélyezése:\nMűszaki hibaelhárítás céljából letiltja a játék renderelését, mintha nem lenne grafikus kártya. + + + gameFoldersBox + Játék mappák:\nA mappák listája, ahol telepített játékok vannak. + + + addFolderButton + Hozzáadás:\nHozzon létre egy mappát a listában. + + + removeFolderButton + Eltávolítás:\nTávolítson el egy mappát a listából. + + + debugDump + Debug dumpolás engedélyezése:\nElmenti a futó PS4 program import- és exportszimbólumait, valamint a fájl fejlécinformációit egy könyvtárba. + + + vkValidationCheckBox + Vulkan validációs rétegek engedélyezése:\nEngedélyezi a Vulkan renderelő állapotának validálását és információk naplózását annak belső állapotáról. Ez csökkenti a teljesítményt és valószínűleg megváltoztatja az emuláció viselkedését. + + + vkSyncValidationCheckBox + Vulkan szinkronizációs validáció engedélyezése:\nEngedélyezi a Vulkan renderelési feladatok időzítésének validálását. Ez csökkenti a teljesítményt és valószínűleg megváltoztatja az emuláció viselkedését. + + + rdocCheckBox + RenderDoc hibakeresés engedélyezése:\nHa engedélyezve van, az emulátor kompatibilitást biztosít a Renderdoc számára, hogy lehetővé tegye a jelenleg renderelt keret rögzítését és elemzését. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Böngészés + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Mappa a játékok telepítésére + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trófeák Megtekintése + + diff --git a/src/qt_gui/translations/id.ts b/src/qt_gui/translations/id.ts deleted file mode 100644 index 1ddd75b45..000000000 --- a/src/qt_gui/translations/id.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Cheat / Patch - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Buka Folder... - - - Open Game Folder - Buka Folder Game - - - Open Save Data Folder - Buka Folder Data Simpanan - - - Open Log Folder - Buka Folder Log - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Periksa pembaruan - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Unduh Cheat / Patch - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Bantuan - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Daftar game - - - * Unsupported Vulkan Version - * Versi Vulkan Tidak Didukung - - - Download Cheats For All Installed Games - Unduh Cheat Untuk Semua Game Yang Terpasang - - - Download Patches For All Games - Unduh Patch Untuk Semua Game - - - Download Complete - Unduhan Selesai - - - You have downloaded cheats for all the games you have installed. - Anda telah mengunduh cheat untuk semua game yang terpasang. - - - Patches Downloaded Successfully! - Patch Berhasil Diunduh! - - - All Patches available for all games have been downloaded. - Semua Patch yang tersedia untuk semua game telah diunduh. - - - Games: - Game: - - - PKG File (*.PKG) - File PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - File ELF (*.bin *.elf *.oelf) - - - Game Boot - Boot Game - - - Only one file can be selected! - Hanya satu file yang bisa dipilih! - - - PKG Extraction - Ekstraksi PKG - - - Patch detected! - Patch terdeteksi! - - - PKG and Game versions match: - Versi PKG dan Game cocok: - - - Would you like to overwrite? - Apakah Anda ingin menimpa? - - - PKG Version %1 is older than installed version: - Versi PKG %1 lebih lama dari versi yang terpasang: - - - Game is installed: - Game telah terpasang: - - - Would you like to install Patch: - Apakah Anda ingin menginstal patch: - - - DLC Installation - Instalasi DLC - - - Would you like to install DLC: %1? - Apakah Anda ingin menginstal DLC: %1? - - - DLC already installed: - DLC sudah terpasang: - - - Game already installed - Game sudah terpasang - - - PKG is a patch, please install the game first! - PKG adalah patch, harap pasang game terlebih dahulu! - - - PKG ERROR - KESALAHAN PKG - - - Extracting PKG %1/%2 - Mengekstrak PKG %1/%2 - - - Extraction Finished - Ekstraksi Selesai - - - Game successfully installed at %1 - Game berhasil dipasang di %1 - - - File doesn't appear to be a valid PKG file - File tampaknya bukan file PKG yang valid - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Mode Layar Penuh - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Tab default saat membuka pengaturan - - - Show Game Size In List - Tampilkan Ukuran Game di Daftar - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Aktifkan Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Buka Lokasi Log - - - Input - Masukan - - - Cursor - Kursor - - - Hide Cursor - Sembunyikan kursor - - - Hide Cursor Idle Timeout - Batas waktu sembunyikan kursor tidak aktif - - - s - s - - - Controller - Pengontrol - - - Back Button Behavior - Perilaku tombol kembali - - - Graphics - Graphics - - - GUI - Antarmuka - - - User - Pengguna - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Jalur - - - Game Folders - Folder Permainan - - - Add... - Tambah... - - - Remove - Hapus - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Pembaruan - - - Check for Updates at Startup - Periksa pembaruan saat mulai - - - Always Show Changelog - Selalu Tampilkan Riwayat Perubahan - - - Update Channel - Saluran Pembaruan - - - Check for Updates - Periksa pembaruan - - - GUI Settings - Pengaturan GUI - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Putar musik judul - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Volume - - - Audio Backend - Audio Backend - - - Save - Simpan - - - Apply - Terapkan - - - Restore Defaults - Kembalikan Pengaturan Default - - - Close - Tutup - - - Point your mouse at an option to display its description. - Arahkan mouse Anda pada opsi untuk menampilkan deskripsinya. - - - consoleLanguageGroupBox - Bahasa Konsol:\nMenetapkan bahasa yang digunakan oleh permainan PS4.\nDisarankan untuk mengatur ini ke bahasa yang didukung oleh permainan, yang dapat bervariasi berdasarkan wilayah. - - - emulatorLanguageGroupBox - Bahasa Emulator:\nMenetapkan bahasa antarmuka pengguna emulator. - - - fullscreenCheckBox - Aktifkan Mode Layar Penuh:\nSecara otomatis menempatkan jendela permainan dalam mode layar penuh.\nIni dapat dinonaktifkan dengan menekan tombol F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Tampilkan Layar Pembuka:\nMenampilkan layar pembuka permainan (gambar khusus) saat permainan dimulai. - - - ps4proCheckBox - Adalah PS4 Pro:\nMembuat emulator berfungsi sebagai PS4 PRO, yang mungkin mengaktifkan fitur khusus dalam permainan yang mendukungnya. - - - discordRPCCheckbox - Aktifkan Discord Rich Presence:\nMenampilkan ikon emulator dan informasi relevan di profil Discord Anda. - - - userName - Nama Pengguna:\nMenetapkan nama pengguna akun PS4, yang mungkin ditampilkan oleh beberapa permainan. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Jenis Log:\nMenetapkan apakah untuk menyinkronkan output jendela log untuk kinerja. Dapat memiliki efek buruk pada emulasi. - - - logFilter - Filter Log:\nMenyaring log untuk hanya mencetak informasi tertentu.\nContoh: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Tingkatan: Trace, Debug, Info, Warning, Error, Critical - dalam urutan ini, tingkat tertentu membungkam semua tingkat sebelumnya dalam daftar dan mencatat setiap tingkat setelahnya. - - - updaterGroupBox - Pembaruan:\nRelease: Versi resmi yang dirilis setiap bulan yang mungkin sangat ketinggalan zaman, tetapi lebih dapat diandalkan dan teruji.\nNightly: Versi pengembangan yang memiliki semua fitur dan perbaikan terbaru, tetapi mungkin mengandung bug dan kurang stabil. - - - GUIMusicGroupBox - Putar Musik Judul Permainan:\nJika permainan mendukungnya, aktifkan pemutaran musik khusus saat memilih permainan di GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Sembunyikan Kursor:\nPilih kapan kursor akan menghilang:\nTidak Pernah: Anda akan selalu melihat mouse.\nTidak Aktif: Tetapkan waktu untuk menghilang setelah tidak aktif.\nSelalu: Anda tidak akan pernah melihat mouse. - - - idleTimeoutGroupBox - Tetapkan waktu untuk mouse menghilang setelah tidak aktif. - - - backButtonBehaviorGroupBox - Perilaku Tombol Kembali:\nMengatur tombol kembali pada pengontrol untuk meniru ketukan di posisi yang ditentukan di touchpad PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Tidak Pernah - - - Idle - Diam - - - Always - Selalu - - - Touchpad Left - Touchpad Kiri - - - Touchpad Right - Touchpad Kanan - - - Touchpad Center - Pusat Touchpad - - - None - Tidak Ada - - - graphicsAdapterGroupBox - Perangkat Grafis:\nPada sistem GPU ganda, pilih GPU yang akan digunakan emulator dari daftar dropdown,\natau pilih "Auto Select" untuk menentukan secara otomatis. - - - resolutionLayout - Lebar/Tinggi:\nMenetapkan ukuran jendela emulator saat diluncurkan, yang dapat diubah ukurannya selama permainan.\nIni berbeda dari resolusi dalam permainan. - - - heightDivider - Pembagi Vblank:\nKecepatan bingkai di mana emulator menyegarkan dikalikan dengan angka ini. Mengubah ini dapat memiliki efek buruk, seperti meningkatkan kecepatan permainan, atau merusak fungsi kritis permainan yang tidak mengharapkan ini berubah! - - - dumpShadersCheckBox - Aktifkan Pembuangan Shader:\nUntuk tujuan debugging teknis, menyimpan shader permainan ke folder saat mereka dirender. - - - nullGpuCheckBox - Aktifkan GPU Null:\nUntuk tujuan debugging teknis, menonaktifkan rendering permainan seolah-olah tidak ada kartu grafis. - - - gameFoldersBox - Folder Permainan:\nDaftar folder untuk memeriksa permainan yang diinstal. - - - addFolderButton - Tambah:\nTambahkan folder ke daftar. - - - removeFolderButton - Hapus:\nHapus folder dari daftar. - - - debugDump - Aktifkan Pembuangan Debug:\nMenyimpan simbol impor dan ekspor serta informasi header file dari program PS4 yang sedang berjalan ke direktori. - - - vkValidationCheckBox - Aktifkan Vulkan Validation Layers:\nMengaktifkan sistem yang memvalidasi status penggambaran Vulkan dan mencatat informasi tentang status internalnya. Ini akan mengurangi kinerja dan kemungkinan mengubah perilaku emulasi. - - - vkSyncValidationCheckBox - Aktifkan Vulkan Synchronization Validation:\nMengaktifkan sistem yang memvalidasi waktu tugas penggambaran Vulkan. Ini akan mengurangi kinerja dan kemungkinan mengubah perilaku emulasi. - - - rdocCheckBox - Aktifkan Debugging RenderDoc:\nJika diaktifkan, emulator akan menyediakan kompatibilitas dengan Renderdoc untuk memungkinkan pengambilan dan analisis bingkai yang sedang dirender. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches bersifat eksperimental.\nGunakan dengan hati-hati.\n\nUnduh cheats satu per satu dengan memilih repositori dan mengklik tombol unduh.\nDi tab Patches, Anda dapat mengunduh semua patch sekaligus, memilih yang ingin digunakan, dan menyimpan pilihan Anda.\n\nKarena kami tidak mengembangkan Cheats/Patches,\nharap laporkan masalah kepada pembuat cheat.\n\nMembuat cheat baru? Kunjungi:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Tidak Ada Gambar Tersedia - - - Serial: - Serial: - - - Version: - Versi: - - - Size: - Ukuran: - - - Select Cheat File: - Pilih File Cheat: - - - Repository: - Repositori: - - - Download Cheats - Unduh Cheat - - - Delete File - Hapus File - - - No files selected. - Tidak ada file yang dipilih. - - - You can delete the cheats you don't want after downloading them. - Anda dapat menghapus cheat yang tidak Anda inginkan setelah mengunduhnya. - - - Do you want to delete the selected file?\n%1 - Apakah Anda ingin menghapus berkas yang dipilih?\n%1 - - - Select Patch File: - Pilih File Patch: - - - Download Patches - Unduh Patch - - - Save - Simpan - - - Cheats - Cheat - - - Patches - Patch - - - Error - Kesalahan - - - No patch selected. - Tidak ada patch yang dipilih. - - - Unable to open files.json for reading. - Tidak dapat membuka files.json untuk dibaca. - - - No patch file found for the current serial. - Tidak ada file patch ditemukan untuk serial saat ini. - - - Unable to open the file for reading. - Tidak dapat membuka file untuk dibaca. - - - Unable to open the file for writing. - Tidak dapat membuka file untuk menulis. - - - Failed to parse XML: - Gagal menganalisis XML: - - - Success - Sukses - - - Options saved successfully. - Opsi berhasil disimpan. - - - Invalid Source - Sumber Tidak Valid - - - The selected source is invalid. - Sumber yang dipilih tidak valid. - - - File Exists - File Ada - - - File already exists. Do you want to replace it? - File sudah ada. Apakah Anda ingin menggantinya? - - - Failed to save file: - Gagal menyimpan file: - - - Failed to download file: - Gagal mengunduh file: - - - Cheats Not Found - Cheat Tidak Ditemukan - - - CheatsNotFound_MSG - Cheat tidak ditemukan untuk game ini dalam versi repositori yang dipilih,cobalah repositori lain atau versi game yang berbeda. - - - Cheats Downloaded Successfully - Cheat Berhasil Diunduh - - - CheatsDownloadedSuccessfully_MSG - Anda telah berhasil mengunduh cheat untuk versi game ini dari repositori yang dipilih. Anda bisa mencoba mengunduh dari repositori lain, jika tersedia akan juga memungkinkan untuk menggunakannya dengan memilih file dari daftar. - - - Failed to save: - Gagal menyimpan: - - - Failed to download: - Gagal mengunduh: - - - Download Complete - Unduhan Selesai - - - DownloadComplete_MSG - Patch Berhasil Diunduh! Semua Patch yang tersedia untuk semua game telah diunduh, tidak perlu mengunduhnya satu per satu seperti yang terjadi pada Cheat. Jika patch tidak muncul, mungkin patch tersebut tidak ada untuk nomor seri dan versi game yang spesifik. - - - Failed to parse JSON data from HTML. - Gagal menganalisis data JSON dari HTML. - - - Failed to retrieve HTML page. - Gagal mengambil halaman HTML. - - - The game is in version: %1 - Permainan berada di versi: %1 - - - The downloaded patch only works on version: %1 - Patch yang diunduh hanya berfungsi pada versi: %1 - - - You may need to update your game. - Anda mungkin perlu memperbarui permainan Anda. - - - Incompatibility Notice - Pemberitahuan Ketidakcocokan - - - Failed to open file: - Gagal membuka file: - - - XML ERROR: - KESALAHAN XML: - - - Failed to open files.json for writing - Gagal membuka files.json untuk menulis - - - Author: - Penulis: - - - Directory does not exist: - Direktori tidak ada: - - - Failed to open files.json for reading. - Gagal membuka files.json untuk dibaca. - - - Name: - Nama: - - - Can't apply cheats before the game is started - Tidak bisa menerapkan cheat sebelum permainan dimulai. - - - - GameListFrame - - Icon - Ikon - - - Name - Nama - - - Serial - Serial - - - Compatibility - Compatibility - - - Region - Wilayah - - - Firmware - Firmware - - - Size - Ukuran - - - Version - Versi - - - Path - Jalur - - - Play Time - Waktu Bermain - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Klik untuk melihat detail di GitHub - - - Last updated - Terakhir diperbarui - - - - CheckUpdate - - Auto Updater - Pembaruan Otomatis - - - Error - Kesalahan - - - Network error: - Kesalahan jaringan: - - - Error_Github_limit_MSG - Pembaruan Otomatis memungkinkan hingga 60 pemeriksaan pembaruan per jam.\nAnda telah mencapai batas ini. Silakan coba lagi nanti. - - - Failed to parse update information. - Gagal memparse informasi pembaruan. - - - No pre-releases found. - Tidak ada pra-rilis yang ditemukan. - - - Invalid release data. - Data rilis tidak valid. - - - No download URL found for the specified asset. - Tidak ada URL unduhan ditemukan untuk aset yang ditentukan. - - - Your version is already up to date! - Versi Anda sudah terbaru! - - - Update Available - Pembaruan Tersedia - - - Update Channel - Saluran Pembaruan - - - Current Version - Versi Saat Ini - - - Latest Version - Versi Terbaru - - - Do you want to update? - Apakah Anda ingin memperbarui? - - - Show Changelog - Tampilkan Catatan Perubahan - - - Check for Updates at Startup - Periksa pembaruan saat mulai - - - Update - Perbarui - - - No - Tidak - - - Hide Changelog - Sembunyikan Catatan Perubahan - - - Changes - Perubahan - - - Network error occurred while trying to access the URL - Kesalahan jaringan terjadi saat mencoba mengakses URL - - - Download Complete - Unduhan Selesai - - - The update has been downloaded, press OK to install. - Pembaruan telah diunduh, tekan OK untuk menginstal. - - - Failed to save the update file at - Gagal menyimpan file pembaruan di - - - Starting Update... - Memulai Pembaruan... - - - Failed to create the update script file - Gagal membuat file skrip pembaruan - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Memuat data kompatibilitas, harap tunggu - - - Cancel - Batal - - - Loading... - Memuat... - - - Error - Kesalahan - - - Unable to update compatibility data! Try again later. - Tidak dapat memperbarui data kompatibilitas! Coba lagi nanti. - - - Unable to open compatibility_data.json for writing. - Tidak dapat membuka compatibility_data.json untuk menulis. - - - Unknown - Tidak Dikenal - - - Nothing - Tidak ada - - - Boots - Sepatu Bot - - - Menus - Menu - - - Ingame - Dalam Permainan - - - Playable - Playable - - - diff --git a/src/qt_gui/translations/id_ID.ts b/src/qt_gui/translations/id_ID.ts new file mode 100644 index 000000000..6e30ab310 --- /dev/null +++ b/src/qt_gui/translations/id_ID.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches bersifat eksperimental.\nGunakan dengan hati-hati.\n\nUnduh cheats satu per satu dengan memilih repositori dan mengklik tombol unduh.\nDi tab Patches, Anda dapat mengunduh semua patch sekaligus, memilih yang ingin digunakan, dan menyimpan pilihan Anda.\n\nKarena kami tidak mengembangkan Cheats/Patches,\nharap laporkan masalah kepada pembuat cheat.\n\nMembuat cheat baru? Kunjungi:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Tidak Ada Gambar Tersedia + + + Serial: + Serial: + + + Version: + Versi: + + + Size: + Ukuran: + + + Select Cheat File: + Pilih File Cheat: + + + Repository: + Repositori: + + + Download Cheats + Unduh Cheat + + + Delete File + Hapus File + + + No files selected. + Tidak ada file yang dipilih. + + + You can delete the cheats you don't want after downloading them. + Anda dapat menghapus cheat yang tidak Anda inginkan setelah mengunduhnya. + + + Do you want to delete the selected file?\n%1 + Apakah Anda ingin menghapus berkas yang dipilih?\n%1 + + + Select Patch File: + Pilih File Patch: + + + Download Patches + Unduh Patch + + + Save + Simpan + + + Cheats + Cheat + + + Patches + Patch + + + Error + Kesalahan + + + No patch selected. + Tidak ada patch yang dipilih. + + + Unable to open files.json for reading. + Tidak dapat membuka files.json untuk dibaca. + + + No patch file found for the current serial. + Tidak ada file patch ditemukan untuk serial saat ini. + + + Unable to open the file for reading. + Tidak dapat membuka file untuk dibaca. + + + Unable to open the file for writing. + Tidak dapat membuka file untuk menulis. + + + Failed to parse XML: + Gagal menganalisis XML: + + + Success + Sukses + + + Options saved successfully. + Opsi berhasil disimpan. + + + Invalid Source + Sumber Tidak Valid + + + The selected source is invalid. + Sumber yang dipilih tidak valid. + + + File Exists + File Ada + + + File already exists. Do you want to replace it? + File sudah ada. Apakah Anda ingin menggantinya? + + + Failed to save file: + Gagal menyimpan file: + + + Failed to download file: + Gagal mengunduh file: + + + Cheats Not Found + Cheat Tidak Ditemukan + + + CheatsNotFound_MSG + Cheat tidak ditemukan untuk game ini dalam versi repositori yang dipilih,cobalah repositori lain atau versi game yang berbeda. + + + Cheats Downloaded Successfully + Cheat Berhasil Diunduh + + + CheatsDownloadedSuccessfully_MSG + Anda telah berhasil mengunduh cheat untuk versi game ini dari repositori yang dipilih. Anda bisa mencoba mengunduh dari repositori lain, jika tersedia akan juga memungkinkan untuk menggunakannya dengan memilih file dari daftar. + + + Failed to save: + Gagal menyimpan: + + + Failed to download: + Gagal mengunduh: + + + Download Complete + Unduhan Selesai + + + DownloadComplete_MSG + Patch Berhasil Diunduh! Semua Patch yang tersedia untuk semua game telah diunduh, tidak perlu mengunduhnya satu per satu seperti yang terjadi pada Cheat. Jika patch tidak muncul, mungkin patch tersebut tidak ada untuk nomor seri dan versi game yang spesifik. + + + Failed to parse JSON data from HTML. + Gagal menganalisis data JSON dari HTML. + + + Failed to retrieve HTML page. + Gagal mengambil halaman HTML. + + + The game is in version: %1 + Permainan berada di versi: %1 + + + The downloaded patch only works on version: %1 + Patch yang diunduh hanya berfungsi pada versi: %1 + + + You may need to update your game. + Anda mungkin perlu memperbarui permainan Anda. + + + Incompatibility Notice + Pemberitahuan Ketidakcocokan + + + Failed to open file: + Gagal membuka file: + + + XML ERROR: + KESALAHAN XML: + + + Failed to open files.json for writing + Gagal membuka files.json untuk menulis + + + Author: + Penulis: + + + Directory does not exist: + Direktori tidak ada: + + + Failed to open files.json for reading. + Gagal membuka files.json untuk dibaca. + + + Name: + Nama: + + + Can't apply cheats before the game is started + Tidak bisa menerapkan cheat sebelum permainan dimulai. + + + Close + Tutup + + + + CheckUpdate + + Auto Updater + Pembaruan Otomatis + + + Error + Kesalahan + + + Network error: + Kesalahan jaringan: + + + Error_Github_limit_MSG + Pembaruan Otomatis memungkinkan hingga 60 pemeriksaan pembaruan per jam.\nAnda telah mencapai batas ini. Silakan coba lagi nanti. + + + Failed to parse update information. + Gagal memparse informasi pembaruan. + + + No pre-releases found. + Tidak ada pra-rilis yang ditemukan. + + + Invalid release data. + Data rilis tidak valid. + + + No download URL found for the specified asset. + Tidak ada URL unduhan ditemukan untuk aset yang ditentukan. + + + Your version is already up to date! + Versi Anda sudah terbaru! + + + Update Available + Pembaruan Tersedia + + + Update Channel + Saluran Pembaruan + + + Current Version + Versi Saat Ini + + + Latest Version + Versi Terbaru + + + Do you want to update? + Apakah Anda ingin memperbarui? + + + Show Changelog + Tampilkan Catatan Perubahan + + + Check for Updates at Startup + Periksa pembaruan saat mulai + + + Update + Perbarui + + + No + Tidak + + + Hide Changelog + Sembunyikan Catatan Perubahan + + + Changes + Perubahan + + + Network error occurred while trying to access the URL + Kesalahan jaringan terjadi saat mencoba mengakses URL + + + Download Complete + Unduhan Selesai + + + The update has been downloaded, press OK to install. + Pembaruan telah diunduh, tekan OK untuk menginstal. + + + Failed to save the update file at + Gagal menyimpan file pembaruan di + + + Starting Update... + Memulai Pembaruan... + + + Failed to create the update script file + Gagal membuat file skrip pembaruan + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Memuat data kompatibilitas, harap tunggu + + + Cancel + Batal + + + Loading... + Memuat... + + + Error + Kesalahan + + + Unable to update compatibility data! Try again later. + Tidak dapat memperbarui data kompatibilitas! Coba lagi nanti. + + + Unable to open compatibility_data.json for writing. + Tidak dapat membuka compatibility_data.json untuk menulis. + + + Unknown + Tidak Dikenal + + + Nothing + Tidak ada + + + Boots + Sepatu Bot + + + Menus + Menu + + + Ingame + Dalam Permainan + + + Playable + Playable + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikon + + + Name + Nama + + + Serial + Serial + + + Compatibility + Compatibility + + + Region + Wilayah + + + Firmware + Firmware + + + Size + Ukuran + + + Version + Versi + + + Path + Jalur + + + Play Time + Waktu Bermain + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Klik untuk melihat detail di GitHub + + + Last updated + Terakhir diperbarui + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Cheat / Patch + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Buka Folder... + + + Open Game Folder + Buka Folder Game + + + Open Save Data Folder + Buka Folder Data Simpanan + + + Open Log Folder + Buka Folder Log + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Periksa pembaruan + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Unduh Cheat / Patch + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Bantuan + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Daftar game + + + * Unsupported Vulkan Version + * Versi Vulkan Tidak Didukung + + + Download Cheats For All Installed Games + Unduh Cheat Untuk Semua Game Yang Terpasang + + + Download Patches For All Games + Unduh Patch Untuk Semua Game + + + Download Complete + Unduhan Selesai + + + You have downloaded cheats for all the games you have installed. + Anda telah mengunduh cheat untuk semua game yang terpasang. + + + Patches Downloaded Successfully! + Patch Berhasil Diunduh! + + + All Patches available for all games have been downloaded. + Semua Patch yang tersedia untuk semua game telah diunduh. + + + Games: + Game: + + + ELF files (*.bin *.elf *.oelf) + File ELF (*.bin *.elf *.oelf) + + + Game Boot + Boot Game + + + Only one file can be selected! + Hanya satu file yang bisa dipilih! + + + PKG Extraction + Ekstraksi PKG + + + Patch detected! + Patch terdeteksi! + + + PKG and Game versions match: + Versi PKG dan Game cocok: + + + Would you like to overwrite? + Apakah Anda ingin menimpa? + + + PKG Version %1 is older than installed version: + Versi PKG %1 lebih lama dari versi yang terpasang: + + + Game is installed: + Game telah terpasang: + + + Would you like to install Patch: + Apakah Anda ingin menginstal patch: + + + DLC Installation + Instalasi DLC + + + Would you like to install DLC: %1? + Apakah Anda ingin menginstal DLC: %1? + + + DLC already installed: + DLC sudah terpasang: + + + Game already installed + Game sudah terpasang + + + PKG ERROR + KESALAHAN PKG + + + Extracting PKG %1/%2 + Mengekstrak PKG %1/%2 + + + Extraction Finished + Ekstraksi Selesai + + + Game successfully installed at %1 + Game berhasil dipasang di %1 + + + File doesn't appear to be a valid PKG file + File tampaknya bukan file PKG yang valid + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Nama + + + Serial + Serial + + + Installed + + + + Size + Ukuran + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Wilayah + + + Flags + + + + Path + Jalur + + + File + File + + + PKG ERROR + KESALAHAN PKG + + + Unknown + Tidak Dikenal + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Mode Layar Penuh + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Tab default saat membuka pengaturan + + + Show Game Size In List + Tampilkan Ukuran Game di Daftar + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Aktifkan Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Buka Lokasi Log + + + Input + Masukan + + + Cursor + Kursor + + + Hide Cursor + Sembunyikan kursor + + + Hide Cursor Idle Timeout + Batas waktu sembunyikan kursor tidak aktif + + + s + s + + + Controller + Pengontrol + + + Back Button Behavior + Perilaku tombol kembali + + + Graphics + Graphics + + + GUI + Antarmuka + + + User + Pengguna + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Jalur + + + Game Folders + Folder Permainan + + + Add... + Tambah... + + + Remove + Hapus + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Pembaruan + + + Check for Updates at Startup + Periksa pembaruan saat mulai + + + Always Show Changelog + Selalu Tampilkan Riwayat Perubahan + + + Update Channel + Saluran Pembaruan + + + Check for Updates + Periksa pembaruan + + + GUI Settings + Pengaturan GUI + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Putar musik judul + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Volume + + + Save + Simpan + + + Apply + Terapkan + + + Restore Defaults + Kembalikan Pengaturan Default + + + Close + Tutup + + + Point your mouse at an option to display its description. + Arahkan mouse Anda pada opsi untuk menampilkan deskripsinya. + + + consoleLanguageGroupBox + Bahasa Konsol:\nMenetapkan bahasa yang digunakan oleh permainan PS4.\nDisarankan untuk mengatur ini ke bahasa yang didukung oleh permainan, yang dapat bervariasi berdasarkan wilayah. + + + emulatorLanguageGroupBox + Bahasa Emulator:\nMenetapkan bahasa antarmuka pengguna emulator. + + + fullscreenCheckBox + Aktifkan Mode Layar Penuh:\nSecara otomatis menempatkan jendela permainan dalam mode layar penuh.\nIni dapat dinonaktifkan dengan menekan tombol F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Tampilkan Layar Pembuka:\nMenampilkan layar pembuka permainan (gambar khusus) saat permainan dimulai. + + + discordRPCCheckbox + Aktifkan Discord Rich Presence:\nMenampilkan ikon emulator dan informasi relevan di profil Discord Anda. + + + userName + Nama Pengguna:\nMenetapkan nama pengguna akun PS4, yang mungkin ditampilkan oleh beberapa permainan. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Jenis Log:\nMenetapkan apakah untuk menyinkronkan output jendela log untuk kinerja. Dapat memiliki efek buruk pada emulasi. + + + logFilter + Filter Log:\nMenyaring log untuk hanya mencetak informasi tertentu.\nContoh: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Tingkatan: Trace, Debug, Info, Warning, Error, Critical - dalam urutan ini, tingkat tertentu membungkam semua tingkat sebelumnya dalam daftar dan mencatat setiap tingkat setelahnya. + + + updaterGroupBox + Pembaruan:\nRelease: Versi resmi yang dirilis setiap bulan yang mungkin sangat ketinggalan zaman, tetapi lebih dapat diandalkan dan teruji.\nNightly: Versi pengembangan yang memiliki semua fitur dan perbaikan terbaru, tetapi mungkin mengandung bug dan kurang stabil. + + + GUIMusicGroupBox + Putar Musik Judul Permainan:\nJika permainan mendukungnya, aktifkan pemutaran musik khusus saat memilih permainan di GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Sembunyikan Kursor:\nPilih kapan kursor akan menghilang:\nTidak Pernah: Anda akan selalu melihat mouse.\nTidak Aktif: Tetapkan waktu untuk menghilang setelah tidak aktif.\nSelalu: Anda tidak akan pernah melihat mouse. + + + idleTimeoutGroupBox + Tetapkan waktu untuk mouse menghilang setelah tidak aktif. + + + backButtonBehaviorGroupBox + Perilaku Tombol Kembali:\nMengatur tombol kembali pada pengontrol untuk meniru ketukan di posisi yang ditentukan di touchpad PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Tidak Pernah + + + Idle + Diam + + + Always + Selalu + + + Touchpad Left + Touchpad Kiri + + + Touchpad Right + Touchpad Kanan + + + Touchpad Center + Pusat Touchpad + + + None + Tidak Ada + + + graphicsAdapterGroupBox + Perangkat Grafis:\nPada sistem GPU ganda, pilih GPU yang akan digunakan emulator dari daftar dropdown,\natau pilih "Auto Select" untuk menentukan secara otomatis. + + + resolutionLayout + Lebar/Tinggi:\nMenetapkan ukuran jendela emulator saat diluncurkan, yang dapat diubah ukurannya selama permainan.\nIni berbeda dari resolusi dalam permainan. + + + heightDivider + Pembagi Vblank:\nKecepatan bingkai di mana emulator menyegarkan dikalikan dengan angka ini. Mengubah ini dapat memiliki efek buruk, seperti meningkatkan kecepatan permainan, atau merusak fungsi kritis permainan yang tidak mengharapkan ini berubah! + + + dumpShadersCheckBox + Aktifkan Pembuangan Shader:\nUntuk tujuan debugging teknis, menyimpan shader permainan ke folder saat mereka dirender. + + + nullGpuCheckBox + Aktifkan GPU Null:\nUntuk tujuan debugging teknis, menonaktifkan rendering permainan seolah-olah tidak ada kartu grafis. + + + gameFoldersBox + Folder Permainan:\nDaftar folder untuk memeriksa permainan yang diinstal. + + + addFolderButton + Tambah:\nTambahkan folder ke daftar. + + + removeFolderButton + Hapus:\nHapus folder dari daftar. + + + debugDump + Aktifkan Pembuangan Debug:\nMenyimpan simbol impor dan ekspor serta informasi header file dari program PS4 yang sedang berjalan ke direktori. + + + vkValidationCheckBox + Aktifkan Vulkan Validation Layers:\nMengaktifkan sistem yang memvalidasi status penggambaran Vulkan dan mencatat informasi tentang status internalnya. Ini akan mengurangi kinerja dan kemungkinan mengubah perilaku emulasi. + + + vkSyncValidationCheckBox + Aktifkan Vulkan Synchronization Validation:\nMengaktifkan sistem yang memvalidasi waktu tugas penggambaran Vulkan. Ini akan mengurangi kinerja dan kemungkinan mengubah perilaku emulasi. + + + rdocCheckBox + Aktifkan Debugging RenderDoc:\nJika diaktifkan, emulator akan menyediakan kompatibilitas dengan Renderdoc untuk memungkinkan pengambilan dan analisis bingkai yang sedang dirender. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + + diff --git a/src/qt_gui/translations/it.ts b/src/qt_gui/translations/it.ts deleted file mode 100644 index 77a87ba82..000000000 --- a/src/qt_gui/translations/it.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - Riguardo shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 è un emulatore sperimentale open-source per PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Questo programma non dovrebbe essere utilizzato per riprodurre giochi che non vengono ottenuti legalmente. - - - - ElfViewer - - Open Folder - Apri Cartella - - - - GameInfoClass - - Loading game list, please wait :3 - Caricamento lista giochi, attendere :3 - - - Cancel - Annulla - - - Loading... - Caricamento... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Scegli cartella - - - Select which directory you want to install to. - Seleziona in quale cartella vuoi effettuare l'installazione. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Scegli cartella - - - Directory to install games - Cartella di installazione dei giochi - - - Browse - Sfoglia - - - Error - Errore - - - The value for location to install games is not valid. - Il valore del percorso di installazione dei giochi non è valido. - - - - GuiContextMenus - - Create Shortcut - Crea scorciatoia - - - Cheats / Patches - Trucchi / Patch - - - SFO Viewer - Visualizzatore SFO - - - Trophy Viewer - Visualizzatore Trofei - - - Open Folder... - Apri Cartella... - - - Open Game Folder - Apri Cartella del Gioco - - - Open Save Data Folder - Apri Cartella dei Dati di Salvataggio - - - Open Log Folder - Apri Cartella dei Log - - - Copy info... - Copia informazioni... - - - Copy Name - Copia Nome - - - Copy Serial - Copia Seriale - - - Copy All - Copia Tutto - - - Delete... - Elimina... - - - Delete Game - Elimina Gioco - - - Delete Update - Elimina Aggiornamento - - - Delete DLC - Elimina DLC - - - Compatibility... - Compatibilità... - - - Update database - Aggiorna database - - - View report - Visualizza rapporto - - - Submit a report - Invia rapporto - - - Shortcut creation - Creazione scorciatoia - - - Shortcut created successfully! - Scorciatoia creata con successo! - - - Error - Errore - - - Error creating shortcut! - Errore nella creazione della scorciatoia! - - - Install PKG - Installa PKG - - - Game - Gioco - - - requiresEnableSeparateUpdateFolder_MSG - Questa feature richiede che venga attivata l'opzione "Abilita Cartella Aggiornamenti Separata" per poter funzionare, per favore abilitala. - - - This game has no update to delete! - Questo gioco non ha alcun aggiornamento da eliminare! - - - Update - Aggiornamento - - - This game has no DLC to delete! - Questo gioco non ha alcun DLC da eliminare! - - - DLC - DLC - - - Delete %1 - Elimina %1 - - - Are you sure you want to delete %1's %2 directory? - Sei sicuro di eliminale la cartella %2 di %1? - - - - MainWindow - - Open/Add Elf Folder - Apri/Aggiungi cartella Elf - - - Install Packages (PKG) - Installa Pacchetti (PKG) - - - Boot Game - Avvia Gioco - - - Check for Updates - Controlla aggiornamenti - - - About shadPS4 - Riguardo a shadPS4 - - - Configure... - Configura... - - - Install application from a .pkg file - Installa applicazione da un file .pkg - - - Recent Games - Giochi Recenti - - - Open shadPS4 Folder - Apri Cartella shadps4 - - - Exit - Uscita - - - Exit shadPS4 - Esci da shadPS4 - - - Exit the application. - Esci dall'applicazione. - - - Show Game List - Mostra Lista Giochi - - - Game List Refresh - Aggiorna Lista Giochi - - - Tiny - Minuscolo - - - Small - Piccolo - - - Medium - Medio - - - Large - Grande - - - List View - Visualizzazione Lista - - - Grid View - Visualizzazione Griglia - - - Elf Viewer - Visualizzatore Elf - - - Game Install Directory - Cartella Installazione Giochi - - - Download Cheats/Patches - Scarica Trucchi/Patch - - - Dump Game List - Scarica Lista Giochi - - - PKG Viewer - Visualizzatore PKG - - - Search... - Cerca... - - - File - File - - - View - Visualizza - - - Game List Icons - Icone Lista Giochi - - - Game List Mode - Modalità Lista Giochi - - - Settings - Impostazioni - - - Utils - Utilità - - - Themes - Temi - - - Help - Aiuto - - - Dark - Scuro - - - Light - Chiaro - - - Green - Verde - - - Blue - Blu - - - Violet - Viola - - - toolBar - Barra strumenti - - - Game List - Elenco giochi - - - * Unsupported Vulkan Version - * Versione Vulkan non supportata - - - Download Cheats For All Installed Games - Scarica Trucchi per tutti i giochi installati - - - Download Patches For All Games - Scarica Patch per tutti i giochi - - - Download Complete - Download completato - - - You have downloaded cheats for all the games you have installed. - Hai scaricato trucchi per tutti i giochi installati. - - - Patches Downloaded Successfully! - Patch scaricate con successo! - - - All Patches available for all games have been downloaded. - Tutte le patch disponibili per tutti i giochi sono state scaricate. - - - Games: - Giochi: - - - PKG File (*.PKG) - File PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - File ELF (*.bin *.elf *.oelf) - - - Game Boot - Avvia Gioco - - - Only one file can be selected! - Si può selezionare solo un file! - - - PKG Extraction - Estrazione file PKG - - - Patch detected! - Patch rilevata! - - - PKG and Game versions match: - Le versioni di PKG e del Gioco corrispondono: - - - Would you like to overwrite? - Vuoi sovrascrivere? - - - PKG Version %1 is older than installed version: - La versione PKG %1 è più vecchia rispetto alla versione installata: - - - Game is installed: - Gioco installato: - - - Would you like to install Patch: - Vuoi installare la patch: - - - DLC Installation - Installazione DLC - - - Would you like to install DLC: %1? - Vuoi installare il DLC: %1? - - - DLC already installed: - DLC già installato: - - - Game already installed - Gioco già installato - - - PKG is a patch, please install the game first! - Questo file PKG contiene una patch. Per favore, installa prima il gioco! - - - PKG ERROR - ERRORE PKG - - - Extracting PKG %1/%2 - Estrazione file PKG %1/%2 - - - Extraction Finished - Estrazione Completata - - - Game successfully installed at %1 - Gioco installato correttamente in %1 - - - File doesn't appear to be a valid PKG file - Il file sembra non essere un file PKG valido - - - - PKGViewer - - Open Folder - Apri Cartella - - - - TrophyViewer - - Trophy Viewer - Visualizzatore Trofei - - - - SettingsDialog - - Settings - Impostazioni - - - General - Generale - - - System - Sistema - - - Console Language - Lingua della console - - - Emulator Language - Lingua dell'emulatore - - - Emulator - Emulatore - - - Enable Fullscreen - Abilita Schermo Intero - - - Fullscreen Mode - Modalità Schermo Intero - - - Enable Separate Update Folder - Abilita Cartella Aggiornamenti Separata - - - Default tab when opening settings - Scheda predefinita all'apertura delle impostazioni - - - Show Game Size In List - Mostra la dimensione del gioco nell'elenco - - - Show Splash - Mostra Schermata Iniziale - - - Is PS4 Pro - Modalità Ps4 Pro - - - Enable Discord Rich Presence - Abilita Discord Rich Presence - - - Username - Nome Utente - - - Trophy Key - Chiave Trofei - - - Trophy - Trofei - - - Logger - Logger - - - Log Type - Tipo di Log - - - Log Filter - Filtro Log - - - Open Log Location - Apri posizione del registro - - - Input - Input - - - Cursor - Cursore - - - Hide Cursor - Nascondi Cursore - - - Hide Cursor Idle Timeout - Timeout inattività per nascondere il cursore - - - s - s - - - Controller - Controller - - - Back Button Behavior - Comportamento del pulsante Indietro - - - Graphics - Grafica - - - GUI - Interfaccia - - - User - Utente - - - Graphics Device - Scheda Grafica - - - Width - Larghezza - - - Height - Altezza - - - Vblank Divider - Divisore Vblank - - - Advanced - Avanzate - - - Enable Shaders Dumping - Abilita Dump Shader - - - Enable NULL GPU - Abilita NULL GPU - - - Paths - Percorsi - - - Game Folders - Cartelle di gioco - - - Add... - Aggiungi... - - - Remove - Rimuovi - - - Debug - Debug - - - Enable - Abilita Debug Dumping - - - Enable Vulkan Validation Layers - Abilita Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Abilita Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Abilita RenderDoc Debugging - - - Enable Crash Diagnostics - Abilita Diagnostica Crash - - - Collect Shaders - Raccogli Shaders - - - Copy GPU Buffers - Copia Buffer GPU - - - Host Debug Markers - Marcatori di Debug dell'Host - - - Guest Debug Markers - Marcatori di Debug del Guest - - - Update - Aggiornamento - - - Check for Updates at Startup - Verifica aggiornamenti all’avvio - - - Always Show Changelog - Mostra sempre il changelog - - - Update Channel - Canale di Aggiornamento - - - Check for Updates - Controlla aggiornamenti - - - GUI Settings - Impostazioni GUI - - - Title Music - Musica del Titolo - - - Disable Trophy Pop-ups - Disabilita Notifica Trofei - - - Play title music - Riproduci musica del titolo - - - Update Compatibility Database On Startup - Aggiorna Database Compatibilità all'Avvio - - - Game Compatibility - Compatibilità Gioco - - - Display Compatibility Data - Mostra Dati Compatibilità - - - Update Compatibility Database - Aggiorna Database Compatibilità - - - Volume - Volume - - - Audio Backend - Backend Audio - - - Save - Salva - - - Apply - Applica - - - Restore Defaults - Ripristina Impostazioni Predefinite - - - Close - Chiudi - - - Point your mouse at an option to display its description. - Sposta il mouse su un'opzione per visualizzarne la descrizione. - - - consoleLanguageGroupBox - Lingua della Console:\nImposta la lingua utilizzata dal gioco PS4.\nÈ consigliabile impostare questa su una lingua supportata dal gioco, che può variare a seconda della regione. - - - emulatorLanguageGroupBox - Lingua dell'Emulatore:\nImposta la lingua dell'interfaccia utente dell'emulatore. - - - fullscreenCheckBox - Abilita Schermo Intero:\nMetti automaticamente la finestra di gioco in modalità schermo intero.\nQuesto può essere disattivato premendo il tasto F11. - - - separateUpdatesCheckBox - Abilita Cartella Aggiornamenti Separata:\nAbilita l'installazione degli aggiornamenti in una cartella separata per una più facile gestione. - - - showSplashCheckBox - Mostra Schermata di Avvio:\nMostra la schermata di avvio del gioco (un'immagine speciale) mentre il gioco si sta avviando. - - - ps4proCheckBox - È PS4 Pro:\nFa sì che l'emulatore si comporti come una PS4 PRO, il che può abilitare funzionalità speciali in giochi che la supportano. - - - discordRPCCheckbox - Abilita Discord Rich Presence:\nMostra l'icona dell'emulatore e informazioni pertinenti sul tuo profilo Discord. - - - userName - Nome Utente:\nImposta il nome utente dell'account PS4, che potrebbe essere visualizzato da alcuni giochi. - - - TrophyKey - Chiave Trofei:\nChiave utilizzata per la decrittazione dei trofei. Deve essere estratta dalla vostra console con jailbreak.\nDeve contenere solo caratteri esadecimali. - - - logTypeGroupBox - Tipo di Log:\nImposta se sincronizzare l'output della finestra di log per le prestazioni. Potrebbe avere effetti avversi sull'emulazione. - - - logFilter - Filtro Log:\nFiltra il log per stampare solo informazioni specifiche.\nEsempi: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Livelli: Trace, Debug, Info, Warning, Error, Critical - in questo ordine, un livello specifico silenzia tutti i livelli precedenti nell'elenco e registra ogni livello successivo. - - - updaterGroupBox - Aggiornamento:\nRelease: Versioni ufficiali rilasciate ogni mese che potrebbero essere molto datate, ma sono più affidabili e testate.\nNightly: Versioni di sviluppo che hanno tutte le ultime funzionalità e correzioni, ma potrebbero contenere bug e sono meno stabili. - - - GUIMusicGroupBox - Riproduci Musica del Titolo:\nSe un gioco lo supporta, attiva la riproduzione di musica speciale quando selezioni il gioco nell'interfaccia grafica. - - - disableTrophycheckBox - Disabilita Notifica Trofei:\nDisabilita notifiche in gioco dei trofei. Il progresso dei Trofei può ancora essere controllato con il Visualizzatore Trofei (clicca tasto destro sul gioco nella finestra principale). - - - hideCursorGroupBox - Nascondi cursore:\nScegli quando il cursore scomparirà:\nMai: Vedrai sempre il mouse.\nInattivo: Imposta un tempo per farlo scomparire dopo essere stato inattivo.\nSempre: non vedrai mai il mouse. - - - idleTimeoutGroupBox - Imposta un tempo affinché il mouse scompaia dopo essere stato inattivo. - - - backButtonBehaviorGroupBox - Comportamento del pulsante Indietro:\nImposta il pulsante Indietro del controller per emulare il tocco sulla posizione specificata sul touchpad PS4. - - - enableCompatibilityCheckBox - Mostra Dati Compatibilità:\nMostra informazioni sulla compatibilità del gioco nella visualizzazione lista. Abilita "Aggiorna Compatiblità all'Avvio" per ottenere informazioni aggiornate. - - - checkCompatibilityOnStartupCheckBox - Aggiorna Compatibilità all'Avvio:\nAggiorna automaticamente il database della compatibilità quando si avvia shadps4. - - - updateCompatibilityButton - Aggiorna Database Compatibilità:\nAggiorna immediatamente il database di compatibilità. - - - Never - Mai - - - Idle - Inattivo - - - Always - Sempre - - - Touchpad Left - Touchpad Sinistra - - - Touchpad Right - Touchpad Destra - - - Touchpad Center - Centro del Touchpad - - - None - Nessuno - - - graphicsAdapterGroupBox - Dispositivo Grafico:\nIn sistemi con più GPU, seleziona la GPU che l'emulatore utilizzerà dall'elenco a discesa,\no seleziona "Auto Select" per determinarlo automaticamente. - - - resolutionLayout - Larghezza/Altezza:\nImposta la dimensione della finestra dell'emulatore all'avvio, che può essere ridimensionata durante il gioco.\nQuesto è diverso dalla risoluzione in gioco. - - - heightDivider - Divisore Vblank:\nIl frame rate con cui l'emulatore si aggiorna viene moltiplicato per questo numero. Cambiare questo potrebbe avere effetti avversi, come aumentare la velocità del gioco o rompere funzionalità critiche del gioco che non si aspettano questa modifica! - - - dumpShadersCheckBox - Abilita Pompaggio Shader:\nPer scopi di debug tecnico, salva gli shader dei giochi in una cartella mentre vengono resi. - - - nullGpuCheckBox - Abilita GPU Null:\nPer scopi di debug tecnico, disabilita il rendering del gioco come se non ci fosse alcuna scheda grafica. - - - gameFoldersBox - Cartelle di Gioco:\nL'elenco delle cartelle da controllare per i giochi installati. - - - addFolderButton - Aggiungi:\nAggiungi una cartella all'elenco. - - - removeFolderButton - Rimuovi:\nRimuovi una cartella dall'elenco. - - - debugDump - Abilita Pompaggio di Debug:\nSalva i simboli di importazione ed esportazione e le informazioni sull'intestazione del file del programma PS4 attualmente in esecuzione in una directory. - - - vkValidationCheckBox - Abilita Strati di Validazione Vulkan:\nAbilita un sistema che convalida lo stato del renderer Vulkan e registra informazioni sul suo stato interno. Ciò ridurrà le prestazioni e probabilmente cambierà il comportamento dell'emulazione. - - - vkSyncValidationCheckBox - Abilita Validazione della Sincronizzazione Vulkan:\nAbilita un sistema che convalida il timing delle attività di rendering Vulkan. Ciò ridurrà le prestazioni e probabilmente cambierà il comportamento dell'emulazione. - - - rdocCheckBox - Abilita Debugging RenderDoc:\nSe abilitato, l'emulatore fornirà compatibilità con Renderdoc per consentire la cattura e l'analisi del frame attualmente reso. - - - collectShaderCheckBox - Raccogli Shader:\nBisogna attivare questa opzione per poter modificare gli shader nel menu di debug (Ctrl + F10). - - - crashDiagnosticsCheckBox - Diagnostica Crash:\nCrea un file .yaml che contiene informazioni riguardo lo stato del renderer Vulkan nel momento in cui si verifica un crash.\nUtile per poter effettuare il debug degli errori di tipo "Device Lost". Se hai questa opzione attiva dovresti abilitare anche Marcatori di Debug Host e Guest.\nNon è funzionante su GPU Intel.\nVulkan Validation Layers deve essere abilitato e bisogna aver installato l'SDK Vulkan per poter utilizzare questa funzione. - - - copyGPUBuffersCheckBox - Copia Buffer GPU:\nCerca di aggirare le race conditions che riguardano gli invii alla GPU.\nPotrebbe aiutare ad evitare crash che riguardano i PM4 di tipo 0. - - - hostMarkersCheckBox - Marcatori di Debug dell'Host:\nInserisce nel log informazioni ottenute dall'emulatore come ad esempio marcatori per comandi specifici AMDGPU quando si hanno comandi Vulkan e associa nomi di debug per le risorse.\nSe hai questa opzione abilitata dovresti abilitare anche Diagnostica Crash.\nUtile per programmi come RenderDoc. - - - guestMarkersCheckBox - Marcatori di Debug del Guest:\nInserisce nel log marcatori di debug che il gioco stesso ha aggiunto al buffer dei comandi.\nSe hai abilitato questa opzione dovresti abilitare anche Diagnostica Crash.\nUtile per programmi come RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patch per - - - defaultTextEdit_MSG - I trucchi e le patch sono sperimentali.\nUtilizzali con cautela.\n\nScarica i trucchi singolarmente selezionando l'archivio e cliccando sul pulsante di download.\nNella scheda Patch, puoi scaricare tutte le patch in una volta sola, scegliere quali vuoi utilizzare e salvare la tua selezione.\n\nPoiché non sviluppiamo i trucchi e le patch,\nper favore segnala i problemi all'autore dei trucchi.\n\nHai creato un nuovo trucco? Visita:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Nessuna immagine disponibile - - - Serial: - Seriale: - - - Version: - Versione: - - - Size: - Dimensione: - - - Select Cheat File: - Seleziona File Trucchi: - - - Repository: - Archivio: - - - Download Cheats - Scarica trucchi - - - Delete File - Cancella File - - - No files selected. - Nessun file selezionato. - - - You can delete the cheats you don't want after downloading them. - Puoi cancellare i trucchi che non vuoi utilizzare dopo averli scaricati. - - - Do you want to delete the selected file?\n%1 - Vuoi cancellare il file selezionato?\n%1 - - - Select Patch File: - Seleziona File Patch: - - - Download Patches - Scarica Patch - - - Save - Salva - - - Cheats - Trucchi - - - Patches - Patch - - - Error - Errore - - - No patch selected. - Nessuna patch selezionata. - - - Unable to open files.json for reading. - Impossibile aprire il file .json per la lettura. - - - No patch file found for the current serial. - Nessun file patch trovato per il seriale selezionato. - - - Unable to open the file for reading. - Impossibile aprire il file per la lettura. - - - Unable to open the file for writing. - Impossibile aprire il file per la scrittura. - - - Failed to parse XML: - Analisi XML fallita: - - - Success - Successo - - - Options saved successfully. - Opzioni salvate con successo. - - - Invalid Source - Fonte non valida - - - The selected source is invalid. - La fonte selezionata non è valida. - - - File Exists - Il file è presente - - - File already exists. Do you want to replace it? - Il file è già presente. Vuoi sostituirlo? - - - Failed to save file: - Salvataggio file fallito: - - - Failed to download file: - Scaricamento file fallito: - - - Cheats Not Found - Trucchi non trovati - - - CheatsNotFound_MSG - Non sono stati trovati trucchi per questa versione del gioco nell'archivio selezionato, prova un altro archivio o una versione diversa del gioco. - - - Cheats Downloaded Successfully - Trucchi scaricati con successo! - - - CheatsDownloadedSuccessfully_MSG - Hai scaricato con successo i trucchi per questa versione del gioco dall'archivio selezionato. Puoi provare a scaricare da un altro archivio, se disponibile, puoi anche utilizzarlo selezionando il file dall'elenco. - - - Failed to save: - Salvataggio fallito: - - - Failed to download: - Impossibile scaricare: - - - Download Complete - Scaricamento completo - - - DownloadComplete_MSG - Patch scaricata con successo! Vengono scaricate tutte le patch disponibili per tutti i giochi, non è necessario scaricarle singolarmente per ogni gioco come nel caso dei trucchi. Se la patch non appare, potrebbe essere che non esista per il numero di serie e la versione specifica del gioco. - - - Failed to parse JSON data from HTML. - Impossibile analizzare i dati JSON dall'HTML. - - - Failed to retrieve HTML page. - Impossibile recuperare la pagina HTML. - - - The game is in version: %1 - Il gioco è nella versione: %1 - - - The downloaded patch only works on version: %1 - La patch scaricata funziona solo sulla versione: %1 - - - You may need to update your game. - Potresti aver bisogno di aggiornare il tuo gioco. - - - Incompatibility Notice - Avviso di incompatibilità - - - Failed to open file: - Impossibile aprire file: - - - XML ERROR: - ERRORE XML: - - - Failed to open files.json for writing - Impossibile aprire i file .json per la scrittura - - - Author: - Autore: - - - Directory does not exist: - La cartella non esiste: - - - Failed to open files.json for reading. - Impossibile aprire i file .json per la lettura. - - - Name: - Nome: - - - Can't apply cheats before the game is started - Non è possibile applicare i trucchi prima dell'inizio del gioco. - - - - GameListFrame - - Icon - Icona - - - Name - Nome - - - Serial - Seriale - - - Compatibility - Compatibilità - - - Region - Regione - - - Firmware - Firmware - - - Size - Dimensione - - - Version - Versione - - - Path - Percorso - - - Play Time - Tempo di Gioco - - - Never Played - Mai Giocato - - - h - o - - - m - m - - - s - s - - - Compatibility is untested - Nessuna informazione sulla compatibilità - - - Game does not initialize properly / crashes the emulator - Il gioco non si avvia in modo corretto / forza chiusura dell'emulatore - - - Game boots, but only displays a blank screen - Il gioco si avvia, ma mostra solo una schermata nera - - - Game displays an image but does not go past the menu - Il gioco mostra immagini ma non va oltre il menu - - - Game has game-breaking glitches or unplayable performance - Il gioco ha problemi gravi di emulazione oppure framerate troppo basso - - - Game can be completed with playable performance and no major glitches - Il gioco può essere completato con buone prestazioni e senza problemi gravi - - - Click to see details on github - Fai clic per vedere i dettagli su GitHub - - - Last updated - Ultimo aggiornamento - - - - CheckUpdate - - Auto Updater - Aggiornamento automatico - - - Error - Errore - - - Network error: - Errore di rete: - - - Error_Github_limit_MSG - L'Aggiornamento Automatico consente fino a 60 controlli di aggiornamento all'ora.\nHai raggiunto questo limite. Riprova più tardi. - - - Failed to parse update information. - Impossibile analizzare le informazioni di aggiornamento. - - - No pre-releases found. - Nessuna anteprima trovata. - - - Invalid release data. - Dati della release non validi. - - - No download URL found for the specified asset. - Nessun URL di download trovato per l'asset specificato. - - - Your version is already up to date! - La tua versione è già aggiornata! - - - Update Available - Aggiornamento disponibile - - - Update Channel - Canale di Aggiornamento - - - Current Version - Versione attuale - - - Latest Version - Ultima versione - - - Do you want to update? - Vuoi aggiornare? - - - Show Changelog - Mostra il Changelog - - - Check for Updates at Startup - Controlla aggiornamenti all’avvio - - - Update - Aggiorna - - - No - No - - - Hide Changelog - Nascondi il Changelog - - - Changes - Modifiche - - - Network error occurred while trying to access the URL - Si è verificato un errore di rete durante il tentativo di accesso all'URL - - - Download Complete - Download completato - - - The update has been downloaded, press OK to install. - L'aggiornamento è stato scaricato, premi OK per installare. - - - Failed to save the update file at - Impossibile salvare il file di aggiornamento in - - - Starting Update... - Inizio aggiornamento... - - - Failed to create the update script file - Impossibile creare il file di script di aggiornamento - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Recuperando dati di compatibilità, per favore attendere - - - Cancel - Annulla - - - Loading... - Caricamento... - - - Error - Errore - - - Unable to update compatibility data! Try again later. - Impossibile aggiornare i dati di compatibilità! Riprova più tardi. - - - Unable to open compatibility_data.json for writing. - Impossibile aprire compatibility_data.json per la scrittura. - - - Unknown - Sconosciuto - - - Nothing - Niente - - - Boots - Si Avvia - - - Menus - Menu - - - Ingame - In gioco - - - Playable - Giocabile - - - diff --git a/src/qt_gui/translations/it_IT.ts b/src/qt_gui/translations/it_IT.ts new file mode 100644 index 000000000..4351d1fd8 --- /dev/null +++ b/src/qt_gui/translations/it_IT.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + Riguardo shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 è un emulatore sperimentale open-source per PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Questo programma non dovrebbe essere utilizzato per riprodurre giochi che non vengono ottenuti legalmente. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patch per + + + defaultTextEdit_MSG + I trucchi e le patch sono sperimentali.\nUtilizzali con cautela.\n\nScarica i trucchi singolarmente selezionando l'archivio e cliccando sul pulsante di download.\nNella scheda Patch, puoi scaricare tutte le patch in una volta sola, scegliere quali vuoi utilizzare e salvare la tua selezione.\n\nPoiché non sviluppiamo i trucchi e le patch,\nper favore segnala i problemi all'autore dei trucchi.\n\nHai creato un nuovo trucco? Visita:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Nessuna immagine disponibile + + + Serial: + Seriale: + + + Version: + Versione: + + + Size: + Dimensione: + + + Select Cheat File: + Seleziona File Trucchi: + + + Repository: + Archivio: + + + Download Cheats + Scarica trucchi + + + Delete File + Cancella File + + + No files selected. + Nessun file selezionato. + + + You can delete the cheats you don't want after downloading them. + Puoi cancellare i trucchi che non vuoi utilizzare dopo averli scaricati. + + + Do you want to delete the selected file?\n%1 + Vuoi cancellare il file selezionato?\n%1 + + + Select Patch File: + Seleziona File Patch: + + + Download Patches + Scarica Patch + + + Save + Salva + + + Cheats + Trucchi + + + Patches + Patch + + + Error + Errore + + + No patch selected. + Nessuna patch selezionata. + + + Unable to open files.json for reading. + Impossibile aprire il file .json per la lettura. + + + No patch file found for the current serial. + Nessun file patch trovato per il seriale selezionato. + + + Unable to open the file for reading. + Impossibile aprire il file per la lettura. + + + Unable to open the file for writing. + Impossibile aprire il file per la scrittura. + + + Failed to parse XML: + Analisi XML fallita: + + + Success + Successo + + + Options saved successfully. + Opzioni salvate con successo. + + + Invalid Source + Fonte non valida + + + The selected source is invalid. + La fonte selezionata non è valida. + + + File Exists + Il file è presente + + + File already exists. Do you want to replace it? + Il file è già presente. Vuoi sostituirlo? + + + Failed to save file: + Salvataggio file fallito: + + + Failed to download file: + Scaricamento file fallito: + + + Cheats Not Found + Trucchi non trovati + + + CheatsNotFound_MSG + Non sono stati trovati trucchi per questa versione del gioco nell'archivio selezionato, prova un altro archivio o una versione diversa del gioco. + + + Cheats Downloaded Successfully + Trucchi scaricati con successo! + + + CheatsDownloadedSuccessfully_MSG + Hai scaricato con successo i trucchi per questa versione del gioco dall'archivio selezionato. Puoi provare a scaricare da un altro archivio, se disponibile, puoi anche utilizzarlo selezionando il file dall'elenco. + + + Failed to save: + Salvataggio fallito: + + + Failed to download: + Impossibile scaricare: + + + Download Complete + Scaricamento completo + + + DownloadComplete_MSG + Patch scaricata con successo! Vengono scaricate tutte le patch disponibili per tutti i giochi, non è necessario scaricarle singolarmente per ogni gioco come nel caso dei trucchi. Se la patch non appare, potrebbe essere che non esista per il numero di serie e la versione specifica del gioco. + + + Failed to parse JSON data from HTML. + Impossibile analizzare i dati JSON dall'HTML. + + + Failed to retrieve HTML page. + Impossibile recuperare la pagina HTML. + + + The game is in version: %1 + Il gioco è nella versione: %1 + + + The downloaded patch only works on version: %1 + La patch scaricata funziona solo sulla versione: %1 + + + You may need to update your game. + Potresti aver bisogno di aggiornare il tuo gioco. + + + Incompatibility Notice + Avviso di incompatibilità + + + Failed to open file: + Impossibile aprire file: + + + XML ERROR: + ERRORE XML: + + + Failed to open files.json for writing + Impossibile aprire i file .json per la scrittura + + + Author: + Autore: + + + Directory does not exist: + La cartella non esiste: + + + Failed to open files.json for reading. + Impossibile aprire i file .json per la lettura. + + + Name: + Nome: + + + Can't apply cheats before the game is started + Non è possibile applicare i trucchi prima dell'inizio del gioco. + + + Close + Chiudi + + + + CheckUpdate + + Auto Updater + Aggiornamento automatico + + + Error + Errore + + + Network error: + Errore di rete: + + + Error_Github_limit_MSG + L'Aggiornamento Automatico consente fino a 60 controlli di aggiornamento all'ora.\nHai raggiunto questo limite. Riprova più tardi. + + + Failed to parse update information. + Impossibile analizzare le informazioni di aggiornamento. + + + No pre-releases found. + Nessuna anteprima trovata. + + + Invalid release data. + Dati della release non validi. + + + No download URL found for the specified asset. + Nessun URL di download trovato per l'asset specificato. + + + Your version is already up to date! + La tua versione è già aggiornata! + + + Update Available + Aggiornamento disponibile + + + Update Channel + Canale di Aggiornamento + + + Current Version + Versione attuale + + + Latest Version + Ultima versione + + + Do you want to update? + Vuoi aggiornare? + + + Show Changelog + Mostra il Changelog + + + Check for Updates at Startup + Controlla aggiornamenti all’avvio + + + Update + Aggiorna + + + No + No + + + Hide Changelog + Nascondi il Changelog + + + Changes + Modifiche + + + Network error occurred while trying to access the URL + Si è verificato un errore di rete durante il tentativo di accesso all'URL + + + Download Complete + Download completato + + + The update has been downloaded, press OK to install. + L'aggiornamento è stato scaricato, premi OK per installare. + + + Failed to save the update file at + Impossibile salvare il file di aggiornamento in + + + Starting Update... + Inizio aggiornamento... + + + Failed to create the update script file + Impossibile creare il file di script di aggiornamento + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Recuperando dati di compatibilità, per favore attendere + + + Cancel + Annulla + + + Loading... + Caricamento... + + + Error + Errore + + + Unable to update compatibility data! Try again later. + Impossibile aggiornare i dati di compatibilità! Riprova più tardi. + + + Unable to open compatibility_data.json for writing. + Impossibile aprire compatibility_data.json per la scrittura. + + + Unknown + Sconosciuto + + + Nothing + Niente + + + Boots + Si Avvia + + + Menus + Menu + + + Ingame + In gioco + + + Playable + Giocabile + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Apri Cartella + + + + GameInfoClass + + Loading game list, please wait :3 + Caricamento lista giochi, attendere :3 + + + Cancel + Annulla + + + Loading... + Caricamento... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Scegli cartella + + + Directory to install games + Cartella di installazione dei giochi + + + Browse + Sfoglia + + + Error + Errore + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icona + + + Name + Nome + + + Serial + Seriale + + + Compatibility + Compatibilità + + + Region + Regione + + + Firmware + Firmware + + + Size + Dimensione + + + Version + Versione + + + Path + Percorso + + + Play Time + Tempo di Gioco + + + Never Played + Mai Giocato + + + h + o + + + m + m + + + s + s + + + Compatibility is untested + Nessuna informazione sulla compatibilità + + + Game does not initialize properly / crashes the emulator + Il gioco non si avvia in modo corretto / forza chiusura dell'emulatore + + + Game boots, but only displays a blank screen + Il gioco si avvia, ma mostra solo una schermata nera + + + Game displays an image but does not go past the menu + Il gioco mostra immagini ma non va oltre il menu + + + Game has game-breaking glitches or unplayable performance + Il gioco ha problemi gravi di emulazione oppure framerate troppo basso + + + Game can be completed with playable performance and no major glitches + Il gioco può essere completato con buone prestazioni e senza problemi gravi + + + Click to see details on github + Fai clic per vedere i dettagli su GitHub + + + Last updated + Ultimo aggiornamento + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Crea scorciatoia + + + Cheats / Patches + Trucchi / Patch + + + SFO Viewer + Visualizzatore SFO + + + Trophy Viewer + Visualizzatore Trofei + + + Open Folder... + Apri Cartella... + + + Open Game Folder + Apri Cartella del Gioco + + + Open Save Data Folder + Apri Cartella dei Dati di Salvataggio + + + Open Log Folder + Apri Cartella dei Log + + + Copy info... + Copia informazioni... + + + Copy Name + Copia Nome + + + Copy Serial + Copia Seriale + + + Copy All + Copia Tutto + + + Delete... + Elimina... + + + Delete Game + Elimina Gioco + + + Delete Update + Elimina Aggiornamento + + + Delete DLC + Elimina DLC + + + Compatibility... + Compatibilità... + + + Update database + Aggiorna database + + + View report + Visualizza rapporto + + + Submit a report + Invia rapporto + + + Shortcut creation + Creazione scorciatoia + + + Shortcut created successfully! + Scorciatoia creata con successo! + + + Error + Errore + + + Error creating shortcut! + Errore nella creazione della scorciatoia! + + + Install PKG + Installa PKG + + + Game + Gioco + + + This game has no update to delete! + Questo gioco non ha alcun aggiornamento da eliminare! + + + Update + Aggiornamento + + + This game has no DLC to delete! + Questo gioco non ha alcun DLC da eliminare! + + + DLC + DLC + + + Delete %1 + Elimina %1 + + + Are you sure you want to delete %1's %2 directory? + Sei sicuro di eliminale la cartella %2 di %1? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Scegli cartella + + + Select which directory you want to install to. + Seleziona in quale cartella vuoi effettuare l'installazione. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Apri/Aggiungi cartella Elf + + + Install Packages (PKG) + Installa Pacchetti (PKG) + + + Boot Game + Avvia Gioco + + + Check for Updates + Controlla aggiornamenti + + + About shadPS4 + Riguardo a shadPS4 + + + Configure... + Configura... + + + Install application from a .pkg file + Installa applicazione da un file .pkg + + + Recent Games + Giochi Recenti + + + Open shadPS4 Folder + Apri Cartella shadps4 + + + Exit + Uscita + + + Exit shadPS4 + Esci da shadPS4 + + + Exit the application. + Esci dall'applicazione. + + + Show Game List + Mostra Lista Giochi + + + Game List Refresh + Aggiorna Lista Giochi + + + Tiny + Minuscolo + + + Small + Piccolo + + + Medium + Medio + + + Large + Grande + + + List View + Visualizzazione Lista + + + Grid View + Visualizzazione Griglia + + + Elf Viewer + Visualizzatore Elf + + + Game Install Directory + Cartella Installazione Giochi + + + Download Cheats/Patches + Scarica Trucchi/Patch + + + Dump Game List + Scarica Lista Giochi + + + PKG Viewer + Visualizzatore PKG + + + Search... + Cerca... + + + File + File + + + View + Visualizza + + + Game List Icons + Icone Lista Giochi + + + Game List Mode + Modalità Lista Giochi + + + Settings + Impostazioni + + + Utils + Utilità + + + Themes + Temi + + + Help + Aiuto + + + Dark + Scuro + + + Light + Chiaro + + + Green + Verde + + + Blue + Blu + + + Violet + Viola + + + toolBar + Barra strumenti + + + Game List + Elenco giochi + + + * Unsupported Vulkan Version + * Versione Vulkan non supportata + + + Download Cheats For All Installed Games + Scarica Trucchi per tutti i giochi installati + + + Download Patches For All Games + Scarica Patch per tutti i giochi + + + Download Complete + Download completato + + + You have downloaded cheats for all the games you have installed. + Hai scaricato trucchi per tutti i giochi installati. + + + Patches Downloaded Successfully! + Patch scaricate con successo! + + + All Patches available for all games have been downloaded. + Tutte le patch disponibili per tutti i giochi sono state scaricate. + + + Games: + Giochi: + + + ELF files (*.bin *.elf *.oelf) + File ELF (*.bin *.elf *.oelf) + + + Game Boot + Avvia Gioco + + + Only one file can be selected! + Si può selezionare solo un file! + + + PKG Extraction + Estrazione file PKG + + + Patch detected! + Patch rilevata! + + + PKG and Game versions match: + Le versioni di PKG e del Gioco corrispondono: + + + Would you like to overwrite? + Vuoi sovrascrivere? + + + PKG Version %1 is older than installed version: + La versione PKG %1 è più vecchia rispetto alla versione installata: + + + Game is installed: + Gioco installato: + + + Would you like to install Patch: + Vuoi installare la patch: + + + DLC Installation + Installazione DLC + + + Would you like to install DLC: %1? + Vuoi installare il DLC: %1? + + + DLC already installed: + DLC già installato: + + + Game already installed + Gioco già installato + + + PKG ERROR + ERRORE PKG + + + Extracting PKG %1/%2 + Estrazione file PKG %1/%2 + + + Extraction Finished + Estrazione Completata + + + Game successfully installed at %1 + Gioco installato correttamente in %1 + + + File doesn't appear to be a valid PKG file + Il file sembra non essere un file PKG valido + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Apri Cartella + + + Name + Nome + + + Serial + Seriale + + + Installed + + + + Size + Dimensione + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Regione + + + Flags + + + + Path + Percorso + + + File + File + + + PKG ERROR + ERRORE PKG + + + Unknown + Sconosciuto + + + Package + + + + + SettingsDialog + + Settings + Impostazioni + + + General + Generale + + + System + Sistema + + + Console Language + Lingua della console + + + Emulator Language + Lingua dell'emulatore + + + Emulator + Emulatore + + + Enable Fullscreen + Abilita Schermo Intero + + + Fullscreen Mode + Modalità Schermo Intero + + + Enable Separate Update Folder + Abilita Cartella Aggiornamenti Separata + + + Default tab when opening settings + Scheda predefinita all'apertura delle impostazioni + + + Show Game Size In List + Mostra la dimensione del gioco nell'elenco + + + Show Splash + Mostra Schermata Iniziale + + + Enable Discord Rich Presence + Abilita Discord Rich Presence + + + Username + Nome Utente + + + Trophy Key + Chiave Trofei + + + Trophy + Trofei + + + Logger + Logger + + + Log Type + Tipo di Log + + + Log Filter + Filtro Log + + + Open Log Location + Apri posizione del registro + + + Input + Input + + + Cursor + Cursore + + + Hide Cursor + Nascondi Cursore + + + Hide Cursor Idle Timeout + Timeout inattività per nascondere il cursore + + + s + s + + + Controller + Controller + + + Back Button Behavior + Comportamento del pulsante Indietro + + + Graphics + Grafica + + + GUI + Interfaccia + + + User + Utente + + + Graphics Device + Scheda Grafica + + + Width + Larghezza + + + Height + Altezza + + + Vblank Divider + Divisore Vblank + + + Advanced + Avanzate + + + Enable Shaders Dumping + Abilita Dump Shader + + + Enable NULL GPU + Abilita NULL GPU + + + Paths + Percorsi + + + Game Folders + Cartelle di gioco + + + Add... + Aggiungi... + + + Remove + Rimuovi + + + Debug + Debug + + + Enable Vulkan Validation Layers + Abilita Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Abilita Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Abilita RenderDoc Debugging + + + Enable Crash Diagnostics + Abilita Diagnostica Crash + + + Collect Shaders + Raccogli Shaders + + + Copy GPU Buffers + Copia Buffer GPU + + + Host Debug Markers + Marcatori di Debug dell'Host + + + Guest Debug Markers + Marcatori di Debug del Guest + + + Update + Aggiornamento + + + Check for Updates at Startup + Verifica aggiornamenti all’avvio + + + Always Show Changelog + Mostra sempre il changelog + + + Update Channel + Canale di Aggiornamento + + + Check for Updates + Controlla aggiornamenti + + + GUI Settings + Impostazioni GUI + + + Title Music + Musica del Titolo + + + Disable Trophy Pop-ups + Disabilita Notifica Trofei + + + Play title music + Riproduci musica del titolo + + + Update Compatibility Database On Startup + Aggiorna Database Compatibilità all'Avvio + + + Game Compatibility + Compatibilità Gioco + + + Display Compatibility Data + Mostra Dati Compatibilità + + + Update Compatibility Database + Aggiorna Database Compatibilità + + + Volume + Volume + + + Save + Salva + + + Apply + Applica + + + Restore Defaults + Ripristina Impostazioni Predefinite + + + Close + Chiudi + + + Point your mouse at an option to display its description. + Sposta il mouse su un'opzione per visualizzarne la descrizione. + + + consoleLanguageGroupBox + Lingua della Console:\nImposta la lingua utilizzata dal gioco PS4.\nÈ consigliabile impostare questa su una lingua supportata dal gioco, che può variare a seconda della regione. + + + emulatorLanguageGroupBox + Lingua dell'Emulatore:\nImposta la lingua dell'interfaccia utente dell'emulatore. + + + fullscreenCheckBox + Abilita Schermo Intero:\nMetti automaticamente la finestra di gioco in modalità schermo intero.\nQuesto può essere disattivato premendo il tasto F11. + + + separateUpdatesCheckBox + Abilita Cartella Aggiornamenti Separata:\nAbilita l'installazione degli aggiornamenti in una cartella separata per una più facile gestione. + + + showSplashCheckBox + Mostra Schermata di Avvio:\nMostra la schermata di avvio del gioco (un'immagine speciale) mentre il gioco si sta avviando. + + + discordRPCCheckbox + Abilita Discord Rich Presence:\nMostra l'icona dell'emulatore e informazioni pertinenti sul tuo profilo Discord. + + + userName + Nome Utente:\nImposta il nome utente dell'account PS4, che potrebbe essere visualizzato da alcuni giochi. + + + TrophyKey + Chiave Trofei:\nChiave utilizzata per la decrittazione dei trofei. Deve essere estratta dalla vostra console con jailbreak.\nDeve contenere solo caratteri esadecimali. + + + logTypeGroupBox + Tipo di Log:\nImposta se sincronizzare l'output della finestra di log per le prestazioni. Potrebbe avere effetti avversi sull'emulazione. + + + logFilter + Filtro Log:\nFiltra il log per stampare solo informazioni specifiche.\nEsempi: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Livelli: Trace, Debug, Info, Warning, Error, Critical - in questo ordine, un livello specifico silenzia tutti i livelli precedenti nell'elenco e registra ogni livello successivo. + + + updaterGroupBox + Aggiornamento:\nRelease: Versioni ufficiali rilasciate ogni mese che potrebbero essere molto datate, ma sono più affidabili e testate.\nNightly: Versioni di sviluppo che hanno tutte le ultime funzionalità e correzioni, ma potrebbero contenere bug e sono meno stabili. + + + GUIMusicGroupBox + Riproduci Musica del Titolo:\nSe un gioco lo supporta, attiva la riproduzione di musica speciale quando selezioni il gioco nell'interfaccia grafica. + + + disableTrophycheckBox + Disabilita Notifica Trofei:\nDisabilita notifiche in gioco dei trofei. Il progresso dei Trofei può ancora essere controllato con il Visualizzatore Trofei (clicca tasto destro sul gioco nella finestra principale). + + + hideCursorGroupBox + Nascondi cursore:\nScegli quando il cursore scomparirà:\nMai: Vedrai sempre il mouse.\nInattivo: Imposta un tempo per farlo scomparire dopo essere stato inattivo.\nSempre: non vedrai mai il mouse. + + + idleTimeoutGroupBox + Imposta un tempo affinché il mouse scompaia dopo essere stato inattivo. + + + backButtonBehaviorGroupBox + Comportamento del pulsante Indietro:\nImposta il pulsante Indietro del controller per emulare il tocco sulla posizione specificata sul touchpad PS4. + + + enableCompatibilityCheckBox + Mostra Dati Compatibilità:\nMostra informazioni sulla compatibilità del gioco nella visualizzazione lista. Abilita "Aggiorna Compatiblità all'Avvio" per ottenere informazioni aggiornate. + + + checkCompatibilityOnStartupCheckBox + Aggiorna Compatibilità all'Avvio:\nAggiorna automaticamente il database della compatibilità quando si avvia shadps4. + + + updateCompatibilityButton + Aggiorna Database Compatibilità:\nAggiorna immediatamente il database di compatibilità. + + + Never + Mai + + + Idle + Inattivo + + + Always + Sempre + + + Touchpad Left + Touchpad Sinistra + + + Touchpad Right + Touchpad Destra + + + Touchpad Center + Centro del Touchpad + + + None + Nessuno + + + graphicsAdapterGroupBox + Dispositivo Grafico:\nIn sistemi con più GPU, seleziona la GPU che l'emulatore utilizzerà dall'elenco a discesa,\no seleziona "Auto Select" per determinarlo automaticamente. + + + resolutionLayout + Larghezza/Altezza:\nImposta la dimensione della finestra dell'emulatore all'avvio, che può essere ridimensionata durante il gioco.\nQuesto è diverso dalla risoluzione in gioco. + + + heightDivider + Divisore Vblank:\nIl frame rate con cui l'emulatore si aggiorna viene moltiplicato per questo numero. Cambiare questo potrebbe avere effetti avversi, come aumentare la velocità del gioco o rompere funzionalità critiche del gioco che non si aspettano questa modifica! + + + dumpShadersCheckBox + Abilita Pompaggio Shader:\nPer scopi di debug tecnico, salva gli shader dei giochi in una cartella mentre vengono resi. + + + nullGpuCheckBox + Abilita GPU Null:\nPer scopi di debug tecnico, disabilita il rendering del gioco come se non ci fosse alcuna scheda grafica. + + + gameFoldersBox + Cartelle di Gioco:\nL'elenco delle cartelle da controllare per i giochi installati. + + + addFolderButton + Aggiungi:\nAggiungi una cartella all'elenco. + + + removeFolderButton + Rimuovi:\nRimuovi una cartella dall'elenco. + + + debugDump + Abilita Pompaggio di Debug:\nSalva i simboli di importazione ed esportazione e le informazioni sull'intestazione del file del programma PS4 attualmente in esecuzione in una directory. + + + vkValidationCheckBox + Abilita Strati di Validazione Vulkan:\nAbilita un sistema che convalida lo stato del renderer Vulkan e registra informazioni sul suo stato interno. Ciò ridurrà le prestazioni e probabilmente cambierà il comportamento dell'emulazione. + + + vkSyncValidationCheckBox + Abilita Validazione della Sincronizzazione Vulkan:\nAbilita un sistema che convalida il timing delle attività di rendering Vulkan. Ciò ridurrà le prestazioni e probabilmente cambierà il comportamento dell'emulazione. + + + rdocCheckBox + Abilita Debugging RenderDoc:\nSe abilitato, l'emulatore fornirà compatibilità con Renderdoc per consentire la cattura e l'analisi del frame attualmente reso. + + + collectShaderCheckBox + Raccogli Shader:\nBisogna attivare questa opzione per poter modificare gli shader nel menu di debug (Ctrl + F10). + + + crashDiagnosticsCheckBox + Diagnostica Crash:\nCrea un file .yaml che contiene informazioni riguardo lo stato del renderer Vulkan nel momento in cui si verifica un crash.\nUtile per poter effettuare il debug degli errori di tipo "Device Lost". Se hai questa opzione attiva dovresti abilitare anche Marcatori di Debug Host e Guest.\nNon è funzionante su GPU Intel.\nVulkan Validation Layers deve essere abilitato e bisogna aver installato l'SDK Vulkan per poter utilizzare questa funzione. + + + copyGPUBuffersCheckBox + Copia Buffer GPU:\nCerca di aggirare le race conditions che riguardano gli invii alla GPU.\nPotrebbe aiutare ad evitare crash che riguardano i PM4 di tipo 0. + + + hostMarkersCheckBox + Marcatori di Debug dell'Host:\nInserisce nel log informazioni ottenute dall'emulatore come ad esempio marcatori per comandi specifici AMDGPU quando si hanno comandi Vulkan e associa nomi di debug per le risorse.\nSe hai questa opzione abilitata dovresti abilitare anche Diagnostica Crash.\nUtile per programmi come RenderDoc. + + + guestMarkersCheckBox + Marcatori di Debug del Guest:\nInserisce nel log marcatori di debug che il gioco stesso ha aggiunto al buffer dei comandi.\nSe hai abilitato questa opzione dovresti abilitare anche Diagnostica Crash.\nUtile per programmi come RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Sfoglia + + + Enable Debug Dumping + + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Cartella di installazione dei giochi + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Visualizzatore Trofei + + + diff --git a/src/qt_gui/translations/ja_JP.ts b/src/qt_gui/translations/ja_JP.ts index cca2f1005..73c9d736c 100644 --- a/src/qt_gui/translations/ja_JP.ts +++ b/src/qt_gui/translations/ja_JP.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - shadPS4について - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4は、PlayStation 4の実験的なオープンソースエミュレーターです。 - - - This software should not be used to play games you have not legally obtained. - 非正規、非合法のゲームをプレイするためにこのソフトウェアを使用しないでください。 - - - - ElfViewer - - Open Folder - フォルダを開く - - - - GameInfoClass - - Loading game list, please wait :3 - ゲームリストを読み込み中です。しばらくお待ちください :3 - - - Cancel - キャンセル - - - Loading... - 読み込み中... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - ディレクトリを選択 - - - Select which directory you want to install to. - インストール先のディレクトリを選択してください。 - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - ディレクトリを選択 - - - Directory to install games - ゲームをインストールするディレクトリ - - - Browse - 参照 - - - Error - エラー - - - The value for location to install games is not valid. - ゲームのインストール場所が無効です。 - - - - GuiContextMenus - - Create Shortcut - ショートカットを作成 - - - Cheats / Patches - チート / パッチ - - - SFO Viewer - SFOビューワー - - - Trophy Viewer - トロフィービューワー - - - Open Folder... - フォルダを開く... - - - Open Game Folder - ゲームフォルダを開く - - - Open Save Data Folder - セーブデータフォルダを開く - - - Open Log Folder - ログフォルダを開く - - - Copy info... - 情報をコピー... - - - Copy Name - 名前をコピー - - - Copy Serial - シリアルをコピー - - - Copy All - すべてコピー - - - Delete... - 削除... - - - Delete Game - ゲームを削除 - - - Delete Update - アップデートを削除 - - - Delete DLC - DLCを削除 - - - Compatibility... - 互換性... - - - Update database - データベースを更新 - - - View report - レポートを表示 - - - Submit a report - レポートを送信 - - - Shortcut creation - ショートカットの作成 - - - Shortcut created successfully! - ショートカットが正常に作成されました! - - - Error - エラー - - - Error creating shortcut! - ショートカットの作成に失敗しました! - - - Install PKG - PKGをインストール - - - Game - ゲーム - - - requiresEnableSeparateUpdateFolder_MSG - この機能を利用するには、 'アップデートフォルダの分離を有効化' を有効化する必要があります。 - - - This game has no update to delete! - このゲームにはアップデートがないため削除することができません! - - - Update - アップデート - - - This game has no DLC to delete! - このゲームにはDLCがないため削除することができません! - - - DLC - DLC - - - Delete %1 - %1 を削除 - - - Are you sure you want to delete %1's %2 directory? - %1 の %2 ディレクトリを本当に削除しますか? - - - - MainWindow - - Open/Add Elf Folder - Elfフォルダを開く/追加する - - - Install Packages (PKG) - パッケージをインストール (PKG) - - - Boot Game - ゲームを起動 - - - Check for Updates - 更新を確認する - - - About shadPS4 - shadPS4について - - - Configure... - 設定... - - - Install application from a .pkg file - .pkgファイルからアプリケーションをインストール - - - Recent Games - 最近プレイしたゲーム - - - Open shadPS4 Folder - shadPS4フォルダを開く - - - Exit - 終了 - - - Exit shadPS4 - shadPS4を終了 - - - Exit the application. - アプリケーションを終了します。 - - - Show Game List - ゲームリストを表示 - - - Game List Refresh - ゲームリストの更新 - - - Tiny - 最小 - - - Small - - - - Medium - - - - Large - - - - List View - リストビュー - - - Grid View - グリッドビュー - - - Elf Viewer - Elfビューアー - - - Game Install Directory - ゲームインストールディレクトリ - - - Download Cheats/Patches - チート / パッチをダウンロード - - - Dump Game List - ゲームリストをダンプ - - - PKG Viewer - PKGビューアー - - - Search... - 検索... - - - File - ファイル - - - View - 表示 - - - Game List Icons - ゲームリストアイコン - - - Game List Mode - ゲームリストモード - - - Settings - 設定 - - - Utils - ユーティリティ - - - Themes - テーマ - - - Help - ヘルプ - - - Dark - ダーク - - - Light - ライト - - - Green - グリーン - - - Blue - ブルー - - - Violet - バイオレット - - - toolBar - ツールバー - - - Game List - ゲームリスト - - - * Unsupported Vulkan Version - * サポートされていないVulkanバージョン - - - Download Cheats For All Installed Games - すべてのインストール済みゲームのチートをダウンロード - - - Download Patches For All Games - すべてのゲームのパッチをダウンロード - - - Download Complete - ダウンロード完了 - - - You have downloaded cheats for all the games you have installed. - インストールされているすべてのゲームのチートをダウンロードしました。 - - - Patches Downloaded Successfully! - パッチが正常にダウンロードされました! - - - All Patches available for all games have been downloaded. - すべてのゲームに利用可能なパッチがダウンロードされました。 - - - Games: - ゲーム: - - - PKG File (*.PKG) - PKGファイル (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELFファイル (*.bin *.elf *.oelf) - - - Game Boot - ゲームブート - - - Only one file can be selected! - 1つのファイルしか選択できません! - - - PKG Extraction - PKGの抽出 - - - Patch detected! - パッチが検出されました! - - - PKG and Game versions match: - PKGとゲームのバージョンが一致しています: - - - Would you like to overwrite? - 上書きしてもよろしいですか? - - - PKG Version %1 is older than installed version: - PKGバージョン %1 はインストールされているバージョンよりも古いです: - - - Game is installed: - ゲームはインストール済みです: - - - Would you like to install Patch: - パッチをインストールしてもよろしいですか: - - - DLC Installation - DLCのインストール - - - Would you like to install DLC: %1? - DLCをインストールしてもよろしいですか: %1? - - - DLC already installed: - DLCはすでにインストールされています: - - - Game already installed - ゲームはすでにインストールされています - - - PKG is a patch, please install the game first! - PKGはパッチです。ゲームを先にインストールしてください! - - - PKG ERROR - PKGエラー - - - Extracting PKG %1/%2 - PKGを抽出中 %1/%2 - - - Extraction Finished - 抽出完了 - - - Game successfully installed at %1 - ゲームが %1 に正常にインストールされました - - - File doesn't appear to be a valid PKG file - ファイルが有効なPKGファイルでないようです - - - - PKGViewer - - Open Folder - フォルダーを開く - - - - TrophyViewer - - Trophy Viewer - トロフィービューアー - - - - SettingsDialog - - Settings - 設定 - - - General - 一般 - - - System - システム - - - Console Language - コンソールの言語 - - - Emulator Language - エミュレーターの言語 - - - Emulator - エミュレーター - - - Enable Fullscreen - フルスクリーンを有効にする - - - Fullscreen Mode - 全画面モード - - - Enable Separate Update Folder - アップデートフォルダの分離を有効化 - - - Default tab when opening settings - 設定を開くときのデフォルトタブ - - - Show Game Size In List - ゲームサイズをリストに表示 - - - Show Splash - スプラッシュ画面を表示する - - - Is PS4 Pro - PS4 Proモード - - - Enable Discord Rich Presence - Discord Rich Presenceを有効にする - - - Username - ユーザー名 - - - Trophy Key - トロフィーキー - - - Trophy - トロフィー - - - Logger - ロガー - - - Log Type - ログタイプ - - - Log Filter - ログフィルター - - - Open Log Location - ログの場所を開く - - - Input - 入力 - - - Cursor - カーソル - - - Hide Cursor - カーソルを隠す - - - Hide Cursor Idle Timeout - カーソルを隠すまでの非アクティブ期間 - - - s - s - - - Controller - コントローラー - - - Back Button Behavior - 戻るボタンの動作 - - - Graphics - グラフィックス - - - GUI - インターフェース - - - User - ユーザー - - - Graphics Device - グラフィックスデバイス - - - Width - - - - Height - 高さ - - - Vblank Divider - Vblankディバイダー - - - Advanced - 高度な設定 - - - Enable Shaders Dumping - シェーダーのダンプを有効にする - - - Enable NULL GPU - NULL GPUを有効にする - - - Paths - パス - - - Game Folders - ゲームフォルダ - - - Add... - 追加... - - - Remove - 削除 - - - Debug - デバッグ - - - Enable Debug Dumping - デバッグダンプを有効にする - - - Enable Vulkan Validation Layers - Vulkan検証レイヤーを有効にする - - - Enable Vulkan Synchronization Validation - Vulkan同期検証を有効にする - - - Enable RenderDoc Debugging - RenderDocデバッグを有効にする - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - 更新 - - - Check for Updates at Startup - 起動時に更新確認 - - - Always Show Changelog - 常に変更履歴を表示 - - - Update Channel - アップデートチャネル - - - Check for Updates - 更新を確認 - - - GUI Settings - GUI設定 - - - Title Music - Title Music - - - Disable Trophy Pop-ups - トロフィーのポップアップを無効化 - - - Play title music - タイトル音楽を再生する - - - Update Compatibility Database On Startup - 起動時に互換性データベースを更新する - - - Game Compatibility - ゲームの互換性 - - - Display Compatibility Data - 互換性に関するデータを表示 - - - Update Compatibility Database - 互換性データベースを更新 - - - Volume - 音量 - - - Audio Backend - オーディオ バックエンド - - - Save - 保存 - - - Apply - 適用 - - - Restore Defaults - デフォルトに戻す - - - Close - 閉じる - - - Point your mouse at an option to display its description. - 設定項目にマウスをホバーすると、説明が表示されます。 - - - consoleLanguageGroupBox - コンソールの言語:\nPS4ゲームが使用する言語を設定します。\nゲームでサポートされている言語に設定することをお勧めしますが、地域によって異なる場合があります。 - - - emulatorLanguageGroupBox - エミュレーターの言語:\nエミュレーターのユーザーインターフェースの言語を設定します。 - - - fullscreenCheckBox - 全画面モードを有効にする:\nゲームウィンドウを自動的に全画面モードにします。\nF11キーを押すことで切り替えることができます。 - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nゲームのアップデートを別のフォルダにインストールすることで、管理が容易になります。 - - - showSplashCheckBox - スプラッシュスクリーンを表示:\nゲーム起動中にゲームのスプラッシュスクリーン(特別な画像)を表示します。 - - - ps4proCheckBox - PS4 Pro モード:\nエミュレーターがPS4 PROとして動作するようになり、PS4 PROをサポートする一部のゲームで特別な機能が有効化される場合があります。 - - - discordRPCCheckbox - Discord Rich Presenceを有効にする:\nエミュレーターのアイコンと関連情報をDiscordプロフィールに表示します。 - - - userName - ユーザー名:\nPS4のアカウントユーザー名を設定します。これは、一部のゲームで表示される場合があります。 - - - TrophyKey - トロフィーキー:\nトロフィーの復号に使用されるキーです。脱獄済みのコンソールから取得することができます。\n16進数のみを受け入れます。 - - - logTypeGroupBox - ログタイプ:\nパフォーマンスのためにログウィンドウの出力を同期させるかどうかを設定します。エミュレーションに悪影響を及ぼす可能性があります。 - - - logFilter - ログフィルター:\n特定の情報のみを印刷するようにログをフィルタリングします。\n例: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" \nレベル: Trace, Debug, Info, Warning, Error, Critical - レベルはこの並び通りに処理され、指定されたレベルより前のレベル ログを抑制し、それ以外のすべてのレベルをログに記録します。 - - - updaterGroupBox - 更新:\nRelease: 最新の機能を利用できない可能性がありますが、より信頼性が高くテストされた公式バージョンが毎月リリースされます。\nNightly: 最新の機能と修正がすべて含まれていますが、バグが含まれている可能性があり、安定性は低いです。 - - - GUIMusicGroupBox - タイトルミュージックを再生:\nゲームでサポートされている場合に、GUIでゲームを選択したときに特別な音楽を再生する機能を有効にします。 - - - disableTrophycheckBox - トロフィーのポップアップを無効化:\nゲーム内でのトロフィー通知を無効化します。 トロフィーの進行状況は、トロフィービューアーを使用して確認できます。(メインウィンドウでゲームを右クリック) - - - hideCursorGroupBox - カーソルを隠す:\nカーソルが消えるタイミングを選択してください:\n無効: 常にカーソルが表示されます。\n非アクティブ時: カーソルの非アクティブ期間が指定した時間を超えた場合にカーソルを隠します。\n常に: カーソルは常に隠れた状態になります。 - - - idleTimeoutGroupBox - カーソルが非アクティブになってから隠すまでの時間を設定します。 - - - backButtonBehaviorGroupBox - 戻るボタンの動作:\nコントローラーの戻るボタンを、PS4のタッチパッドの指定された位置をタッチするように設定します。 - - - enableCompatibilityCheckBox - 互換性に関するデータを表示:\nゲームの互換性に関する情報を表として表示します。常に最新情報を取得したい場合、"起動時に互換性データベースを更新する" を有効化してください。 - - - checkCompatibilityOnStartupCheckBox - 起動時に互換性データベースを更新する:\nshadPS4の起動時に自動で互換性データベースを更新します。 - - - updateCompatibilityButton - 互換性データベースを更新する:\n今すぐ互換性データベースを更新します。 - - - Never - 無効 - - - Idle - 非アクティブ時 - - - Always - 常に - - - Touchpad Left - 左タッチパッド - - - Touchpad Right - 右タッチパッド - - - Touchpad Center - タッチパッド中央 - - - None - なし - - - graphicsAdapterGroupBox - グラフィックデバイス:\nシステムに複数のGPUが搭載されている場合、ドロップダウンリストからエミュレーターで使用するGPUを選択するか、\n「自動選択」を選択して自動的に決定します。 - - - resolutionLayout - 幅/高さ:\n起動時にエミュレーターウィンドウのサイズを設定します。ゲーム中でもサイズを変更することができます。\nこれはゲーム内の解像度とは異なります。 - - - heightDivider - Vblankディバイダー:\nエミュレーターが更新されるフレームレートにこの数を掛けます。これを変更すると、ゲームの速度が上がったり、想定外の変更がある場合、ゲームの重要な機能が壊れる可能性があります! - - - dumpShadersCheckBox - シェーダーダンプを有効にする:\n技術的なデバッグの目的で、レンダリング中にゲームのシェーダーをフォルダーに保存します。 - - - nullGpuCheckBox - Null GPUを有効にする:\n技術的なデバッグの目的で、グラフィックスカードがないかのようにゲームのレンダリングを無効にします。 - - - gameFoldersBox - ゲームフォルダ:\nインストールされたゲームを確認するためのフォルダのリスト。 - - - addFolderButton - 追加:\nリストにフォルダを追加します。 - - - removeFolderButton - 削除:\nリストからフォルダを削除します。 - - - debugDump - デバッグダンプを有効にする:\n現在実行中のPS4プログラムのインポートおよびエクスポートシンボルとファイルヘッダー情報をディレクトリに保存します。 - - - vkValidationCheckBox - Vulkanバリデーションレイヤーを有効にする:\nVulkanのレンダリングステータスを検証し、内部状態に関する情報をログに記録するシステムを有効にします。これによりパフォーマンスが低下し、エミュレーションの動作が変わる可能性があります。 - - - vkSyncValidationCheckBox - Vulkan同期バリデーションを有効にする:\nVulkanのレンダリングタスクのタイミングを検証するシステムを有効にします。これによりパフォーマンスが低下し、エミュレーションの動作が変わる可能性があります。 - - - rdocCheckBox - RenderDocデバッグを有効にする:\n有効にすると、エミュレーターはRenderdocとの互換性を提供し、現在レンダリング中のフレームのキャプチャと分析を可能にします。 - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - のチート/パッチ - - - defaultTextEdit_MSG - チート/パッチは実験的です。\n使用には注意してください。\n\nリポジトリを選択し、ダウンロードボタンをクリックしてチートを個別にダウンロードします。\n「Patches」タブでは、すべてのパッチを一度にダウンロードし、使用したいものを選択して選択を保存できます。\n\nチート/パッチは開発を行っていないため、\n問題があればチートの作者に報告してください。\n\n新しいチートを作成しましたか?\nhttps://github.com/shadps4-emu/ps4_cheats を訪問してください。 - - - No Image Available - 画像は利用できません - - - Serial: - シリアル: - - - Version: - バージョン: - - - Size: - サイズ: - - - Select Cheat File: - チートファイルを選択: - - - Repository: - リポジトリ: - - - Download Cheats - チートをダウンロード - - - Delete File - ファイルを削除 - - - No files selected. - ファイルが選択されていません。 - - - You can delete the cheats you don't want after downloading them. - ダウンロード後に不要なチートを削除できます。 - - - Do you want to delete the selected file?\n%1 - 選択したファイルを削除しますか?\n%1 - - - Select Patch File: - パッチファイルを選択: - - - Download Patches - パッチをダウンロード - - - Save - 保存 - - - Cheats - チート - - - Patches - パッチ - - - Error - エラー - - - No patch selected. - パッチが選択されていません。 - - - Unable to open files.json for reading. - files.jsonを読み取りのために開く事が出来ませんでした。 - - - No patch file found for the current serial. - 現在のシリアルに対するパッチファイルが見つかりません。 - - - Unable to open the file for reading. - ファイルを読み取りのために開く事が出来ませんでした。 - - - Unable to open the file for writing. - ファイルをを書き込みのために開く事が出来ませんでした。 - - - Failed to parse XML: - XMLの解析に失敗しました: - - - Success - 成功 - - - Options saved successfully. - オプションが正常に保存されました。 - - - Invalid Source - 無効なソース - - - The selected source is invalid. - 選択されたソースは無効です。 - - - File Exists - ファイルが存在します - - - File already exists. Do you want to replace it? - ファイルはすでに存在します。置き換えますか? - - - Failed to save file: - ファイルの保存に失敗しました: - - - Failed to download file: - ファイルのダウンロードに失敗しました: - - - Cheats Not Found - チートが見つかりません - - - CheatsNotFound_MSG - このゲームのこのバージョンのチートが選択されたリポジトリに見つかりませんでした。別のリポジトリまたはゲームの別のバージョンを試してください。 - - - Cheats Downloaded Successfully - チートが正常にダウンロードされました - - - CheatsDownloadedSuccessfully_MSG - このゲームのこのバージョンのチートをリポジトリから正常にダウンロードしました。 別のリポジトリからのダウンロードも試せます。利用可能であれば、リストからファイルを選択して使用することも可能です。 - - - Failed to save: - 保存に失敗しました: - - - Failed to download: - ダウンロードに失敗しました: - - - Download Complete - ダウンロード完了 - - - DownloadComplete_MSG - パッチが正常にダウンロードされました! すべてのゲームに利用可能なパッチがダウンロードされました。チートとは異なり、各ゲームごとに個別にダウンロードする必要はありません。 パッチが表示されない場合、特定のシリアル番号とバージョンのゲームには存在しない可能性があります。 - - - Failed to parse JSON data from HTML. - HTMLからJSONデータの解析に失敗しました。 - - - Failed to retrieve HTML page. - HTMLページの取得に失敗しました。 - - - The game is in version: %1 - ゲームのバージョン: %1 - - - The downloaded patch only works on version: %1 - ダウンロードしたパッチはバージョン: %1 のみ機能します - - - You may need to update your game. - ゲームを更新する必要があるかもしれません。 - - - Incompatibility Notice - 互換性のない通知 - - - Failed to open file: - ファイルを開くのに失敗しました: - - - XML ERROR: - XMLエラー: - - - Failed to open files.json for writing - files.jsonを読み取りのために開く事が出来ませんでした。 - - - Author: - 著者: - - - Directory does not exist: - ディレクトリが存在しません: - - - Failed to open files.json for reading. - files.jsonを読み取りのために開く事が出来ませんでした。 - - - Name: - 名前: - - - Can't apply cheats before the game is started - ゲームが開始される前にチートを適用することはできません。 - - - - GameListFrame - - Icon - アイコン - - - Name - 名前 - - - Serial - シリアル - - - Compatibility - Compatibility - - - Region - 地域 - - - Firmware - ファームウェア - - - Size - サイズ - - - Version - バージョン - - - Path - パス - - - Play Time - プレイ時間 - - - Never Played - 未プレイ - - - h - 時間 - - - m - - - - s - - - - Compatibility is untested - 互換性は未検証です - - - Game does not initialize properly / crashes the emulator - ゲームが正常に初期化されない/エミュレーターがクラッシュする - - - Game boots, but only displays a blank screen - ゲームは起動しますが、空のスクリーンが表示されます - - - Game displays an image but does not go past the menu - 正常にゲーム画面が表示されますが、メニューから先に進むことができません - - - Game has game-breaking glitches or unplayable performance - ゲームを壊すような不具合や、プレイが不可能なほどのパフォーマンスの問題があります - - - Game can be completed with playable performance and no major glitches - パフォーマンスに問題はなく、大きな不具合なしでゲームをプレイすることができます - - - Click to see details on github - 詳細を見るにはGitHubをクリックしてください - - - Last updated - 最終更新 - - - - CheckUpdate - - Auto Updater - 自動アップデーター - - - Error - エラー - - - Network error: - ネットワークエラー: - - - Error_Github_limit_MSG - 自動アップデーターは1時間に最大60回の更新チェックを許可します。\nこの制限に達しました。後でもう一度お試しください。 - - - Failed to parse update information. - アップデート情報の解析に失敗しました。 - - - No pre-releases found. - プレリリースは見つかりませんでした。 - - - Invalid release data. - リリースデータが無効です。 - - - No download URL found for the specified asset. - 指定されたアセットのダウンロードURLが見つかりませんでした。 - - - Your version is already up to date! - あなたのバージョンはすでに最新です! - - - Update Available - アップデートがあります - - - Update Channel - アップデートチャネル - - - Current Version - 現在のバージョン - - - Latest Version - 最新バージョン - - - Do you want to update? - アップデートしますか? - - - Show Changelog - 変更ログを表示 - - - Check for Updates at Startup - 起動時に更新確認 - - - Update - アップデート - - - No - いいえ - - - Hide Changelog - 変更ログを隠す - - - Changes - 変更点 - - - Network error occurred while trying to access the URL - URLにアクセス中にネットワークエラーが発生しました - - - Download Complete - ダウンロード完了 - - - The update has been downloaded, press OK to install. - アップデートがダウンロードされました。インストールするにはOKを押してください。 - - - Failed to save the update file at - 更新ファイルの保存に失敗しました - - - Starting Update... - アップデートを開始しています... - - - Failed to create the update script file - アップデートスクリプトファイルの作成に失敗しました - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - 互換性データを取得しています。少々お待ちください。 - - - Cancel - キャンセル - - - Loading... - 読み込み中... - - - Error - エラー - - - Unable to update compatibility data! Try again later. - 互換性データを更新できませんでした!後で再試行してください。 - - - Unable to open compatibility_data.json for writing. - compatibility_data.jsonを開いて書き込むことができませんでした。 - - - Unknown - 不明 - - - Nothing - 何もない - - - Boots - ブーツ - - - Menus - メニュー - - - Ingame - ゲーム内 - - - Playable - プレイ可能 - - + + AboutDialog + + About shadPS4 + shadPS4について + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4は、PlayStation 4の実験的なオープンソースエミュレーターです。 + + + This software should not be used to play games you have not legally obtained. + 非正規、非合法のゲームをプレイするためにこのソフトウェアを使用しないでください。 + + + + CheatsPatches + + Cheats / Patches for + のチート/パッチ + + + defaultTextEdit_MSG + チート/パッチは実験的です。\n使用には注意してください。\n\nリポジトリを選択し、ダウンロードボタンをクリックしてチートを個別にダウンロードします。\n「Patches」タブでは、すべてのパッチを一度にダウンロードし、使用したいものを選択して選択を保存できます。\n\nチート/パッチは開発を行っていないため、\n問題があればチートの作者に報告してください。\n\n新しいチートを作成しましたか?\nhttps://github.com/shadps4-emu/ps4_cheats を訪問してください。 + + + No Image Available + 画像は利用できません + + + Serial: + シリアル: + + + Version: + バージョン: + + + Size: + サイズ: + + + Select Cheat File: + チートファイルを選択: + + + Repository: + リポジトリ: + + + Download Cheats + チートをダウンロード + + + Delete File + ファイルを削除 + + + No files selected. + ファイルが選択されていません。 + + + You can delete the cheats you don't want after downloading them. + ダウンロード後に不要なチートを削除できます。 + + + Do you want to delete the selected file?\n%1 + 選択したファイルを削除しますか?\n%1 + + + Select Patch File: + パッチファイルを選択: + + + Download Patches + パッチをダウンロード + + + Save + 保存 + + + Cheats + チート + + + Patches + パッチ + + + Error + エラー + + + No patch selected. + パッチが選択されていません。 + + + Unable to open files.json for reading. + files.jsonを読み取りのために開く事が出来ませんでした。 + + + No patch file found for the current serial. + 現在のシリアルに対するパッチファイルが見つかりません。 + + + Unable to open the file for reading. + ファイルを読み取りのために開く事が出来ませんでした。 + + + Unable to open the file for writing. + ファイルをを書き込みのために開く事が出来ませんでした。 + + + Failed to parse XML: + XMLの解析に失敗しました: + + + Success + 成功 + + + Options saved successfully. + オプションが正常に保存されました。 + + + Invalid Source + 無効なソース + + + The selected source is invalid. + 選択されたソースは無効です。 + + + File Exists + ファイルが存在します + + + File already exists. Do you want to replace it? + ファイルはすでに存在します。置き換えますか? + + + Failed to save file: + ファイルの保存に失敗しました: + + + Failed to download file: + ファイルのダウンロードに失敗しました: + + + Cheats Not Found + チートが見つかりません + + + CheatsNotFound_MSG + このゲームのこのバージョンのチートが選択されたリポジトリに見つかりませんでした。別のリポジトリまたはゲームの別のバージョンを試してください。 + + + Cheats Downloaded Successfully + チートが正常にダウンロードされました + + + CheatsDownloadedSuccessfully_MSG + このゲームのこのバージョンのチートをリポジトリから正常にダウンロードしました。 別のリポジトリからのダウンロードも試せます。利用可能であれば、リストからファイルを選択して使用することも可能です。 + + + Failed to save: + 保存に失敗しました: + + + Failed to download: + ダウンロードに失敗しました: + + + Download Complete + ダウンロード完了 + + + DownloadComplete_MSG + パッチが正常にダウンロードされました! すべてのゲームに利用可能なパッチがダウンロードされました。チートとは異なり、各ゲームごとに個別にダウンロードする必要はありません。 パッチが表示されない場合、特定のシリアル番号とバージョンのゲームには存在しない可能性があります。 + + + Failed to parse JSON data from HTML. + HTMLからJSONデータの解析に失敗しました。 + + + Failed to retrieve HTML page. + HTMLページの取得に失敗しました。 + + + The game is in version: %1 + ゲームのバージョン: %1 + + + The downloaded patch only works on version: %1 + ダウンロードしたパッチはバージョン: %1 のみ機能します + + + You may need to update your game. + ゲームを更新する必要があるかもしれません。 + + + Incompatibility Notice + 互換性のない通知 + + + Failed to open file: + ファイルを開くのに失敗しました: + + + XML ERROR: + XMLエラー: + + + Failed to open files.json for writing + files.jsonを読み取りのために開く事が出来ませんでした。 + + + Author: + 著者: + + + Directory does not exist: + ディレクトリが存在しません: + + + Failed to open files.json for reading. + files.jsonを読み取りのために開く事が出来ませんでした。 + + + Name: + 名前: + + + Can't apply cheats before the game is started + ゲームが開始される前にチートを適用することはできません。 + + + Close + 閉じる + + + + CheckUpdate + + Auto Updater + 自動アップデーター + + + Error + エラー + + + Network error: + ネットワークエラー: + + + Error_Github_limit_MSG + 自動アップデーターは1時間に最大60回の更新チェックを許可します。\nこの制限に達しました。後でもう一度お試しください。 + + + Failed to parse update information. + アップデート情報の解析に失敗しました。 + + + No pre-releases found. + プレリリースは見つかりませんでした。 + + + Invalid release data. + リリースデータが無効です。 + + + No download URL found for the specified asset. + 指定されたアセットのダウンロードURLが見つかりませんでした。 + + + Your version is already up to date! + あなたのバージョンはすでに最新です! + + + Update Available + アップデートがあります + + + Update Channel + アップデートチャネル + + + Current Version + 現在のバージョン + + + Latest Version + 最新バージョン + + + Do you want to update? + アップデートしますか? + + + Show Changelog + 変更ログを表示 + + + Check for Updates at Startup + 起動時に更新確認 + + + Update + アップデート + + + No + いいえ + + + Hide Changelog + 変更ログを隠す + + + Changes + 変更点 + + + Network error occurred while trying to access the URL + URLにアクセス中にネットワークエラーが発生しました + + + Download Complete + ダウンロード完了 + + + The update has been downloaded, press OK to install. + アップデートがダウンロードされました。インストールするにはOKを押してください。 + + + Failed to save the update file at + 更新ファイルの保存に失敗しました + + + Starting Update... + アップデートを開始しています... + + + Failed to create the update script file + アップデートスクリプトファイルの作成に失敗しました + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + 互換性データを取得しています。少々お待ちください。 + + + Cancel + キャンセル + + + Loading... + 読み込み中... + + + Error + エラー + + + Unable to update compatibility data! Try again later. + 互換性データを更新できませんでした!後で再試行してください。 + + + Unable to open compatibility_data.json for writing. + compatibility_data.jsonを開いて書き込むことができませんでした。 + + + Unknown + 不明 + + + Nothing + 何もない + + + Boots + ブーツ + + + Menus + メニュー + + + Ingame + ゲーム内 + + + Playable + プレイ可能 + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + フォルダを開く + + + + GameInfoClass + + Loading game list, please wait :3 + ゲームリストを読み込み中です。しばらくお待ちください :3 + + + Cancel + キャンセル + + + Loading... + 読み込み中... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - ディレクトリを選択 + + + Directory to install games + ゲームをインストールするディレクトリ + + + Browse + 参照 + + + Error + エラー + + + Directory to install DLC + + + + + GameListFrame + + Icon + アイコン + + + Name + 名前 + + + Serial + シリアル + + + Compatibility + Compatibility + + + Region + 地域 + + + Firmware + ファームウェア + + + Size + サイズ + + + Version + バージョン + + + Path + パス + + + Play Time + プレイ時間 + + + Never Played + 未プレイ + + + h + 時間 + + + m + + + + s + + + + Compatibility is untested + 互換性は未検証です + + + Game does not initialize properly / crashes the emulator + ゲームが正常に初期化されない/エミュレーターがクラッシュする + + + Game boots, but only displays a blank screen + ゲームは起動しますが、空のスクリーンが表示されます + + + Game displays an image but does not go past the menu + 正常にゲーム画面が表示されますが、メニューから先に進むことができません + + + Game has game-breaking glitches or unplayable performance + ゲームを壊すような不具合や、プレイが不可能なほどのパフォーマンスの問題があります + + + Game can be completed with playable performance and no major glitches + パフォーマンスに問題はなく、大きな不具合なしでゲームをプレイすることができます + + + Click to see details on github + 詳細を見るにはGitHubをクリックしてください + + + Last updated + 最終更新 + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + ショートカットを作成 + + + Cheats / Patches + チート / パッチ + + + SFO Viewer + SFOビューワー + + + Trophy Viewer + トロフィービューワー + + + Open Folder... + フォルダを開く... + + + Open Game Folder + ゲームフォルダを開く + + + Open Save Data Folder + セーブデータフォルダを開く + + + Open Log Folder + ログフォルダを開く + + + Copy info... + 情報をコピー... + + + Copy Name + 名前をコピー + + + Copy Serial + シリアルをコピー + + + Copy All + すべてコピー + + + Delete... + 削除... + + + Delete Game + ゲームを削除 + + + Delete Update + アップデートを削除 + + + Delete DLC + DLCを削除 + + + Compatibility... + 互換性... + + + Update database + データベースを更新 + + + View report + レポートを表示 + + + Submit a report + レポートを送信 + + + Shortcut creation + ショートカットの作成 + + + Shortcut created successfully! + ショートカットが正常に作成されました! + + + Error + エラー + + + Error creating shortcut! + ショートカットの作成に失敗しました! + + + Install PKG + PKGをインストール + + + Game + ゲーム + + + This game has no update to delete! + このゲームにはアップデートがないため削除することができません! + + + Update + アップデート + + + This game has no DLC to delete! + このゲームにはDLCがないため削除することができません! + + + DLC + DLC + + + Delete %1 + %1 を削除 + + + Are you sure you want to delete %1's %2 directory? + %1 の %2 ディレクトリを本当に削除しますか? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - ディレクトリを選択 + + + Select which directory you want to install to. + インストール先のディレクトリを選択してください。 + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Elfフォルダを開く/追加する + + + Install Packages (PKG) + パッケージをインストール (PKG) + + + Boot Game + ゲームを起動 + + + Check for Updates + 更新を確認する + + + About shadPS4 + shadPS4について + + + Configure... + 設定... + + + Install application from a .pkg file + .pkgファイルからアプリケーションをインストール + + + Recent Games + 最近プレイしたゲーム + + + Open shadPS4 Folder + shadPS4フォルダを開く + + + Exit + 終了 + + + Exit shadPS4 + shadPS4を終了 + + + Exit the application. + アプリケーションを終了します。 + + + Show Game List + ゲームリストを表示 + + + Game List Refresh + ゲームリストの更新 + + + Tiny + 最小 + + + Small + + + + Medium + + + + Large + + + + List View + リストビュー + + + Grid View + グリッドビュー + + + Elf Viewer + Elfビューアー + + + Game Install Directory + ゲームインストールディレクトリ + + + Download Cheats/Patches + チート / パッチをダウンロード + + + Dump Game List + ゲームリストをダンプ + + + PKG Viewer + PKGビューアー + + + Search... + 検索... + + + File + ファイル + + + View + 表示 + + + Game List Icons + ゲームリストアイコン + + + Game List Mode + ゲームリストモード + + + Settings + 設定 + + + Utils + ユーティリティ + + + Themes + テーマ + + + Help + ヘルプ + + + Dark + ダーク + + + Light + ライト + + + Green + グリーン + + + Blue + ブルー + + + Violet + バイオレット + + + toolBar + ツールバー + + + Game List + ゲームリスト + + + * Unsupported Vulkan Version + * サポートされていないVulkanバージョン + + + Download Cheats For All Installed Games + すべてのインストール済みゲームのチートをダウンロード + + + Download Patches For All Games + すべてのゲームのパッチをダウンロード + + + Download Complete + ダウンロード完了 + + + You have downloaded cheats for all the games you have installed. + インストールされているすべてのゲームのチートをダウンロードしました。 + + + Patches Downloaded Successfully! + パッチが正常にダウンロードされました! + + + All Patches available for all games have been downloaded. + すべてのゲームに利用可能なパッチがダウンロードされました。 + + + Games: + ゲーム: + + + ELF files (*.bin *.elf *.oelf) + ELFファイル (*.bin *.elf *.oelf) + + + Game Boot + ゲームブート + + + Only one file can be selected! + 1つのファイルしか選択できません! + + + PKG Extraction + PKGの抽出 + + + Patch detected! + パッチが検出されました! + + + PKG and Game versions match: + PKGとゲームのバージョンが一致しています: + + + Would you like to overwrite? + 上書きしてもよろしいですか? + + + PKG Version %1 is older than installed version: + PKGバージョン %1 はインストールされているバージョンよりも古いです: + + + Game is installed: + ゲームはインストール済みです: + + + Would you like to install Patch: + パッチをインストールしてもよろしいですか: + + + DLC Installation + DLCのインストール + + + Would you like to install DLC: %1? + DLCをインストールしてもよろしいですか: %1? + + + DLC already installed: + DLCはすでにインストールされています: + + + Game already installed + ゲームはすでにインストールされています + + + PKG ERROR + PKGエラー + + + Extracting PKG %1/%2 + PKGを抽出中 %1/%2 + + + Extraction Finished + 抽出完了 + + + Game successfully installed at %1 + ゲームが %1 に正常にインストールされました + + + File doesn't appear to be a valid PKG file + ファイルが有効なPKGファイルでないようです + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + フォルダーを開く + + + Name + 名前 + + + Serial + シリアル + + + Installed + + + + Size + サイズ + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + 地域 + + + Flags + + + + Path + パス + + + File + ファイル + + + PKG ERROR + PKGエラー + + + Unknown + 不明 + + + Package + + + + + SettingsDialog + + Settings + 設定 + + + General + 一般 + + + System + システム + + + Console Language + コンソールの言語 + + + Emulator Language + エミュレーターの言語 + + + Emulator + エミュレーター + + + Enable Fullscreen + フルスクリーンを有効にする + + + Fullscreen Mode + 全画面モード + + + Enable Separate Update Folder + アップデートフォルダの分離を有効化 + + + Default tab when opening settings + 設定を開くときのデフォルトタブ + + + Show Game Size In List + ゲームサイズをリストに表示 + + + Show Splash + スプラッシュ画面を表示する + + + Enable Discord Rich Presence + Discord Rich Presenceを有効にする + + + Username + ユーザー名 + + + Trophy Key + トロフィーキー + + + Trophy + トロフィー + + + Logger + ロガー + + + Log Type + ログタイプ + + + Log Filter + ログフィルター + + + Open Log Location + ログの場所を開く + + + Input + 入力 + + + Cursor + カーソル + + + Hide Cursor + カーソルを隠す + + + Hide Cursor Idle Timeout + カーソルを隠すまでの非アクティブ期間 + + + s + s + + + Controller + コントローラー + + + Back Button Behavior + 戻るボタンの動作 + + + Graphics + グラフィックス + + + GUI + インターフェース + + + User + ユーザー + + + Graphics Device + グラフィックスデバイス + + + Width + + + + Height + 高さ + + + Vblank Divider + Vblankディバイダー + + + Advanced + 高度な設定 + + + Enable Shaders Dumping + シェーダーのダンプを有効にする + + + Enable NULL GPU + NULL GPUを有効にする + + + Paths + パス + + + Game Folders + ゲームフォルダ + + + Add... + 追加... + + + Remove + 削除 + + + Debug + デバッグ + + + Enable Debug Dumping + デバッグダンプを有効にする + + + Enable Vulkan Validation Layers + Vulkan検証レイヤーを有効にする + + + Enable Vulkan Synchronization Validation + Vulkan同期検証を有効にする + + + Enable RenderDoc Debugging + RenderDocデバッグを有効にする + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + 更新 + + + Check for Updates at Startup + 起動時に更新確認 + + + Always Show Changelog + 常に変更履歴を表示 + + + Update Channel + アップデートチャネル + + + Check for Updates + 更新を確認 + + + GUI Settings + GUI設定 + + + Title Music + Title Music + + + Disable Trophy Pop-ups + トロフィーのポップアップを無効化 + + + Play title music + タイトル音楽を再生する + + + Update Compatibility Database On Startup + 起動時に互換性データベースを更新する + + + Game Compatibility + ゲームの互換性 + + + Display Compatibility Data + 互換性に関するデータを表示 + + + Update Compatibility Database + 互換性データベースを更新 + + + Volume + 音量 + + + Save + 保存 + + + Apply + 適用 + + + Restore Defaults + デフォルトに戻す + + + Close + 閉じる + + + Point your mouse at an option to display its description. + 設定項目にマウスをホバーすると、説明が表示されます。 + + + consoleLanguageGroupBox + コンソールの言語:\nPS4ゲームが使用する言語を設定します。\nゲームでサポートされている言語に設定することをお勧めしますが、地域によって異なる場合があります。 + + + emulatorLanguageGroupBox + エミュレーターの言語:\nエミュレーターのユーザーインターフェースの言語を設定します。 + + + fullscreenCheckBox + 全画面モードを有効にする:\nゲームウィンドウを自動的に全画面モードにします。\nF11キーを押すことで切り替えることができます。 + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nゲームのアップデートを別のフォルダにインストールすることで、管理が容易になります。 + + + showSplashCheckBox + スプラッシュスクリーンを表示:\nゲーム起動中にゲームのスプラッシュスクリーン(特別な画像)を表示します。 + + + discordRPCCheckbox + Discord Rich Presenceを有効にする:\nエミュレーターのアイコンと関連情報をDiscordプロフィールに表示します。 + + + userName + ユーザー名:\nPS4のアカウントユーザー名を設定します。これは、一部のゲームで表示される場合があります。 + + + TrophyKey + トロフィーキー:\nトロフィーの復号に使用されるキーです。脱獄済みのコンソールから取得することができます。\n16進数のみを受け入れます。 + + + logTypeGroupBox + ログタイプ:\nパフォーマンスのためにログウィンドウの出力を同期させるかどうかを設定します。エミュレーションに悪影響を及ぼす可能性があります。 + + + logFilter + ログフィルター:\n特定の情報のみを印刷するようにログをフィルタリングします。\n例: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" \nレベル: Trace, Debug, Info, Warning, Error, Critical - レベルはこの並び通りに処理され、指定されたレベルより前のレベル ログを抑制し、それ以外のすべてのレベルをログに記録します。 + + + updaterGroupBox + 更新:\nRelease: 最新の機能を利用できない可能性がありますが、より信頼性が高くテストされた公式バージョンが毎月リリースされます。\nNightly: 最新の機能と修正がすべて含まれていますが、バグが含まれている可能性があり、安定性は低いです。 + + + GUIMusicGroupBox + タイトルミュージックを再生:\nゲームでサポートされている場合に、GUIでゲームを選択したときに特別な音楽を再生する機能を有効にします。 + + + disableTrophycheckBox + トロフィーのポップアップを無効化:\nゲーム内でのトロフィー通知を無効化します。 トロフィーの進行状況は、トロフィービューアーを使用して確認できます。(メインウィンドウでゲームを右クリック) + + + hideCursorGroupBox + カーソルを隠す:\nカーソルが消えるタイミングを選択してください:\n無効: 常にカーソルが表示されます。\n非アクティブ時: カーソルの非アクティブ期間が指定した時間を超えた場合にカーソルを隠します。\n常に: カーソルは常に隠れた状態になります。 + + + idleTimeoutGroupBox + カーソルが非アクティブになってから隠すまでの時間を設定します。 + + + backButtonBehaviorGroupBox + 戻るボタンの動作:\nコントローラーの戻るボタンを、PS4のタッチパッドの指定された位置をタッチするように設定します。 + + + enableCompatibilityCheckBox + 互換性に関するデータを表示:\nゲームの互換性に関する情報を表として表示します。常に最新情報を取得したい場合、"起動時に互換性データベースを更新する" を有効化してください。 + + + checkCompatibilityOnStartupCheckBox + 起動時に互換性データベースを更新する:\nshadPS4の起動時に自動で互換性データベースを更新します。 + + + updateCompatibilityButton + 互換性データベースを更新する:\n今すぐ互換性データベースを更新します。 + + + Never + 無効 + + + Idle + 非アクティブ時 + + + Always + 常に + + + Touchpad Left + 左タッチパッド + + + Touchpad Right + 右タッチパッド + + + Touchpad Center + タッチパッド中央 + + + None + なし + + + graphicsAdapterGroupBox + グラフィックデバイス:\nシステムに複数のGPUが搭載されている場合、ドロップダウンリストからエミュレーターで使用するGPUを選択するか、\n「自動選択」を選択して自動的に決定します。 + + + resolutionLayout + 幅/高さ:\n起動時にエミュレーターウィンドウのサイズを設定します。ゲーム中でもサイズを変更することができます。\nこれはゲーム内の解像度とは異なります。 + + + heightDivider + Vblankディバイダー:\nエミュレーターが更新されるフレームレートにこの数を掛けます。これを変更すると、ゲームの速度が上がったり、想定外の変更がある場合、ゲームの重要な機能が壊れる可能性があります! + + + dumpShadersCheckBox + シェーダーダンプを有効にする:\n技術的なデバッグの目的で、レンダリング中にゲームのシェーダーをフォルダーに保存します。 + + + nullGpuCheckBox + Null GPUを有効にする:\n技術的なデバッグの目的で、グラフィックスカードがないかのようにゲームのレンダリングを無効にします。 + + + gameFoldersBox + ゲームフォルダ:\nインストールされたゲームを確認するためのフォルダのリスト。 + + + addFolderButton + 追加:\nリストにフォルダを追加します。 + + + removeFolderButton + 削除:\nリストからフォルダを削除します。 + + + debugDump + デバッグダンプを有効にする:\n現在実行中のPS4プログラムのインポートおよびエクスポートシンボルとファイルヘッダー情報をディレクトリに保存します。 + + + vkValidationCheckBox + Vulkanバリデーションレイヤーを有効にする:\nVulkanのレンダリングステータスを検証し、内部状態に関する情報をログに記録するシステムを有効にします。これによりパフォーマンスが低下し、エミュレーションの動作が変わる可能性があります。 + + + vkSyncValidationCheckBox + Vulkan同期バリデーションを有効にする:\nVulkanのレンダリングタスクのタイミングを検証するシステムを有効にします。これによりパフォーマンスが低下し、エミュレーションの動作が変わる可能性があります。 + + + rdocCheckBox + RenderDocデバッグを有効にする:\n有効にすると、エミュレーターはRenderdocとの互換性を提供し、現在レンダリング中のフレームのキャプチャと分析を可能にします。 + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + 参照 + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + ゲームをインストールするディレクトリ + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + トロフィービューアー + + diff --git a/src/qt_gui/translations/ko_KR.ts b/src/qt_gui/translations/ko_KR.ts index d297e41a3..d7122dbd6 100644 --- a/src/qt_gui/translations/ko_KR.ts +++ b/src/qt_gui/translations/ko_KR.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - 치트 / 패치 - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Open Folder... - - - Open Game Folder - Open Game Folder - - - Open Save Data Folder - Open Save Data Folder - - - Open Log Folder - Open Log Folder - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Check for Updates - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - 치트 / 패치 다운로드 - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Help - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Game List - - - * Unsupported Vulkan Version - * Unsupported Vulkan Version - - - Download Cheats For All Installed Games - Download Cheats For All Installed Games - - - Download Patches For All Games - Download Patches For All Games - - - Download Complete - Download Complete - - - You have downloaded cheats for all the games you have installed. - You have downloaded cheats for all the games you have installed. - - - Patches Downloaded Successfully! - Patches Downloaded Successfully! - - - All Patches available for all games have been downloaded. - All Patches available for all games have been downloaded. - - - Games: - Games: - - - PKG File (*.PKG) - PKG File (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF files (*.bin *.elf *.oelf) - - - Game Boot - Game Boot - - - Only one file can be selected! - Only one file can be selected! - - - PKG Extraction - PKG Extraction - - - Patch detected! - Patch detected! - - - PKG and Game versions match: - PKG and Game versions match: - - - Would you like to overwrite? - Would you like to overwrite? - - - PKG Version %1 is older than installed version: - PKG Version %1 is older than installed version: - - - Game is installed: - Game is installed: - - - Would you like to install Patch: - Would you like to install Patch: - - - DLC Installation - DLC Installation - - - Would you like to install DLC: %1? - Would you like to install DLC: %1? - - - DLC already installed: - DLC already installed: - - - Game already installed - Game already installed - - - PKG is a patch, please install the game first! - PKG is a patch, please install the game first! - - - PKG ERROR - PKG ERROR - - - Extracting PKG %1/%2 - Extracting PKG %1/%2 - - - Extraction Finished - Extraction Finished - - - Game successfully installed at %1 - Game successfully installed at %1 - - - File doesn't appear to be a valid PKG file - File doesn't appear to be a valid PKG file - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - 전체 화면 모드 - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - 설정 열기 시 기본 탭 - - - Show Game Size In List - 게임 크기를 목록에 표시 - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Enable Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - 로그 위치 열기 - - - Input - Input - - - Cursor - Cursor - - - Hide Cursor - Hide Cursor - - - Hide Cursor Idle Timeout - Hide Cursor Idle Timeout - - - s - s - - - Controller - Controller - - - Back Button Behavior - Back Button Behavior - - - Graphics - Graphics - - - GUI - 인터페이스 - - - User - 사용자 - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Paths - - - Game Folders - Game Folders - - - Add... - Add... - - - Remove - Remove - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Update - - - Check for Updates at Startup - Check for Updates at Startup - - - Always Show Changelog - 항상 변경 사항 표시 - - - Update Channel - Update Channel - - - Check for Updates - Check for Updates - - - GUI Settings - GUI Settings - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Play title music - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - 음량 - - - Audio Backend - Audio Backend - - - Save - Save - - - Apply - Apply - - - Restore Defaults - Restore Defaults - - - Close - Close - - - Point your mouse at an option to display its description. - Point your mouse at an option to display its description. - - - consoleLanguageGroupBox - Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. - - - emulatorLanguageGroupBox - Emulator Language:\nSets the language of the emulator's user interface. - - - fullscreenCheckBox - Enable Full Screen:\nAutomatically puts the game window into full-screen mode.\nThis can be toggled by pressing the F11 key. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Show Splash Screen:\nShows the game's splash screen (a special image) while the game is starting. - - - ps4proCheckBox - Is PS4 Pro:\nMakes the emulator act as a PS4 PRO, which may enable special features in games that support it. - - - discordRPCCheckbox - Discord Rich Presence 활성화:\nDiscord 프로필에 에뮬레이터 아이콘과 관련 정보를 표시합니다. - - - userName - Username:\nSets the PS4's account username, which may be displayed by some games. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Log Type:\nSets whether to synchronize the output of the log window for performance. May have adverse effects on emulation. - - - logFilter - Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Levels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. - - - updaterGroupBox - Update:\nRelease: Official versions released every month that may be very outdated, but are more reliable and tested.\nNightly: Development versions that have all the latest features and fixes, but may contain bugs and are less stable. - - - GUIMusicGroupBox - Play Title Music:\nIf a game supports it, enable playing special music when selecting the game in the GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Hide Cursor:\nChoose when the cursor will disappear:\nNever: You will always see the mouse.\nidle: Set a time for it to disappear after being idle.\nAlways: you will never see the mouse. - - - idleTimeoutGroupBox - Set a time for the mouse to disappear after being after being idle. - - - backButtonBehaviorGroupBox - Back Button Behavior:\nSets the controller's back button to emulate tapping the specified position on the PS4 touchpad. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Never - - - Idle - Idle - - - Always - Always - - - Touchpad Left - Touchpad Left - - - Touchpad Right - Touchpad Right - - - Touchpad Center - Touchpad Center - - - None - None - - - graphicsAdapterGroupBox - Graphics Device:\nOn multiple GPU systems, select the GPU the emulator will use from the drop down list,\nor select "Auto Select" to automatically determine it. - - - resolutionLayout - Width/Height:\nSets the size of the emulator window at launch, which can be resized during gameplay.\nThis is different from the in-game resolution. - - - heightDivider - Vblank Divider:\nThe frame rate at which the emulator refreshes at is multiplied by this number. Changing this may have adverse effects, such as increasing the game speed, or breaking critical game functionality that does not expect this to change! - - - dumpShadersCheckBox - Enable Shaders Dumping:\nFor the sake of technical debugging, saves the games shaders to a folder as they render. - - - nullGpuCheckBox - Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. - - - gameFoldersBox - Game Folders:\nThe list of folders to check for installed games. - - - addFolderButton - Add:\nAdd a folder to the list. - - - removeFolderButton - Remove:\nRemove a folder from the list. - - - debugDump - Enable Debug Dumping:\nSaves the import and export symbols and file header information of the currently running PS4 program to a directory. - - - vkValidationCheckBox - Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state. This will reduce performance and likely change the behavior of emulation. - - - vkSyncValidationCheckBox - Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks. This will reduce performance and likely change the behavior of emulation. - - - rdocCheckBox - Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches are experimental.\nUse with caution.\n\nDownload cheats individually by selecting the repository and clicking the download button.\nIn the Patches tab, you can download all patches at once, choose which ones you want to use, and save your selection.\n\nSince we do not develop the Cheats/Patches,\nplease report issues to the cheat author.\n\nCreated a new cheat? Visit:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - No Image Available - - - Serial: - Serial: - - - Version: - Version: - - - Size: - Size: - - - Select Cheat File: - Select Cheat File: - - - Repository: - Repository: - - - Download Cheats - Download Cheats - - - Delete File - Delete File - - - No files selected. - No files selected. - - - You can delete the cheats you don't want after downloading them. - You can delete the cheats you don't want after downloading them. - - - Do you want to delete the selected file?\n%1 - Do you want to delete the selected file?\n%1 - - - Select Patch File: - Select Patch File: - - - Download Patches - Download Patches - - - Save - Save - - - Cheats - Cheats - - - Patches - Patches - - - Error - Error - - - No patch selected. - No patch selected. - - - Unable to open files.json for reading. - Unable to open files.json for reading. - - - No patch file found for the current serial. - No patch file found for the current serial. - - - Unable to open the file for reading. - Unable to open the file for reading. - - - Unable to open the file for writing. - Unable to open the file for writing. - - - Failed to parse XML: - Failed to parse XML: - - - Success - Success - - - Options saved successfully. - Options saved successfully. - - - Invalid Source - Invalid Source - - - The selected source is invalid. - The selected source is invalid. - - - File Exists - File Exists - - - File already exists. Do you want to replace it? - File already exists. Do you want to replace it? - - - Failed to save file: - Failed to save file: - - - Failed to download file: - Failed to download file: - - - Cheats Not Found - Cheats Not Found - - - CheatsNotFound_MSG - No Cheats found for this game in this version of the selected repository,try another repository or a different version of the game. - - - Cheats Downloaded Successfully - Cheats Downloaded Successfully - - - CheatsDownloadedSuccessfully_MSG - You have successfully downloaded the cheats for this version of the game from the selected repository. You can try downloading from another repository, if it is available it will also be possible to use it by selecting the file from the list. - - - Failed to save: - Failed to save: - - - Failed to download: - Failed to download: - - - Download Complete - Download Complete - - - DownloadComplete_MSG - Patches Downloaded Successfully! All Patches available for all games have been downloaded, there is no need to download them individually for each game as happens in Cheats. If the patch does not appear, it may be that it does not exist for the specific serial and version of the game. - - - Failed to parse JSON data from HTML. - Failed to parse JSON data from HTML. - - - Failed to retrieve HTML page. - Failed to retrieve HTML page. - - - The game is in version: %1 - The game is in version: %1 - - - The downloaded patch only works on version: %1 - The downloaded patch only works on version: %1 - - - You may need to update your game. - You may need to update your game. - - - Incompatibility Notice - Incompatibility Notice - - - Failed to open file: - Failed to open file: - - - XML ERROR: - XML ERROR: - - - Failed to open files.json for writing - Failed to open files.json for writing - - - Author: - Author: - - - Directory does not exist: - Directory does not exist: - - - Failed to open files.json for reading. - Failed to open files.json for reading. - - - Name: - Name: - - - Can't apply cheats before the game is started - Can't apply cheats before the game is started. - - - - GameListFrame - - Icon - Icon - - - Name - Name - - - Serial - Serial - - - Compatibility - Compatibility - - - Region - Region - - - Firmware - Firmware - - - Size - Size - - - Version - Version - - - Path - Path - - - Play Time - Play Time - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - GitHub에서 세부 정보를 보려면 클릭하세요 - - - Last updated - 마지막 업데이트 - - - - CheckUpdate - - Auto Updater - Auto Updater - - - Error - Error - - - Network error: - Network error: - - - Error_Github_limit_MSG - 자동 업데이트는 시간당 최대 60회의 업데이트 확인을 허용합니다.\n이 제한에 도달했습니다. 나중에 다시 시도해 주세요. - - - Failed to parse update information. - Failed to parse update information. - - - No pre-releases found. - No pre-releases found. - - - Invalid release data. - Invalid release data. - - - No download URL found for the specified asset. - No download URL found for the specified asset. - - - Your version is already up to date! - Your version is already up to date! - - - Update Available - Update Available - - - Update Channel - Update Channel - - - Current Version - Current Version - - - Latest Version - Latest Version - - - Do you want to update? - Do you want to update? - - - Show Changelog - Show Changelog - - - Check for Updates at Startup - Check for Updates at Startup - - - Update - Update - - - No - No - - - Hide Changelog - Hide Changelog - - - Changes - Changes - - - Network error occurred while trying to access the URL - Network error occurred while trying to access the URL - - - Download Complete - Download Complete - - - The update has been downloaded, press OK to install. - The update has been downloaded, press OK to install. - - - Failed to save the update file at - Failed to save the update file at - - - Starting Update... - Starting Update... - - - Failed to create the update script file - Failed to create the update script file - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - 호환성 데이터를 가져오는 중, 잠시만 기다려 주세요 - - - Cancel - 취소 - - - Loading... - 로딩 중... - - - Error - 오류 - - - Unable to update compatibility data! Try again later. - 호환성 데이터를 업데이트할 수 없습니다! 나중에 다시 시도해 주세요. - - - Unable to open compatibility_data.json for writing. - compatibility_data.json을 열어 쓸 수 없습니다. - - - Unknown - 알 수 없음 - - - Nothing - 없음 - - - Boots - 부츠 - - - Menus - 메뉴 - - - Ingame - 게임 내 - - - Playable - 플레이 가능 - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches are experimental.\nUse with caution.\n\nDownload cheats individually by selecting the repository and clicking the download button.\nIn the Patches tab, you can download all patches at once, choose which ones you want to use, and save your selection.\n\nSince we do not develop the Cheats/Patches,\nplease report issues to the cheat author.\n\nCreated a new cheat? Visit:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + No Image Available + + + Serial: + Serial: + + + Version: + Version: + + + Size: + Size: + + + Select Cheat File: + Select Cheat File: + + + Repository: + Repository: + + + Download Cheats + Download Cheats + + + Delete File + Delete File + + + No files selected. + No files selected. + + + You can delete the cheats you don't want after downloading them. + You can delete the cheats you don't want after downloading them. + + + Do you want to delete the selected file?\n%1 + Do you want to delete the selected file?\n%1 + + + Select Patch File: + Select Patch File: + + + Download Patches + Download Patches + + + Save + Save + + + Cheats + Cheats + + + Patches + Patches + + + Error + Error + + + No patch selected. + No patch selected. + + + Unable to open files.json for reading. + Unable to open files.json for reading. + + + No patch file found for the current serial. + No patch file found for the current serial. + + + Unable to open the file for reading. + Unable to open the file for reading. + + + Unable to open the file for writing. + Unable to open the file for writing. + + + Failed to parse XML: + Failed to parse XML: + + + Success + Success + + + Options saved successfully. + Options saved successfully. + + + Invalid Source + Invalid Source + + + The selected source is invalid. + The selected source is invalid. + + + File Exists + File Exists + + + File already exists. Do you want to replace it? + File already exists. Do you want to replace it? + + + Failed to save file: + Failed to save file: + + + Failed to download file: + Failed to download file: + + + Cheats Not Found + Cheats Not Found + + + CheatsNotFound_MSG + No Cheats found for this game in this version of the selected repository,try another repository or a different version of the game. + + + Cheats Downloaded Successfully + Cheats Downloaded Successfully + + + CheatsDownloadedSuccessfully_MSG + You have successfully downloaded the cheats for this version of the game from the selected repository. You can try downloading from another repository, if it is available it will also be possible to use it by selecting the file from the list. + + + Failed to save: + Failed to save: + + + Failed to download: + Failed to download: + + + Download Complete + Download Complete + + + DownloadComplete_MSG + Patches Downloaded Successfully! All Patches available for all games have been downloaded, there is no need to download them individually for each game as happens in Cheats. If the patch does not appear, it may be that it does not exist for the specific serial and version of the game. + + + Failed to parse JSON data from HTML. + Failed to parse JSON data from HTML. + + + Failed to retrieve HTML page. + Failed to retrieve HTML page. + + + The game is in version: %1 + The game is in version: %1 + + + The downloaded patch only works on version: %1 + The downloaded patch only works on version: %1 + + + You may need to update your game. + You may need to update your game. + + + Incompatibility Notice + Incompatibility Notice + + + Failed to open file: + Failed to open file: + + + XML ERROR: + XML ERROR: + + + Failed to open files.json for writing + Failed to open files.json for writing + + + Author: + Author: + + + Directory does not exist: + Directory does not exist: + + + Failed to open files.json for reading. + Failed to open files.json for reading. + + + Name: + Name: + + + Can't apply cheats before the game is started + Can't apply cheats before the game is started. + + + Close + Close + + + + CheckUpdate + + Auto Updater + Auto Updater + + + Error + Error + + + Network error: + Network error: + + + Error_Github_limit_MSG + 자동 업데이트는 시간당 최대 60회의 업데이트 확인을 허용합니다.\n이 제한에 도달했습니다. 나중에 다시 시도해 주세요. + + + Failed to parse update information. + Failed to parse update information. + + + No pre-releases found. + No pre-releases found. + + + Invalid release data. + Invalid release data. + + + No download URL found for the specified asset. + No download URL found for the specified asset. + + + Your version is already up to date! + Your version is already up to date! + + + Update Available + Update Available + + + Update Channel + Update Channel + + + Current Version + Current Version + + + Latest Version + Latest Version + + + Do you want to update? + Do you want to update? + + + Show Changelog + Show Changelog + + + Check for Updates at Startup + Check for Updates at Startup + + + Update + Update + + + No + No + + + Hide Changelog + Hide Changelog + + + Changes + Changes + + + Network error occurred while trying to access the URL + Network error occurred while trying to access the URL + + + Download Complete + Download Complete + + + The update has been downloaded, press OK to install. + The update has been downloaded, press OK to install. + + + Failed to save the update file at + Failed to save the update file at + + + Starting Update... + Starting Update... + + + Failed to create the update script file + Failed to create the update script file + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + 호환성 데이터를 가져오는 중, 잠시만 기다려 주세요 + + + Cancel + 취소 + + + Loading... + 로딩 중... + + + Error + 오류 + + + Unable to update compatibility data! Try again later. + 호환성 데이터를 업데이트할 수 없습니다! 나중에 다시 시도해 주세요. + + + Unable to open compatibility_data.json for writing. + compatibility_data.json을 열어 쓸 수 없습니다. + + + Unknown + 알 수 없음 + + + Nothing + 없음 + + + Boots + 부츠 + + + Menus + 메뉴 + + + Ingame + 게임 내 + + + Playable + 플레이 가능 + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icon + + + Name + Name + + + Serial + Serial + + + Compatibility + Compatibility + + + Region + Region + + + Firmware + Firmware + + + Size + Size + + + Version + Version + + + Path + Path + + + Play Time + Play Time + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + GitHub에서 세부 정보를 보려면 클릭하세요 + + + Last updated + 마지막 업데이트 + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + 치트 / 패치 + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Open Folder... + + + Open Game Folder + Open Game Folder + + + Open Save Data Folder + Open Save Data Folder + + + Open Log Folder + Open Log Folder + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Check for Updates + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + 치트 / 패치 다운로드 + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Help + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Game List + + + * Unsupported Vulkan Version + * Unsupported Vulkan Version + + + Download Cheats For All Installed Games + Download Cheats For All Installed Games + + + Download Patches For All Games + Download Patches For All Games + + + Download Complete + Download Complete + + + You have downloaded cheats for all the games you have installed. + You have downloaded cheats for all the games you have installed. + + + Patches Downloaded Successfully! + Patches Downloaded Successfully! + + + All Patches available for all games have been downloaded. + All Patches available for all games have been downloaded. + + + Games: + Games: + + + ELF files (*.bin *.elf *.oelf) + ELF files (*.bin *.elf *.oelf) + + + Game Boot + Game Boot + + + Only one file can be selected! + Only one file can be selected! + + + PKG Extraction + PKG Extraction + + + Patch detected! + Patch detected! + + + PKG and Game versions match: + PKG and Game versions match: + + + Would you like to overwrite? + Would you like to overwrite? + + + PKG Version %1 is older than installed version: + PKG Version %1 is older than installed version: + + + Game is installed: + Game is installed: + + + Would you like to install Patch: + Would you like to install Patch: + + + DLC Installation + DLC Installation + + + Would you like to install DLC: %1? + Would you like to install DLC: %1? + + + DLC already installed: + DLC already installed: + + + Game already installed + Game already installed + + + PKG ERROR + PKG ERROR + + + Extracting PKG %1/%2 + Extracting PKG %1/%2 + + + Extraction Finished + Extraction Finished + + + Game successfully installed at %1 + Game successfully installed at %1 + + + File doesn't appear to be a valid PKG file + File doesn't appear to be a valid PKG file + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Name + + + Serial + Serial + + + Installed + + + + Size + Size + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Path + + + File + File + + + PKG ERROR + PKG ERROR + + + Unknown + 알 수 없음 + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + 전체 화면 모드 + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + 설정 열기 시 기본 탭 + + + Show Game Size In List + 게임 크기를 목록에 표시 + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Enable Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + 로그 위치 열기 + + + Input + Input + + + Cursor + Cursor + + + Hide Cursor + Hide Cursor + + + Hide Cursor Idle Timeout + Hide Cursor Idle Timeout + + + s + s + + + Controller + Controller + + + Back Button Behavior + Back Button Behavior + + + Graphics + Graphics + + + GUI + 인터페이스 + + + User + 사용자 + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Paths + + + Game Folders + Game Folders + + + Add... + Add... + + + Remove + Remove + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Update + + + Check for Updates at Startup + Check for Updates at Startup + + + Always Show Changelog + 항상 변경 사항 표시 + + + Update Channel + Update Channel + + + Check for Updates + Check for Updates + + + GUI Settings + GUI Settings + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Play title music + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + 음량 + + + Save + Save + + + Apply + Apply + + + Restore Defaults + Restore Defaults + + + Close + Close + + + Point your mouse at an option to display its description. + Point your mouse at an option to display its description. + + + consoleLanguageGroupBox + Console Language:\nSets the language that the PS4 game uses.\nIt's recommended to set this to a language the game supports, which will vary by region. + + + emulatorLanguageGroupBox + Emulator Language:\nSets the language of the emulator's user interface. + + + fullscreenCheckBox + Enable Full Screen:\nAutomatically puts the game window into full-screen mode.\nThis can be toggled by pressing the F11 key. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Show Splash Screen:\nShows the game's splash screen (a special image) while the game is starting. + + + discordRPCCheckbox + Discord Rich Presence 활성화:\nDiscord 프로필에 에뮬레이터 아이콘과 관련 정보를 표시합니다. + + + userName + Username:\nSets the PS4's account username, which may be displayed by some games. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Log Type:\nSets whether to synchronize the output of the log window for performance. May have adverse effects on emulation. + + + logFilter + Log Filter:\nFilters the log to only print specific information.\nExamples: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Levels: Trace, Debug, Info, Warning, Error, Critical - in this order, a specific level silences all levels preceding it in the list and logs every level after it. + + + updaterGroupBox + Update:\nRelease: Official versions released every month that may be very outdated, but are more reliable and tested.\nNightly: Development versions that have all the latest features and fixes, but may contain bugs and are less stable. + + + GUIMusicGroupBox + Play Title Music:\nIf a game supports it, enable playing special music when selecting the game in the GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Hide Cursor:\nChoose when the cursor will disappear:\nNever: You will always see the mouse.\nidle: Set a time for it to disappear after being idle.\nAlways: you will never see the mouse. + + + idleTimeoutGroupBox + Set a time for the mouse to disappear after being after being idle. + + + backButtonBehaviorGroupBox + Back Button Behavior:\nSets the controller's back button to emulate tapping the specified position on the PS4 touchpad. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Never + + + Idle + Idle + + + Always + Always + + + Touchpad Left + Touchpad Left + + + Touchpad Right + Touchpad Right + + + Touchpad Center + Touchpad Center + + + None + None + + + graphicsAdapterGroupBox + Graphics Device:\nOn multiple GPU systems, select the GPU the emulator will use from the drop down list,\nor select "Auto Select" to automatically determine it. + + + resolutionLayout + Width/Height:\nSets the size of the emulator window at launch, which can be resized during gameplay.\nThis is different from the in-game resolution. + + + heightDivider + Vblank Divider:\nThe frame rate at which the emulator refreshes at is multiplied by this number. Changing this may have adverse effects, such as increasing the game speed, or breaking critical game functionality that does not expect this to change! + + + dumpShadersCheckBox + Enable Shaders Dumping:\nFor the sake of technical debugging, saves the games shaders to a folder as they render. + + + nullGpuCheckBox + Enable Null GPU:\nFor the sake of technical debugging, disables game rendering as if there were no graphics card. + + + gameFoldersBox + Game Folders:\nThe list of folders to check for installed games. + + + addFolderButton + Add:\nAdd a folder to the list. + + + removeFolderButton + Remove:\nRemove a folder from the list. + + + debugDump + Enable Debug Dumping:\nSaves the import and export symbols and file header information of the currently running PS4 program to a directory. + + + vkValidationCheckBox + Enable Vulkan Validation Layers:\nEnables a system that validates the state of the Vulkan renderer and logs information about its internal state. This will reduce performance and likely change the behavior of emulation. + + + vkSyncValidationCheckBox + Enable Vulkan Synchronization Validation:\nEnables a system that validates the timing of Vulkan rendering tasks. This will reduce performance and likely change the behavior of emulation. + + + rdocCheckBox + Enable RenderDoc Debugging:\nIf enabled, the emulator will provide compatibility with Renderdoc to allow capture and analysis of the currently rendered frame. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + diff --git a/src/qt_gui/translations/lt_LT.ts b/src/qt_gui/translations/lt_LT.ts index e4a2dc5b4..27587f25e 100644 --- a/src/qt_gui/translations/lt_LT.ts +++ b/src/qt_gui/translations/lt_LT.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Apgaulės / Pleistrai - Cheats / Patches - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Atidaryti Katalogą... - - - Open Game Folder - Atidaryti Žaidimo Katalogą - - - Open Save Data Folder - Atidaryti Išsaugotų Duomenų Katalogą - - - Open Log Folder - Atidaryti Žurnalų Katalogą - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Patikrinti atnaujinimus - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Atsisiųsti Apgaules / Pleistrus - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Pagalba - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Žaidimų sąrašas - - - * Unsupported Vulkan Version - * Nepalaikoma Vulkan versija - - - Download Cheats For All Installed Games - Atsisiųsti sukčiavimus visiems įdiegtiems žaidimams - - - Download Patches For All Games - Atsisiųsti pataisas visiems žaidimams - - - Download Complete - Atsisiuntimas baigtas - - - You have downloaded cheats for all the games you have installed. - Jūs atsisiuntėte sukčiavimus visiems jūsų įdiegtiesiems žaidimams. - - - Patches Downloaded Successfully! - Pataisos sėkmingai atsisiųstos! - - - All Patches available for all games have been downloaded. - Visos pataisos visiems žaidimams buvo atsisiųstos. - - - Games: - Žaidimai: - - - PKG File (*.PKG) - PKG failas (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF failai (*.bin *.elf *.oelf) - - - Game Boot - Žaidimo paleidimas - - - Only one file can be selected! - Galite pasirinkti tik vieną failą! - - - PKG Extraction - PKG ištraukimas - - - Patch detected! - Rasta atnaujinimą! - - - PKG and Game versions match: - PKG ir žaidimo versijos sutampa: - - - Would you like to overwrite? - Ar norite perrašyti? - - - PKG Version %1 is older than installed version: - PKG versija %1 yra senesnė nei įdiegta versija: - - - Game is installed: - Žaidimas įdiegtas: - - - Would you like to install Patch: - Ar norite įdiegti atnaujinimą: - - - DLC Installation - DLC diegimas - - - Would you like to install DLC: %1? - Ar norite įdiegti DLC: %1? - - - DLC already installed: - DLC jau įdiegtas: - - - Game already installed - Žaidimas jau įdiegtas - - - PKG is a patch, please install the game first! - PKG yra pataisa, prašome pirmiausia įdiegti žaidimą! - - - PKG ERROR - PKG KLAIDA - - - Extracting PKG %1/%2 - Ekstrakcinis PKG %1/%2 - - - Extraction Finished - Ekstrakcija baigta - - - Game successfully installed at %1 - Žaidimas sėkmingai įdiegtas %1 - - - File doesn't appear to be a valid PKG file - Failas atrodo, kad nėra galiojantis PKG failas - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Viso ekranas - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Numatytoji kortelė atidarius nustatymus - - - Show Game Size In List - Rodyti žaidimo dydį sąraše - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Įjungti Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Atidaryti žurnalo vietą - - - Input - Įvestis - - - Cursor - Žymeklis - - - Hide Cursor - Slėpti žymeklį - - - Hide Cursor Idle Timeout - Žymeklio paslėpimo neveikimo laikas - - - s - s - - - Controller - Valdiklis - - - Back Button Behavior - Atgal mygtuko elgsena - - - Graphics - Graphics - - - GUI - Interfeisa - - - User - Naudotojas - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Keliai - - - Game Folders - Žaidimų aplankai - - - Add... - Pridėti... - - - Remove - Pašalinti - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Atnaujinimas - - - Check for Updates at Startup - Tikrinti naujinimus paleidus - - - Always Show Changelog - Visada rodyti pakeitimų žurnalą - - - Update Channel - Atnaujinimo Kanalas - - - Check for Updates - Patikrinkite atnaujinimus - - - GUI Settings - GUI Nustatymai - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Groti antraštės muziką - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Garsumas - - - Audio Backend - Audio Backend - - - Save - Įrašyti - - - Apply - Taikyti - - - Restore Defaults - Atkurti numatytuosius nustatymus - - - Close - Uždaryti - - - Point your mouse at an option to display its description. - Žymeklį nukreipkite ant pasirinkimo, kad pamatytumėte jo aprašymą. - - - consoleLanguageGroupBox - Konsole kalba:\nNustato kalbą, kurią naudoja PS4 žaidimai.\nRekomenduojama nustatyti kalbą, kurią palaiko žaidimas, priklausomai nuo regiono. - - - emulatorLanguageGroupBox - Emuliatoriaus kalba:\nNustato emuliatoriaus vartotojo sąsajos kalbą. - - - fullscreenCheckBox - Įjungti visą ekraną:\nAutomatiškai perjungia žaidimo langą į viso ekrano režimą.\nTai galima išjungti paspaudus F11 klavišą. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Rodyti paleidimo ekraną:\nPaleidimo metu rodo žaidimo paleidimo ekraną (ypatingą vaizdą). - - - ps4proCheckBox - Ar PS4 Pro:\nPadaro, kad emuliatorius veiktų kaip PS4 PRO, kas gali įjungti specialias funkcijas žaidimuose, kurie tai palaiko. - - - discordRPCCheckbox - Įjungti Discord Rich Presence:\nRodo emuliatoriaus ikoną ir susijusią informaciją jūsų Discord profilyje. - - - userName - Vartotojo vardas:\nNustato PS4 paskyros vartotojo vardą, kuris gali būti rodomas kai kuriuose žaidimuose. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Žurnalo tipas:\nNustato, ar sinchronizuoti žurnalo lango išvestį našumui. Tai gali turėti neigiamą poveikį emuliacijai. - - - logFilter - Žurnalo filtras:\nFiltruojamas žurnalas, kad būtų spausdinama tik konkreti informacija.\nPavyzdžiai: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Lygiai: Trace, Debug, Info, Warning, Error, Critical - šia tvarka, konkretus lygis nutildo visus ankstesnius lygius sąraše ir registruoja visus vėlesnius. - - - updaterGroupBox - Atnaujinti:\nRelease: Oficialios versijos, išleidžiamos kiekvieną mėnesį, kurios gali būti labai pasenusios, tačiau yra patikimos ir išbandytos.\nNightly: Vystymo versijos, kuriose yra visos naujausios funkcijos ir taisymai, tačiau gali turėti klaidų ir būti mažiau stabilios. - - - GUIMusicGroupBox - Groti antraščių muziką:\nJei žaidimas tai palaiko, įjungia specialios muzikos grojimą, kai pasirinkite žaidimą GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Slėpti žymeklį:\nPasirinkite, kada žymeklis dings:\nNiekuomet: Visada matysite pelę.\nNeaktyvus: Nustatykite laiką, po kurio ji dings, kai bus neaktyvi.\nVisada: niekada nematysite pelės. - - - idleTimeoutGroupBox - Nustatykite laiką, po kurio pelė dings, kai bus neaktyvi. - - - backButtonBehaviorGroupBox - Atgal mygtuko elgesys:\nNustato valdiklio atgal mygtuką imituoti paspaudimą nurodytoje vietoje PS4 jutiklinėje plokštėje. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Niekada - - - Idle - Neaktyvus - - - Always - Visada - - - Touchpad Left - Jutiklinis Paviršius Kairėje - - - Touchpad Right - Jutiklinis Paviršius Dešinėje - - - Touchpad Center - Jutiklinis Paviršius Centre - - - None - Nieko - - - graphicsAdapterGroupBox - Grafikos įrenginys:\nDaugiagrafikėse sistemose pasirinkite GPU, kurį emuliatorius naudos iš išskleidžiamojo sąrašo,\n arba pasirinkite "Auto Select", kad jis būtų nustatytas automatiškai. - - - resolutionLayout - Plotis/Aukštis:\nNustato emuliatoriaus lango dydį paleidimo metu, kurį galima keisti žaidimo metu.\nTai skiriasi nuo žaidimo rezoliucijos. - - - heightDivider - Vblank daliklis:\nKadrų dažnis, kuriuo emuliatorius atnaujinamas, dauginamas iš šio skaičiaus. Pakeitus tai gali turėti neigiamą poveikį, pvz., padidinti žaidimo greitį arba sukelti kritinių žaidimo funkcijų sugadinimą, kurios to nesitikėjo! - - - dumpShadersCheckBox - Įjungti šešėlių išmetimą:\nTechninio derinimo tikslais saugo žaidimo šešėlius į aplanką juos renderuojant. - - - nullGpuCheckBox - Įjungti tuščią GPU:\nTechninio derinimo tikslais išjungia žaidimo renderiavimą, tarsi nebūtų grafikos plokštės. - - - gameFoldersBox - Žaidimų aplankai:\nAplankų sąrašas, kurį reikia patikrinti, ar yra įdiegtų žaidimų. - - - addFolderButton - Pridėti:\nPridėti aplanką į sąrašą. - - - removeFolderButton - Pašalinti:\nPašalinti aplanką iš sąrašo. - - - debugDump - Įjungti derinimo išmetimą:\nIšsaugo importo ir eksporto simbolius bei failo antraštės informaciją apie šiuo metu vykdomą PS4 programą į katalogą. - - - vkValidationCheckBox - Įjungti Vulkan patvirtinimo sluoksnius:\nĮjungia sistemą, kuri patvirtina Vulkan renderio būseną ir registruoja informaciją apie jo vidinę būseną. Tai sumažins našumą ir tikriausiai pakeis emuliacijos elgesį. - - - vkSyncValidationCheckBox - Įjungti Vulkan sinchronizacijos patvirtinimą:\nĮjungia sistemą, kuri patvirtina Vulkan renderavimo užduočių laiką. Tai sumažins našumą ir tikriausiai pakeis emuliacijos elgesį. - - - rdocCheckBox - Įjungti RenderDoc derinimą:\nJei įjungta, emuliatorius suteiks suderinamumą su Renderdoc, kad būtų galima užfiksuoti ir analizuoti šiuo metu renderuojamą kadrą. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches yra eksperimentiniai.\nNaudokite atsargiai.\n\nAtsisiųskite cheats atskirai pasirinkdami saugyklą ir paspausdami atsisiuntimo mygtuką.\nPatches skirtuke galite atsisiųsti visus patch’us vienu metu, pasirinkti, kuriuos norite naudoti, ir išsaugoti pasirinkimą.\n\nKadangi mes nekurime Cheats/Patches,\npraneškite problemas cheat autoriui.\n\nSukūrėte naują cheat? Apsilankykite:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Nuotrauka neprieinama - - - Serial: - Seriinis numeris: - - - Version: - Versija: - - - Size: - Dydis: - - - Select Cheat File: - Pasirinkite sukčiavimo failą: - - - Repository: - Saugykla: - - - Download Cheats - Atsisiųsti sukčiavimus - - - Delete File - Pašalinti failą - - - No files selected. - Failai nepasirinkti. - - - You can delete the cheats you don't want after downloading them. - Galite pašalinti sukčiavimus, kurių nenorite, juos atsisiuntę. - - - Do you want to delete the selected file?\n%1 - Ar norite ištrinti pasirinktą failą?\n%1 - - - Select Patch File: - Pasirinkite pataisos failą: - - - Download Patches - Atsisiųsti pataisas - - - Save - Įrašyti - - - Cheats - Sukčiavimai - - - Patches - Pataisos - - - Error - Klaida - - - No patch selected. - Nieko nepataisyta. - - - Unable to open files.json for reading. - Neįmanoma atidaryti files.json skaitymui. - - - No patch file found for the current serial. - Nepavyko rasti pataisos failo dabartiniam serijiniam numeriui. - - - Unable to open the file for reading. - Neįmanoma atidaryti failo skaitymui. - - - Unable to open the file for writing. - Neįmanoma atidaryti failo rašymui. - - - Failed to parse XML: - Nepavyko išanalizuoti XML: - - - Success - Sėkmė - - - Options saved successfully. - Nustatymai sėkmingai išsaugoti. - - - Invalid Source - Netinkamas šaltinis - - - The selected source is invalid. - Pasirinktas šaltinis yra netinkamas. - - - File Exists - Failas egzistuoja - - - File already exists. Do you want to replace it? - Failas jau egzistuoja. Ar norite jį pakeisti? - - - Failed to save file: - Nepavyko išsaugoti failo: - - - Failed to download file: - Nepavyko atsisiųsti failo: - - - Cheats Not Found - Sukčiavimai nerasti - - - CheatsNotFound_MSG - Nerasta sukčiavimų šiam žaidimui šioje pasirinktos saugyklos versijoje,bandykite kitą saugyklą arba skirtingą žaidimo versiją. - - - Cheats Downloaded Successfully - Sukčiavimai sėkmingai atsisiųsti - - - CheatsDownloadedSuccessfully_MSG - Sėkmingai atsisiuntėte sukčiavimus šios žaidimo versijos iš pasirinktos saugyklos. Galite pabandyti atsisiųsti iš kitos saugyklos, jei ji yra prieinama, taip pat bus galima ją naudoti pasirinkus failą iš sąrašo. - - - Failed to save: - Nepavyko išsaugoti: - - - Failed to download: - Nepavyko atsisiųsti: - - - Download Complete - Atsisiuntimas baigtas - - - DownloadComplete_MSG - Pataisos sėkmingai atsisiųstos! Visos pataisos visiems žaidimams buvo atsisiųstos, nebėra reikalo jas atsisiųsti atskirai kiekvienam žaidimui, kaip tai vyksta su sukčiavimais. Jei pleistras nepasirodo, gali būti, kad jo nėra tam tikram žaidimo serijos numeriui ir versijai. - - - Failed to parse JSON data from HTML. - Nepavyko išanalizuoti JSON duomenų iš HTML. - - - Failed to retrieve HTML page. - Nepavyko gauti HTML puslapio. - - - The game is in version: %1 - Žaidimas yra versijoje: %1 - - - The downloaded patch only works on version: %1 - Parsisiųstas pataisas veikia tik versijoje: %1 - - - You may need to update your game. - Gali tekti atnaujinti savo žaidimą. - - - Incompatibility Notice - Suderinamumo pranešimas - - - Failed to open file: - Nepavyko atidaryti failo: - - - XML ERROR: - XML KLAIDA: - - - Failed to open files.json for writing - Nepavyko atidaryti files.json rašymui - - - Author: - Autorius: - - - Directory does not exist: - Katalogas neegzistuoja: - - - Failed to open files.json for reading. - Nepavyko atidaryti files.json skaitymui. - - - Name: - Pavadinimas: - - - Can't apply cheats before the game is started - Negalima taikyti sukčiavimų prieš pradedant žaidimą. - - - - GameListFrame - - Icon - Ikona - - - Name - Vardas - - - Serial - Serijinis numeris - - - Compatibility - Compatibility - - - Region - Regionas - - - Firmware - Firmvare - - - Size - Dydis - - - Version - Versija - - - Path - Kelias - - - Play Time - Žaidimo laikas - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Spustelėkite, kad pamatytumėte detales GitHub - - - Last updated - Paskutinį kartą atnaujinta - - - - CheckUpdate - - Auto Updater - Automatinis atnaujinimas - - - Error - Klaida - - - Network error: - Tinklo klaida: - - - Error_Github_limit_MSG - Automatinis atnaujinimas leidžia iki 60 atnaujinimų patikrinimų per valandą.\nJūs pasiekėte šią ribą. Bandykite dar kartą vėliau. - - - Failed to parse update information. - Nepavyko išanalizuoti atnaujinimo informacijos. - - - No pre-releases found. - Išankstinių leidimų nerasta. - - - Invalid release data. - Neteisingi leidimo duomenys. - - - No download URL found for the specified asset. - Nerasta atsisiuntimo URL nurodytam turtui. - - - Your version is already up to date! - Jūsų versija jau atnaujinta! - - - Update Available - Prieinama atnaujinimas - - - Update Channel - Atnaujinimo Kanalas - - - Current Version - Esama versija - - - Latest Version - Paskutinė versija - - - Do you want to update? - Ar norite atnaujinti? - - - Show Changelog - Rodyti pakeitimų sąrašą - - - Check for Updates at Startup - Tikrinti naujinimus paleidus - - - Update - Atnaujinti - - - No - Ne - - - Hide Changelog - Slėpti pakeitimų sąrašą - - - Changes - Pokyčiai - - - Network error occurred while trying to access the URL - Tinklo klaida bandant pasiekti URL - - - Download Complete - Atsisiuntimas baigtas - - - The update has been downloaded, press OK to install. - Atnaujinimas buvo atsisiųstas, paspauskite OK, kad įdiegtumėte. - - - Failed to save the update file at - Nepavyko išsaugoti atnaujinimo failo - - - Starting Update... - Pradedama atnaujinimas... - - - Failed to create the update script file - Nepavyko sukurti atnaujinimo scenarijaus failo - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Naudojamos suderinamumo duomenis, prašome palaukti - - - Cancel - Atšaukti - - - Loading... - Kraunama... - - - Error - Klaida - - - Unable to update compatibility data! Try again later. - Negalima atnaujinti suderinamumo duomenų! Bandykite vėliau. - - - Unable to open compatibility_data.json for writing. - Negalima atidaryti compatibility_data.json failo rašymui. - - - Unknown - Nežinoma - - - Nothing - Nėra - - - Boots - Batai - - - Menus - Meniu - - - Ingame - Žaidime - - - Playable - Žaidžiamas - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches yra eksperimentiniai.\nNaudokite atsargiai.\n\nAtsisiųskite cheats atskirai pasirinkdami saugyklą ir paspausdami atsisiuntimo mygtuką.\nPatches skirtuke galite atsisiųsti visus patch’us vienu metu, pasirinkti, kuriuos norite naudoti, ir išsaugoti pasirinkimą.\n\nKadangi mes nekurime Cheats/Patches,\npraneškite problemas cheat autoriui.\n\nSukūrėte naują cheat? Apsilankykite:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Nuotrauka neprieinama + + + Serial: + Seriinis numeris: + + + Version: + Versija: + + + Size: + Dydis: + + + Select Cheat File: + Pasirinkite sukčiavimo failą: + + + Repository: + Saugykla: + + + Download Cheats + Atsisiųsti sukčiavimus + + + Delete File + Pašalinti failą + + + No files selected. + Failai nepasirinkti. + + + You can delete the cheats you don't want after downloading them. + Galite pašalinti sukčiavimus, kurių nenorite, juos atsisiuntę. + + + Do you want to delete the selected file?\n%1 + Ar norite ištrinti pasirinktą failą?\n%1 + + + Select Patch File: + Pasirinkite pataisos failą: + + + Download Patches + Atsisiųsti pataisas + + + Save + Įrašyti + + + Cheats + Sukčiavimai + + + Patches + Pataisos + + + Error + Klaida + + + No patch selected. + Nieko nepataisyta. + + + Unable to open files.json for reading. + Neįmanoma atidaryti files.json skaitymui. + + + No patch file found for the current serial. + Nepavyko rasti pataisos failo dabartiniam serijiniam numeriui. + + + Unable to open the file for reading. + Neįmanoma atidaryti failo skaitymui. + + + Unable to open the file for writing. + Neįmanoma atidaryti failo rašymui. + + + Failed to parse XML: + Nepavyko išanalizuoti XML: + + + Success + Sėkmė + + + Options saved successfully. + Nustatymai sėkmingai išsaugoti. + + + Invalid Source + Netinkamas šaltinis + + + The selected source is invalid. + Pasirinktas šaltinis yra netinkamas. + + + File Exists + Failas egzistuoja + + + File already exists. Do you want to replace it? + Failas jau egzistuoja. Ar norite jį pakeisti? + + + Failed to save file: + Nepavyko išsaugoti failo: + + + Failed to download file: + Nepavyko atsisiųsti failo: + + + Cheats Not Found + Sukčiavimai nerasti + + + CheatsNotFound_MSG + Nerasta sukčiavimų šiam žaidimui šioje pasirinktos saugyklos versijoje,bandykite kitą saugyklą arba skirtingą žaidimo versiją. + + + Cheats Downloaded Successfully + Sukčiavimai sėkmingai atsisiųsti + + + CheatsDownloadedSuccessfully_MSG + Sėkmingai atsisiuntėte sukčiavimus šios žaidimo versijos iš pasirinktos saugyklos. Galite pabandyti atsisiųsti iš kitos saugyklos, jei ji yra prieinama, taip pat bus galima ją naudoti pasirinkus failą iš sąrašo. + + + Failed to save: + Nepavyko išsaugoti: + + + Failed to download: + Nepavyko atsisiųsti: + + + Download Complete + Atsisiuntimas baigtas + + + DownloadComplete_MSG + Pataisos sėkmingai atsisiųstos! Visos pataisos visiems žaidimams buvo atsisiųstos, nebėra reikalo jas atsisiųsti atskirai kiekvienam žaidimui, kaip tai vyksta su sukčiavimais. Jei pleistras nepasirodo, gali būti, kad jo nėra tam tikram žaidimo serijos numeriui ir versijai. + + + Failed to parse JSON data from HTML. + Nepavyko išanalizuoti JSON duomenų iš HTML. + + + Failed to retrieve HTML page. + Nepavyko gauti HTML puslapio. + + + The game is in version: %1 + Žaidimas yra versijoje: %1 + + + The downloaded patch only works on version: %1 + Parsisiųstas pataisas veikia tik versijoje: %1 + + + You may need to update your game. + Gali tekti atnaujinti savo žaidimą. + + + Incompatibility Notice + Suderinamumo pranešimas + + + Failed to open file: + Nepavyko atidaryti failo: + + + XML ERROR: + XML KLAIDA: + + + Failed to open files.json for writing + Nepavyko atidaryti files.json rašymui + + + Author: + Autorius: + + + Directory does not exist: + Katalogas neegzistuoja: + + + Failed to open files.json for reading. + Nepavyko atidaryti files.json skaitymui. + + + Name: + Pavadinimas: + + + Can't apply cheats before the game is started + Negalima taikyti sukčiavimų prieš pradedant žaidimą. + + + Close + Uždaryti + + + + CheckUpdate + + Auto Updater + Automatinis atnaujinimas + + + Error + Klaida + + + Network error: + Tinklo klaida: + + + Error_Github_limit_MSG + Automatinis atnaujinimas leidžia iki 60 atnaujinimų patikrinimų per valandą.\nJūs pasiekėte šią ribą. Bandykite dar kartą vėliau. + + + Failed to parse update information. + Nepavyko išanalizuoti atnaujinimo informacijos. + + + No pre-releases found. + Išankstinių leidimų nerasta. + + + Invalid release data. + Neteisingi leidimo duomenys. + + + No download URL found for the specified asset. + Nerasta atsisiuntimo URL nurodytam turtui. + + + Your version is already up to date! + Jūsų versija jau atnaujinta! + + + Update Available + Prieinama atnaujinimas + + + Update Channel + Atnaujinimo Kanalas + + + Current Version + Esama versija + + + Latest Version + Paskutinė versija + + + Do you want to update? + Ar norite atnaujinti? + + + Show Changelog + Rodyti pakeitimų sąrašą + + + Check for Updates at Startup + Tikrinti naujinimus paleidus + + + Update + Atnaujinti + + + No + Ne + + + Hide Changelog + Slėpti pakeitimų sąrašą + + + Changes + Pokyčiai + + + Network error occurred while trying to access the URL + Tinklo klaida bandant pasiekti URL + + + Download Complete + Atsisiuntimas baigtas + + + The update has been downloaded, press OK to install. + Atnaujinimas buvo atsisiųstas, paspauskite OK, kad įdiegtumėte. + + + Failed to save the update file at + Nepavyko išsaugoti atnaujinimo failo + + + Starting Update... + Pradedama atnaujinimas... + + + Failed to create the update script file + Nepavyko sukurti atnaujinimo scenarijaus failo + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Naudojamos suderinamumo duomenis, prašome palaukti + + + Cancel + Atšaukti + + + Loading... + Kraunama... + + + Error + Klaida + + + Unable to update compatibility data! Try again later. + Negalima atnaujinti suderinamumo duomenų! Bandykite vėliau. + + + Unable to open compatibility_data.json for writing. + Negalima atidaryti compatibility_data.json failo rašymui. + + + Unknown + Nežinoma + + + Nothing + Nėra + + + Boots + Batai + + + Menus + Meniu + + + Ingame + Žaidime + + + Playable + Žaidžiamas + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikona + + + Name + Vardas + + + Serial + Serijinis numeris + + + Compatibility + Compatibility + + + Region + Regionas + + + Firmware + Firmvare + + + Size + Dydis + + + Version + Versija + + + Path + Kelias + + + Play Time + Žaidimo laikas + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Spustelėkite, kad pamatytumėte detales GitHub + + + Last updated + Paskutinį kartą atnaujinta + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Atidaryti Katalogą... + + + Open Game Folder + Atidaryti Žaidimo Katalogą + + + Open Save Data Folder + Atidaryti Išsaugotų Duomenų Katalogą + + + Open Log Folder + Atidaryti Žurnalų Katalogą + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Cheats / Patches + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Patikrinti atnaujinimus + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Atsisiųsti Apgaules / Pleistrus + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Pagalba + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Žaidimų sąrašas + + + * Unsupported Vulkan Version + * Nepalaikoma Vulkan versija + + + Download Cheats For All Installed Games + Atsisiųsti sukčiavimus visiems įdiegtiems žaidimams + + + Download Patches For All Games + Atsisiųsti pataisas visiems žaidimams + + + Download Complete + Atsisiuntimas baigtas + + + You have downloaded cheats for all the games you have installed. + Jūs atsisiuntėte sukčiavimus visiems jūsų įdiegtiesiems žaidimams. + + + Patches Downloaded Successfully! + Pataisos sėkmingai atsisiųstos! + + + All Patches available for all games have been downloaded. + Visos pataisos visiems žaidimams buvo atsisiųstos. + + + Games: + Žaidimai: + + + ELF files (*.bin *.elf *.oelf) + ELF failai (*.bin *.elf *.oelf) + + + Game Boot + Žaidimo paleidimas + + + Only one file can be selected! + Galite pasirinkti tik vieną failą! + + + PKG Extraction + PKG ištraukimas + + + Patch detected! + Rasta atnaujinimą! + + + PKG and Game versions match: + PKG ir žaidimo versijos sutampa: + + + Would you like to overwrite? + Ar norite perrašyti? + + + PKG Version %1 is older than installed version: + PKG versija %1 yra senesnė nei įdiegta versija: + + + Game is installed: + Žaidimas įdiegtas: + + + Would you like to install Patch: + Ar norite įdiegti atnaujinimą: + + + DLC Installation + DLC diegimas + + + Would you like to install DLC: %1? + Ar norite įdiegti DLC: %1? + + + DLC already installed: + DLC jau įdiegtas: + + + Game already installed + Žaidimas jau įdiegtas + + + PKG ERROR + PKG KLAIDA + + + Extracting PKG %1/%2 + Ekstrakcinis PKG %1/%2 + + + Extraction Finished + Ekstrakcija baigta + + + Game successfully installed at %1 + Žaidimas sėkmingai įdiegtas %1 + + + File doesn't appear to be a valid PKG file + Failas atrodo, kad nėra galiojantis PKG failas + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Vardas + + + Serial + Serijinis numeris + + + Installed + + + + Size + Dydis + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Regionas + + + Flags + + + + Path + Kelias + + + File + File + + + PKG ERROR + PKG KLAIDA + + + Unknown + Nežinoma + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Viso ekranas + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Numatytoji kortelė atidarius nustatymus + + + Show Game Size In List + Rodyti žaidimo dydį sąraše + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Įjungti Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Atidaryti žurnalo vietą + + + Input + Įvestis + + + Cursor + Žymeklis + + + Hide Cursor + Slėpti žymeklį + + + Hide Cursor Idle Timeout + Žymeklio paslėpimo neveikimo laikas + + + s + s + + + Controller + Valdiklis + + + Back Button Behavior + Atgal mygtuko elgsena + + + Graphics + Graphics + + + GUI + Interfeisa + + + User + Naudotojas + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Keliai + + + Game Folders + Žaidimų aplankai + + + Add... + Pridėti... + + + Remove + Pašalinti + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Atnaujinimas + + + Check for Updates at Startup + Tikrinti naujinimus paleidus + + + Always Show Changelog + Visada rodyti pakeitimų žurnalą + + + Update Channel + Atnaujinimo Kanalas + + + Check for Updates + Patikrinkite atnaujinimus + + + GUI Settings + GUI Nustatymai + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Groti antraštės muziką + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Garsumas + + + Save + Įrašyti + + + Apply + Taikyti + + + Restore Defaults + Atkurti numatytuosius nustatymus + + + Close + Uždaryti + + + Point your mouse at an option to display its description. + Žymeklį nukreipkite ant pasirinkimo, kad pamatytumėte jo aprašymą. + + + consoleLanguageGroupBox + Konsole kalba:\nNustato kalbą, kurią naudoja PS4 žaidimai.\nRekomenduojama nustatyti kalbą, kurią palaiko žaidimas, priklausomai nuo regiono. + + + emulatorLanguageGroupBox + Emuliatoriaus kalba:\nNustato emuliatoriaus vartotojo sąsajos kalbą. + + + fullscreenCheckBox + Įjungti visą ekraną:\nAutomatiškai perjungia žaidimo langą į viso ekrano režimą.\nTai galima išjungti paspaudus F11 klavišą. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Rodyti paleidimo ekraną:\nPaleidimo metu rodo žaidimo paleidimo ekraną (ypatingą vaizdą). + + + discordRPCCheckbox + Įjungti Discord Rich Presence:\nRodo emuliatoriaus ikoną ir susijusią informaciją jūsų Discord profilyje. + + + userName + Vartotojo vardas:\nNustato PS4 paskyros vartotojo vardą, kuris gali būti rodomas kai kuriuose žaidimuose. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Žurnalo tipas:\nNustato, ar sinchronizuoti žurnalo lango išvestį našumui. Tai gali turėti neigiamą poveikį emuliacijai. + + + logFilter + Žurnalo filtras:\nFiltruojamas žurnalas, kad būtų spausdinama tik konkreti informacija.\nPavyzdžiai: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Lygiai: Trace, Debug, Info, Warning, Error, Critical - šia tvarka, konkretus lygis nutildo visus ankstesnius lygius sąraše ir registruoja visus vėlesnius. + + + updaterGroupBox + Atnaujinti:\nRelease: Oficialios versijos, išleidžiamos kiekvieną mėnesį, kurios gali būti labai pasenusios, tačiau yra patikimos ir išbandytos.\nNightly: Vystymo versijos, kuriose yra visos naujausios funkcijos ir taisymai, tačiau gali turėti klaidų ir būti mažiau stabilios. + + + GUIMusicGroupBox + Groti antraščių muziką:\nJei žaidimas tai palaiko, įjungia specialios muzikos grojimą, kai pasirinkite žaidimą GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Slėpti žymeklį:\nPasirinkite, kada žymeklis dings:\nNiekuomet: Visada matysite pelę.\nNeaktyvus: Nustatykite laiką, po kurio ji dings, kai bus neaktyvi.\nVisada: niekada nematysite pelės. + + + idleTimeoutGroupBox + Nustatykite laiką, po kurio pelė dings, kai bus neaktyvi. + + + backButtonBehaviorGroupBox + Atgal mygtuko elgesys:\nNustato valdiklio atgal mygtuką imituoti paspaudimą nurodytoje vietoje PS4 jutiklinėje plokštėje. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Niekada + + + Idle + Neaktyvus + + + Always + Visada + + + Touchpad Left + Jutiklinis Paviršius Kairėje + + + Touchpad Right + Jutiklinis Paviršius Dešinėje + + + Touchpad Center + Jutiklinis Paviršius Centre + + + None + Nieko + + + graphicsAdapterGroupBox + Grafikos įrenginys:\nDaugiagrafikėse sistemose pasirinkite GPU, kurį emuliatorius naudos iš išskleidžiamojo sąrašo,\n arba pasirinkite "Auto Select", kad jis būtų nustatytas automatiškai. + + + resolutionLayout + Plotis/Aukštis:\nNustato emuliatoriaus lango dydį paleidimo metu, kurį galima keisti žaidimo metu.\nTai skiriasi nuo žaidimo rezoliucijos. + + + heightDivider + Vblank daliklis:\nKadrų dažnis, kuriuo emuliatorius atnaujinamas, dauginamas iš šio skaičiaus. Pakeitus tai gali turėti neigiamą poveikį, pvz., padidinti žaidimo greitį arba sukelti kritinių žaidimo funkcijų sugadinimą, kurios to nesitikėjo! + + + dumpShadersCheckBox + Įjungti šešėlių išmetimą:\nTechninio derinimo tikslais saugo žaidimo šešėlius į aplanką juos renderuojant. + + + nullGpuCheckBox + Įjungti tuščią GPU:\nTechninio derinimo tikslais išjungia žaidimo renderiavimą, tarsi nebūtų grafikos plokštės. + + + gameFoldersBox + Žaidimų aplankai:\nAplankų sąrašas, kurį reikia patikrinti, ar yra įdiegtų žaidimų. + + + addFolderButton + Pridėti:\nPridėti aplanką į sąrašą. + + + removeFolderButton + Pašalinti:\nPašalinti aplanką iš sąrašo. + + + debugDump + Įjungti derinimo išmetimą:\nIšsaugo importo ir eksporto simbolius bei failo antraštės informaciją apie šiuo metu vykdomą PS4 programą į katalogą. + + + vkValidationCheckBox + Įjungti Vulkan patvirtinimo sluoksnius:\nĮjungia sistemą, kuri patvirtina Vulkan renderio būseną ir registruoja informaciją apie jo vidinę būseną. Tai sumažins našumą ir tikriausiai pakeis emuliacijos elgesį. + + + vkSyncValidationCheckBox + Įjungti Vulkan sinchronizacijos patvirtinimą:\nĮjungia sistemą, kuri patvirtina Vulkan renderavimo užduočių laiką. Tai sumažins našumą ir tikriausiai pakeis emuliacijos elgesį. + + + rdocCheckBox + Įjungti RenderDoc derinimą:\nJei įjungta, emuliatorius suteiks suderinamumą su Renderdoc, kad būtų galima užfiksuoti ir analizuoti šiuo metu renderuojamą kadrą. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + diff --git a/src/qt_gui/translations/nb.ts b/src/qt_gui/translations/nb.ts deleted file mode 100644 index c6e20466d..000000000 --- a/src/qt_gui/translations/nb.ts +++ /dev/null @@ -1,1515 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - Om shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 er en eksperimentell åpen kildekode-emulator for PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Denne programvaren skal ikke brukes til å spille spill du ikke har fått lovlig. - - - - ElfViewer - - Open Folder - Åpne mappe - - - - GameInfoClass - - Loading game list, please wait :3 - Laster spill-liste, vennligst vent :3 - - - Cancel - Avbryt - - - Loading... - Laster... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Velg mappe - - - Select which directory you want to install to. - Velg hvilken mappe du vil installere til. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Velg mappe - - - Directory to install games - Mappe for å installere spill - - - Browse - Bla gjennom - - - Error - Feil - - - The value for location to install games is not valid. - Stien for å installere spillet er ikke gyldig. - - - - GuiContextMenus - - Create Shortcut - Lag snarvei - - - Cheats / Patches - Juks / Programrettelse - - - SFO Viewer - SFO viser - - - Trophy Viewer - Trofé viser - - - Open Folder... - Åpne mappe... - - - Open Game Folder - Åpne spillmappen - - - Open Save Data Folder - Åpne lagrede datamappen - - - Open Log Folder - Åpne loggmappen - - - Copy info... - Kopier info... - - - Copy Name - Kopier navn - - - Copy Serial - Kopier serienummer - - - Copy Version - Kopier versjon - - - Copy Size - Kopier størrelse - - - Copy All - Kopier alt - - - Delete... - Slett... - - - Delete Game - Slett spill - - - Delete Update - Slett oppdatering - - - Delete DLC - Slett DLC - - - Compatibility... - Kompatibilitet... - - - Update database - Oppdater database - - - View report - Vis rapport - - - Submit a report - Send inn en rapport - - - Shortcut creation - Snarvei opprettelse - - - Shortcut created successfully! - Snarvei opprettet! - - - Error - Feil - - - Error creating shortcut! - Feil ved opprettelse av snarvei! - - - Install PKG - Installer PKG - - - Game - Spill - - - requiresEnableSeparateUpdateFolder_MSG - Denne funksjonen krever 'Aktiver seperat oppdateringsmappe' konfigurasjonsalternativet. Hvis du vil bruke denne funksjonen, må du aktiver den. - - - This game has no update to delete! - Dette spillet har ingen oppdatering å slette! - - - Update - Oppdater - - - This game has no DLC to delete! - Dette spillet har ingen DLC å slette! - - - DLC - DLC - - - Delete %1 - Slett %1 - - - Are you sure you want to delete %1's %2 directory? - Er du sikker på at du vil slette %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Åpne/Legg til Elf-mappe - - - Install Packages (PKG) - Installer pakker (PKG) - - - Boot Game - Start spill - - - Check for Updates - Se etter oppdateringer - - - About shadPS4 - Om shadPS4 - - - Configure... - Konfigurer... - - - Install application from a .pkg file - Installer fra en .pkg fil - - - Recent Games - Nylige spill - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Avslutt - - - Exit shadPS4 - Avslutt shadPS4 - - - Exit the application. - Avslutt programmet. - - - Show Game List - Vis spill-listen - - - Game List Refresh - Oppdater spill-listen - - - Tiny - Bitteliten - - - Small - Liten - - - Medium - Medium - - - Large - Stor - - - List View - Liste-visning - - - Grid View - Rute-visning - - - Elf Viewer - Elf-visning - - - Game Install Directory - Spillinstallasjons-mappe - - - Download Cheats/Patches - Last ned juks/programrettelse - - - Dump Game List - Dump spill-liste - - - PKG Viewer - PKG viser - - - Search... - Søk... - - - File - Fil - - - View - Oversikt - - - Game List Icons - Spill-liste ikoner - - - Game List Mode - Spill-liste modus - - - Settings - Innstillinger - - - Utils - Verktøy - - - Themes - Tema - - - Help - Hjelp - - - Dark - Mørk - - - Light - Lys - - - Green - Grønn - - - Blue - Blå - - - Violet - Lilla - - - toolBar - Verktøylinje - - - Game List - Spill-liste - - - * Unsupported Vulkan Version - * Ustøttet Vulkan-versjon - - - Download Cheats For All Installed Games - Last ned juks for alle installerte spill - - - Download Patches For All Games - Last ned programrettelser for alle spill - - - Download Complete - Nedlasting fullført - - - You have downloaded cheats for all the games you have installed. - Du har lastet ned juks for alle spillene du har installert. - - - Patches Downloaded Successfully! - Programrettelser ble lastet ned! - - - All Patches available for all games have been downloaded. - Programrettelser tilgjengelige for alle spill har blitt lastet ned. - - - Games: - Spill: - - - PKG File (*.PKG) - PKG-fil (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF-filer (*.bin *.elf *.oelf) - - - Game Boot - Spilloppstart - - - Only one file can be selected! - Kun én fil kan velges! - - - PKG Extraction - PKG-utpakking - - - Patch detected! - Programrettelse oppdaget! - - - PKG and Game versions match: - PKG og spillversjoner stemmer overens: - - - Would you like to overwrite? - Ønsker du å overskrive? - - - PKG Version %1 is older than installed version: - PKG-versjon %1 er eldre enn installert versjon: - - - Game is installed: - Spillet er installert: - - - Would you like to install Patch: - Ønsker du å installere programrettelsen: - - - DLC Installation - DLC installasjon - - - Would you like to install DLC: %1? - Ønsker du å installere DLC: %1? - - - DLC already installed: - DLC allerede installert: - - - Game already installed - Spillet er allerede installert - - - PKG is a patch, please install the game first! - PKG er en programrettelse, vennligst installer spillet først! - - - PKG ERROR - PKG FEIL - - - Extracting PKG %1/%2 - Pakker ut PKG %1/%2 - - - Extraction Finished - Utpakking fullført - - - Game successfully installed at %1 - Spillet ble installert i %1 - - - File doesn't appear to be a valid PKG file - Filen ser ikke ut til å være en gyldig PKG-fil - - - - PKGViewer - - Open Folder - Åpne mappe - - - - TrophyViewer - - Trophy Viewer - Trofé viser - - - - SettingsDialog - - Settings - Innstillinger - - - General - Generell - - - System - System - - - Console Language - Konsollspråk - - - Emulator Language - Emulatorspråk - - - Emulator - Emulator - - - Enable Fullscreen - Aktiver fullskjerm - - - Fullscreen Mode - Fullskjermmodus - - - Enable Separate Update Folder - Aktiver seperat oppdateringsmappe - - - Default tab when opening settings - Standardfanen når innstillingene åpnes - - - Show Game Size In List - Vis spillstørrelse i listen - - - Show Splash - Vis velkomstbilde - - - Is PS4 Pro - Er PS4 Pro - - - Enable Discord Rich Presence - Aktiver Discord Rich Presence - - - Username - Brukernavn - - - Trophy Key - Trofénøkkel - - - Trophy - Trofé - - - Logger - Logger - - - Log Type - Logg type - - - Log Filter - Logg filter - - - Open Log Location - Åpne loggplassering - - - Input - Inndata - - - Cursor - Musepeker - - - Hide Cursor - Skjul musepeker - - - Hide Cursor Idle Timeout - Skjul musepeker ved inaktivitet - - - s - s - - - Controller - Kontroller - - - Back Button Behavior - Tilbakeknapp atferd - - - Graphics - Grafikk - - - GUI - Grensesnitt - - - User - Bruker - - - Graphics Device - Grafikkenhet - - - Width - Bredde - - - Height - Høyde - - - Vblank Divider - Vblank skillelinje - - - Advanced - Avansert - - - Enable Shaders Dumping - Aktiver skyggeleggerdumping - - - Enable NULL GPU - Aktiver NULL GPU - - - Paths - Mapper - - - Game Folders - Spillmapper - - - Add... - Legg til... - - - Remove - Fjern - - - Save Data Path - Lagrede datamappe - - - Browse - Endre mappe - - - saveDataBox - Lagrede datamappe:\nListe over data shadPS4 lagrer. - - - browseButton - Endre mappe:\nEndrer hvilken mappe shadPS4 skal lagre data til. - - - Debug - Feilretting - - - Enable Debug Dumping - Aktiver feilrettingsdumping - - - Enable Vulkan Validation Layers - Aktiver Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Aktiver Vulkan synkroniseringslag - - - Enable RenderDoc Debugging - Aktiver RenderDoc feilretting - - - Enable Crash Diagnostics - Aktiver krasjdiagnostikk - - - Collect Shaders - Lagre skyggeleggere - - - Copy GPU Buffers - Kopier GPU-buffere - - - Host Debug Markers - Vertsfeilsøkingsmarkører - - - Guest Debug Markers - Gjestefeilsøkingsmarkører - - - Update - Oppdatering - - - Check for Updates at Startup - Se etter oppdateringer ved oppstart - - - Update Channel - Oppdateringskanal - - - Check for Updates - Se etter oppdateringer - - - GUI Settings - Grensesnitt-innstillinger - - - Title Music - Tittelmusikk - - - Disable Trophy Pop-ups - Deaktiver trofé hurtigmeny - - - Background Image - Bakgrunnsbilde - - - Show Background Image - Vis bakgrunnsbilde - - - Opacity - Synlighet - - - Play title music - Spill tittelmusikk - - - Update Compatibility Database On Startup - Oppdater database ved oppstart - - - Game Compatibility - Spill kompatibilitet - - - Display Compatibility Data - Vis kompatibilitets-data - - - Update Compatibility Database - Oppdater kompatibilitets-database - - - Volume - Volum - - - Audio Backend - Lydsystem - - - Save - Lagre - - - Apply - Bruk - - - Restore Defaults - Gjenopprett standardinnstillinger - - - Close - Lukk - - - Point your mouse at an option to display its description. - Pek musen over et alternativ for å vise beskrivelsen. - - - consoleLanguageGroupBox - Konsollspråk:\nAngir språket som PS4-spillet bruker.\nDet anbefales å sette dette til et språk som spillet støtter, noe som kan variere avhengig av region. - - - emulatorLanguageGroupBox - Emulatorspråket:\nAngir språket for emulatorens brukergrensesnitt. - - - fullscreenCheckBox - Aktiver fullskjerm:\nSetter spillvinduet automatisk i fullskjermmodus.\nDette kan slås av ved å trykke på F11-tasten. - - - separateUpdatesCheckBox - Aktiver separat oppdateringsmappe:\nAktiverer installering av spill i en egen mappe for enkel administrasjon. - - - showSplashCheckBox - Vis velkomstbilde:\nViser spillets velkomstbilde (et spesialbilde) når spillet starter. - - - ps4proCheckBox - Er PS4 Pro:\nFår emulatoren til å fungere som en PS4 PRO, noe som kan aktivere spesielle funksjoner i spill som støtter dette. - - - discordRPCCheckbox - Aktiver Discord Rich Presence:\nViser emulatorikonet og relevant informasjon på Discord-profilen din. - - - userName - Brukernavn:\nAngir brukernavnet for PS4-kontoen, som kan vises av enkelte spill. - - - TrophyKey - Trofénøkkel:\nNøkkel brukes til å dekryptere trofeer. Må hentes fra din konsoll (jailbroken).\nMå bare inneholde sekskantede tegn. - - - logTypeGroupBox - Logg type:\nAngir om loggvinduets utdata skal synkroniseres for ytelse. Kan ha negative effekter for emulatoren. - - - logFilter - Logg filter:\nFiltrerer loggen for å kun skrive ut spesifikk informasjon.\nEksempler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Nivåer: Trace, Debug, Info, Warning, Error, Critical - i denne rekkefølgen, et spesifikt nivå demper alle tidligere nivåer i listen og logger alle nivåer etter det. - - - updaterGroupBox - Oppdatering:\nRelease: Offisielle versjoner utgitt hver måned som kan være veldig utdaterte, men er mer pålitelige og testet.\nNightly: Utviklingsversjoner som har alle de nyeste funksjonene og feilrettingene, men som kan inneholde feil og er mindre stabile. - - - GUIBackgroundImageGroupBox - Bakgrunnsbilde:\nEndrer synligheten til spillets bakgrunnsbilde. - - - GUIMusicGroupBox - Spille tittelmusikk:\nHvis et spill støtter det, så aktiveres det spesiell musikk når du velger spillet i menyen. - - - disableTrophycheckBox - Deaktiver trofé hurtigmeny:\nDeaktiver trofévarsler i spillet. Trofé-fremgang kan fortsatt ved help av troféviseren (høyreklikk på spillet i hovedvinduet). - - - hideCursorGroupBox - Skjul musepeker:\nVelg når musepekeren skal forsvinne:\nAldri: Du vil alltid se musepekeren.\nInaktiv: Sett en tid for at den skal forsvinne etter å ha vært inaktiv.\nAlltid: du vil aldri se musepekeren. - - - idleTimeoutGroupBox - Sett en tid for når musepekeren forsvinner etter å ha vært inaktiv. - - - backButtonBehaviorGroupBox - Atferd for tilbaketasten:\nSetter tilbaketasten på kontrolleren til å imitere et trykk på den angitte posisjonen på PS4s berøringsplate. - - - enableCompatibilityCheckBox - Vis kompatibilitets-data:\nViser informasjon om spillkompatibilitet i tabellvisning. Aktiver "Oppdater kompatibilitets-data ved oppstart" for oppdatert informasjon. - - - checkCompatibilityOnStartupCheckBox - Oppdater database ved oppstart:\nOppdaterer kompatibilitets-databasen automatisk når shadPS4 starter. - - - updateCompatibilityButton - Oppdater kompatibilitets-database:\nOppdater kompatibilitets-databasen nå. - - - Never - Aldri - - - Idle - Inaktiv - - - Always - Alltid - - - Touchpad Left - Berøringsplate Venstre - - - Touchpad Right - Berøringsplate Høyre - - - Touchpad Center - Berøringsplate Midt - - - None - Ingen - - - graphicsAdapterGroupBox - Grafikkenhet:\nI systemer med flere GPU-er, velg GPU-en emulatoren skal bruke fra rullegardinlisten,\neller velg "Auto Select" for å velge automatisk. - - - resolutionLayout - Bredde/Høyde:\nAngir størrelsen på emulatorvinduet ved oppstart, som kan endres under spillingen.\nDette er forskjellig fra oppløsningen i spillet. - - - heightDivider - Vblank skillelinje:\nBildehastigheten som emulatoren oppdaterer ved, multipliseres med dette tallet. Endring av dette kan ha negative effekter, som å øke hastigheten av spillet, eller ødelegge kritisk spillfunksjonalitet som ikke forventer at dette endres! - - - dumpShadersCheckBox - Aktiver skyggeleggerdumping:\nFor teknisk feilsøking lagrer skyggeleggerne fra spillet i en mappe mens de gjengis. - - - nullGpuCheckBox - Aktiver Null GPU:\nFor teknisk feilsøking deaktiverer spillets-gjengivelse som om det ikke var noe grafikkort. - - - gameFoldersBox - Spillmapper:\nListe over mapper som brukes for å se etter installerte spill. - - - addFolderButton - Legg til:\nLegg til en mappe til listen. - - - removeFolderButton - Fjern:\nFjern en mappe fra listen. - - - debugDump - Aktiver feilrettingsdumping:\nLagrer import- og eksport-symbolene og filoverskriftsinformasjonen til det nåværende kjørende PS4-programmet i en katalog. - - - vkValidationCheckBox - Aktiver Vulkan Validation Layers:\nAktiverer et system som validerer tilstanden til Vulkan-gjengiveren og logger informasjon om dens indre tilstand. Dette vil redusere ytelsen og sannsynligvis endre emulatorens atferd. - - - vkSyncValidationCheckBox - Aktiver Vulkan synkronisering validering:\nAktiverer et system som validerer frekvens tiden av Vulkan-gjengivelsensoppgaver. Dette vil redusere ytelsen og sannsynligvis endre emulatorens atferd. - - - rdocCheckBox - Aktiver RenderDoc feilsøking:\nHvis aktivert, vil emulatoren gi kompatibilitet med RenderDoc for å tillate opptak og analyse av det nåværende gjengitte bildet. - - - collectShaderCheckBox - Lagre skyggeleggere:\nDu trenger dette aktivert for å redigere skyggeleggerne med feilsøkingsmenyen (Ctrl + F10). - - - crashDiagnosticsCheckBox - Krasjdiagnostikk:\nOppretter en .yaml-fil med informasjon om Vulkan-tilstanden ved krasj.\nNyttig for feilsøking 'Device lost' feil. Hvis du har dette aktivert, burde du aktivere vert OG gjestefeilsøkingsmarkører.\nFunker ikke med Intel GPU-er.\nDu trenger Vulkan Validation Layers og Vulkan SDK for at dette skal fungere. - - - copyGPUBuffersCheckBox - Kopier GPU-buffere:\nKommer rundt løpsforhold som involverer GPU-innsendinger.\nKan muligens hjelpe med PM4 type 0 krasj. - - - hostMarkersCheckBox - Vertsfeilsøkingsmarkører:\nSetter inn emulator-side informasjon som markører for spesifikke AMDGPU-kommandoer rundt Vulkan-kommandoer, i tillegg til å gi ressurser feilrettingsnavn.\nHvis du har dette aktivert, burde du aktivere krasjdiagnostikk.\nNyttig for programmer som RenderDoc. - - - guestMarkersCheckBox - Gjestefeilsøkingsmarkører:\nSetter inn eventuelle feilsøkingsmarkører spillet selv har lagt til kommandobufferen.\nHvis du har dette aktivert, burde du aktivere krasjdiagnostikk.\nNyttig for programmer som RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Juks / Programrettelser for - - - defaultTextEdit_MSG - Juks/programrettelse er eksperimentelle.\nBruk med forsiktighet.\n\nLast ned juks individuelt ved å velge pakkebrønn og klikke på nedlastingsknappen.\nPå fanen programrettelse kan du laste ned alle programrettelser samtidig, velge hvilke du ønsker å bruke, og lagre valget ditt.\n\nSiden vi ikke utvikler Juks/Programrettelse,\nvær vennlig å rapportere problemer til juks/programrettelse utvikleren.\n\nHar du laget en ny juks? Besøk:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Ingen bilde tilgjengelig - - - Serial: - Serienummer: - - - Version: - Versjon: - - - Size: - Størrelse: - - - Select Cheat File: - Velg juksefil: - - - Repository: - Pakkebrønn: - - - Download Cheats - Last ned juks - - - Delete File - Slett fil - - - Close - Lukk - - - No files selected. - Ingen filer valgt. - - - You can delete the cheats you don't want after downloading them. - Du kan slette juks du ikke ønsker etter å ha lastet dem ned. - - - Do you want to delete the selected file?\n%1 - Ønsker du å slette den valgte filen?\n%1 - - - Select Patch File: - Velg programrettelse-filen: - - - Download Patches - Last ned programrettelser - - - Save - Lagre - - - Cheats - Juks - - - Patches - Programrettelse - - - Error - Feil - - - No patch selected. - Ingen programrettelse valgt. - - - Unable to open files.json for reading. - Kan ikke åpne files.json for lesing. - - - No patch file found for the current serial. - Ingen programrettelse-fil funnet for det aktuelle serienummeret. - - - Unable to open the file for reading. - Kan ikke åpne filen for lesing. - - - Unable to open the file for writing. - Kan ikke åpne filen for skriving. - - - Failed to parse XML: - Feil ved tolkning av XML: - - - Success - Vellykket - - - Options saved successfully. - Alternativer ble lagret. - - - Invalid Source - Ugyldig kilde - - - The selected source is invalid. - Den valgte kilden er ugyldig. - - - File Exists - Filen eksisterer - - - File already exists. Do you want to replace it? - Filen eksisterer allerede. Ønsker du å erstatte den? - - - Failed to save file: - Kunne ikke lagre filen: - - - Failed to download file: - Kunne ikke laste ned filen: - - - Cheats Not Found - Fant ikke juks - - - CheatsNotFound_MSG - Ingen juks funnet for dette spillet i denne versjonen av den valgte pakkebrønnen,prøv en annen pakkebrønn eller en annen versjon av spillet. - - - Cheats Downloaded Successfully - Juks ble lastet ned - - - CheatsDownloadedSuccessfully_MSG - Du har lastet ned juks for denne versjonen av spillet fra den valgte pakkebrønnen. Du kan prøve å laste ned fra en annen pakkebrønn, hvis det er tilgjengelig, vil det også være mulig å bruke det ved å velge filen fra listen. - - - Failed to save: - Kunne ikke lagre: - - - Failed to download: - Kunne ikke laste ned: - - - Download Complete - Nedlasting fullført - - - DownloadComplete_MSG - Programrettelser ble lastet ned! Alle programrettelsene tilgjengelige for alle spill har blitt lastet ned, det er ikke nødvendig å laste dem ned individuelt for hvert spill som skjer med juks. Hvis programrettelsen ikke vises, kan det hende at den ikke finnes for den spesifikke serienummeret og versjonen av spillet. - - - Failed to parse JSON data from HTML. - Kunne ikke analysere JSON-data fra HTML. - - - Failed to retrieve HTML page. - Kunne ikke hente HTML-side. - - - The game is in version: %1 - Spillet er i versjon: %1 - - - The downloaded patch only works on version: %1 - Den nedlastede programrettelsen fungerer bare på versjon: %1 - - - You may need to update your game. - Du må kanskje oppdatere spillet ditt. - - - Incompatibility Notice - Inkompatibilitets-varsel - - - Failed to open file: - Kunne ikke åpne filen: - - - XML ERROR: - XML FEIL: - - - Failed to open files.json for writing - Kunne ikke åpne files.json for skriving - - - Author: - Forfatter: - - - Directory does not exist: - Mappen eksisterer ikke: - - - Failed to open files.json for reading. - Kunne ikke åpne files.json for lesing. - - - Name: - Navn: - - - Can't apply cheats before the game is started - Kan ikke bruke juks før spillet er startet. - - - - GameListFrame - - Icon - Ikon - - - Name - Navn - - - Serial - Serienummer - - - Compatibility - Kompatibilitet - - - Region - Region - - - Firmware - Fastvare - - - Size - Størrelse - - - Version - Versjon - - - Path - Adresse - - - Play Time - Spilletid - - - Never Played - Aldri spilt - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - kompatibilitet er utestet - - - Game does not initialize properly / crashes the emulator - Spillet initialiseres ikke riktig / krasjer emulatoren - - - Game boots, but only displays a blank screen - Spillet starter, men viser bare en tom skjerm - - - Game displays an image but does not go past the menu - Spillet viser et bilde, men går ikke forbi menyen - - - Game has game-breaking glitches or unplayable performance - Spillet har spillbrytende feil eller uspillbar ytelse - - - Game can be completed with playable performance and no major glitches - Spillet kan fullføres med spillbar ytelse og uten store feil - - - Click to see details on github - Klikk for å se detaljer på GitHub - - - Last updated - Sist oppdatert - - - - CheckUpdate - - Auto Updater - Automatisk oppdatering - - - Error - Feil - - - Network error: - Nettverksfeil: - - - Error_Github_limit_MSG - Den automatiske oppdateringen tillater opptil 60 oppdateringssjekker per time.\nDu har nådd denne grensen. Prøv igjen senere. - - - Failed to parse update information. - Kunne ikke analysere oppdaterings-informasjonen. - - - No pre-releases found. - Fant ingen forhåndsutgivelser. - - - Invalid release data. - Ugyldige utgivelsesdata. - - - No download URL found for the specified asset. - Ingen nedlastings-URL funnet for den spesifiserte ressursen. - - - Your version is already up to date! - Din versjon er allerede oppdatert! - - - Update Available - Oppdatering tilgjengelig - - - Update Channel - Oppdateringskanal - - - Current Version - Gjeldende versjon - - - Latest Version - Nyeste versjon - - - Do you want to update? - Vil du oppdatere? - - - Show Changelog - Vis endringslogg - - - Check for Updates at Startup - Se etter oppdateringer ved oppstart - - - Update - Oppdater - - - No - Nei - - - Hide Changelog - Skjul endringslogg - - - Changes - Endringer - - - Network error occurred while trying to access the URL - Nettverksfeil oppstod mens vi prøvde å få tilgang til URL - - - Download Complete - Nedlasting fullført - - - The update has been downloaded, press OK to install. - Oppdateringen har blitt lastet ned, trykk OK for å installere. - - - Failed to save the update file at - Kunne ikke lagre oppdateringsfilen på - - - Starting Update... - Starter oppdatering... - - - Failed to create the update script file - Kunne ikke opprette oppdateringsskriptfilen - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Henter kompatibilitetsdata, vennligst vent - - - Cancel - Avbryt - - - Loading... - Laster... - - - Error - Feil - - - Unable to update compatibility data! Try again later. - Kan ikke oppdatere kompatibilitetsdata! Prøv igjen senere. - - - Unable to open compatibility_data.json for writing. - Kan ikke åpne compatibility_data.json for skriving. - - - Unknown - Ukjent - - - Nothing - Ingenting - - - Boots - Starter opp - - - Menus - Menyene - - - Ingame - I spill - - - Playable - Spillbar - - - diff --git a/src/qt_gui/translations/nl.ts b/src/qt_gui/translations/nl.ts deleted file mode 100644 index 2b939046d..000000000 --- a/src/qt_gui/translations/nl.ts +++ /dev/null @@ -1,1475 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Cheats / Patches - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Map openen... - - - Open Game Folder - Open Spelmap - - - Open Save Data Folder - Open Map voor Opslagdata - - - Open Log Folder - Open Logmap - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Controleren op updates - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Download Cheats/Patches - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Help - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Lijst met spellen - - - * Unsupported Vulkan Version - * Niet ondersteunde Vulkan-versie - - - Download Cheats For All Installed Games - Download cheats voor alle geïnstalleerde spellen - - - Download Patches For All Games - Download patches voor alle spellen - - - Download Complete - Download voltooid - - - You have downloaded cheats for all the games you have installed. - Je hebt cheats gedownload voor alle spellen die je hebt geïnstalleerd. - - - Patches Downloaded Successfully! - Patches succesvol gedownload! - - - All Patches available for all games have been downloaded. - Alle patches voor alle spellen zijn gedownload. - - - Games: - Spellen: - - - PKG File (*.PKG) - PKG-bestand (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF-bestanden (*.bin *.elf *.oelf) - - - Game Boot - Spelopstart - - - Only one file can be selected! - Je kunt slechts één bestand selecteren! - - - PKG Extraction - PKG-extractie - - - Patch detected! - Patch gedetecteerd! - - - PKG and Game versions match: - PKG- en gameversies komen overeen: - - - Would you like to overwrite? - Wilt u overschrijven? - - - PKG Version %1 is older than installed version: - PKG-versie %1 is ouder dan de geïnstalleerde versie: - - - Game is installed: - Game is geïnstalleerd: - - - Would you like to install Patch: - Wilt u de patch installeren: - - - DLC Installation - DLC-installatie - - - Would you like to install DLC: %1? - Wilt u DLC installeren: %1? - - - DLC already installed: - DLC al geïnstalleerd: - - - Game already installed - Game al geïnstalleerd - - - PKG is a patch, please install the game first! - PKG is een patch, installeer eerst het spel! - - - PKG ERROR - PKG FOUT - - - Extracting PKG %1/%2 - PKG %1/%2 aan het extraheren - - - Extraction Finished - Extractie voltooid - - - Game successfully installed at %1 - Spel succesvol geïnstalleerd op %1 - - - File doesn't appear to be a valid PKG file - Het bestand lijkt geen geldig PKG-bestand te zijn - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Volledig schermmodus - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Standaardtabblad bij het openen van instellingen - - - Show Game Size In List - Toon grootte van het spel in de lijst - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Discord Rich Presence inschakelen - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Loglocatie openen - - - Input - Invoer - - - Cursor - Cursor - - - Hide Cursor - Cursor verbergen - - - Hide Cursor Idle Timeout - Inactiviteit timeout voor het verbergen van de cursor - - - s - s - - - Controller - Controller - - - Back Button Behavior - Achterknop gedrag - - - Graphics - Graphics - - - GUI - Interface - - - User - Gebruiker - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Pad - - - Game Folders - Spelmappen - - - Add... - Toevoegen... - - - Remove - Verwijderen - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Bijwerken - - - Check for Updates at Startup - Bij opstart op updates controleren - - - Always Show Changelog - Altijd changelog tonen - - - Update Channel - Updatekanaal - - - Check for Updates - Controleren op updates - - - GUI Settings - GUI-Instellingen - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Titelmuziek afspelen - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Volume - - - Audio Backend - Audio Backend - - - Save - Opslaan - - - Apply - Toepassen - - - Restore Defaults - Standaardinstellingen herstellen - - - Close - Sluiten - - - Point your mouse at an option to display its description. - Wijzig de muisaanwijzer naar een optie om de beschrijving weer te geven. - - - consoleLanguageGroupBox - Console Taal:\nStelt de taal in die het PS4-spel gebruikt.\nHet wordt aanbevolen om dit in te stellen op een taal die het spel ondersteunt, wat kan variëren per regio. - - - emulatorLanguageGroupBox - Emulator Taal:\nStelt de taal van de gebruikersinterface van de emulator in. - - - fullscreenCheckBox - Volledig scherm inschakelen:\nZet het gamevenster automatisch in de volledig scherm modus.\nDit kan worden omgeschakeld door op de F11-toets te drukken. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Opstartscherm weergeven:\nToont het opstartscherm van het spel (een speciale afbeelding) tijdens het starten van het spel. - - - ps4proCheckBox - Is PS4 Pro:\nLaat de emulator zich gedragen als een PS4 PRO, wat speciale functies kan inschakelen in games die dit ondersteunen. - - - discordRPCCheckbox - Discord Rich Presence inschakelen:\nToont het emulatoricoon en relevante informatie op je Discord-profiel. - - - userName - Gebruikersnaam:\nStelt de gebruikersnaam van het PS4-account in, die door sommige games kan worden weergegeven. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Logtype:\nStelt in of de uitvoer van het logvenster moet worden gesynchroniseerd voor prestaties. Kan nadelige effecten hebben op emulatie. - - - logFilter - Logfilter:\nFiltert het logboek om alleen specifieke informatie af te drukken.\nVoorbeelden: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaus: Trace, Debug, Info, Waarschuwing, Fout, Kritiek - in deze volgorde, een specifiek niveau dempt alle voorgaande niveaus in de lijst en logt alle niveaus daarna. - - - updaterGroupBox - Updateren:\nRelease: Officiële versies die elke maand worden uitgebracht, die zeer verouderd kunnen zijn, maar betrouwbaar en getest zijn.\nNightly: Ontwikkelingsversies die alle nieuwste functies en bugfixes bevatten, maar mogelijk bugs bevatten en minder stabiel zijn. - - - GUIMusicGroupBox - Speel titelsong:\nAls een game dit ondersteunt, wordt speciale muziek afgespeeld wanneer je het spel in de GUI selecteert. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Verberg cursor:\nKies wanneer de cursor verdwijnt:\nNooit: Je ziet altijd de muis.\nInactief: Stel een tijd in waarna deze verdwijnt na inactiviteit.\nAltijd: je ziet de muis nooit. - - - idleTimeoutGroupBox - Stel een tijd in voor wanneer de muis verdwijnt na inactiviteit. - - - backButtonBehaviorGroupBox - Gedrag van de terugknop:\nStelt de terugknop van de controller in om een aanraking op de opgegeven positie op de PS4-touchpad na te bootsen. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Nooit - - - Idle - Inactief - - - Always - Altijd - - - Touchpad Left - Touchpad Links - - - Touchpad Right - Touchpad Rechts - - - Touchpad Center - Touchpad Midden - - - None - Geen - - - graphicsAdapterGroupBox - Grafische adapter:\nIn systemen met meerdere GPU's, kies de GPU die de emulator uit de vervolgkeuzelijst moet gebruiken,\nof kies "Auto Select" om dit automatisch in te stellen. - - - resolutionLayout - Breedte/Hoogte:\nStelt de grootte van het emulatorvenster bij het opstarten in, wat tijdens het spelen kan worden gewijzigd.\nDit is anders dan de resolutie in de game. - - - heightDivider - Vblank deler:\nDe frame-rate waartegen de emulator wordt vernieuwd, vermenigvuldigd met dit getal. Dit veranderen kan nadelige effecten hebben, zoals het versnellen van het spel of het verpesten van kritieke gamefunctionaliteiten die niet verwachtten dat dit zou veranderen! - - - dumpShadersCheckBox - Shaderdump inschakelen:\nVoor technische foutopsporing slaat het de shaders van de game op in een map terwijl ze worden gerenderd. - - - nullGpuCheckBox - Null GPU inschakelen:\nVoor technische foutopsporing schakelt de game-rendering uit alsof er geen grafische kaart is. - - - gameFoldersBox - Spelmap:\nDe lijst met mappen om te controleren op geïnstalleerde spellen. - - - addFolderButton - Toevoegen:\nVoeg een map toe aan de lijst. - - - removeFolderButton - Verwijderen:\nVerwijder een map uit de lijst. - - - debugDump - Foutopsporing dump inschakelen:\nSlaat de import- en export-symbolen en de bestandsheaderinformatie van de momenteel draaiende PS4-toepassing op in een map. - - - vkValidationCheckBox - Vulkan validatielaag inschakelen:\nSchakelt een systeem in dat de status van de Vulkan-renderer valideert en informatie over de interne status ervan logt. Dit zal de prestaties verlagen en waarschijnlijk het emulatiegedrag veranderen. - - - vkSyncValidationCheckBox - Vulkan synchronisatievalidatie inschakelen:\nSchakelt een systeem in dat de timing van Vulkan-renderingtaken valideert. Dit zal de prestaties verlagen en waarschijnlijk het emulatiegedrag veranderen. - - - rdocCheckBox - RenderDoc foutopsporing inschakelen:\nAls ingeschakeld, biedt de emulator compatibiliteit met Renderdoc om de momenteel gerenderde frame vast te leggen en te analyseren. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches zijn experimenteel.\nGebruik met voorzichtigheid.\n\nDownload cheats afzonderlijk door het repository te selecteren en op de downloadknop te klikken.\nOp het tabblad Patches kun je alle patches tegelijk downloaden, kiezen welke je wilt gebruiken en je selectie opslaan.\n\nAangezien wij de Cheats/Patches niet ontwikkelen,\nmeld problemen bij de auteur van de cheat.\n\nHeb je een nieuwe cheat gemaakt? Bezoek:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Geen afbeelding beschikbaar - - - Serial: - Serie: - - - Version: - Versie: - - - Size: - Grootte: - - - Select Cheat File: - Selecteer cheatbestand: - - - Repository: - Repository: - - - Download Cheats - Download cheats - - - Delete File - Bestand verwijderen - - - No files selected. - Geen bestanden geselecteerd. - - - You can delete the cheats you don't want after downloading them. - Je kunt de cheats die je niet wilt verwijderen nadat je ze hebt gedownload. - - - Do you want to delete the selected file?\n%1 - Wil je het geselecteerde bestand verwijderen?\n%1 - - - Select Patch File: - Selecteer patchbestand: - - - Download Patches - Download patches - - - Save - Opslaan - - - Cheats - Cheats - - - Patches - Patches - - - Error - Fout - - - No patch selected. - Geen patch geselecteerd. - - - Unable to open files.json for reading. - Kan files.json niet openen voor lezen. - - - No patch file found for the current serial. - Geen patchbestand gevonden voor het huidige serienummer. - - - Unable to open the file for reading. - Kan het bestand niet openen voor lezen. - - - Unable to open the file for writing. - Kan het bestand niet openen voor schrijven. - - - Failed to parse XML: - XML parsing mislukt: - - - Success - Succes - - - Options saved successfully. - Opties succesvol opgeslagen. - - - Invalid Source - Ongeldige bron - - - The selected source is invalid. - De geselecteerde bron is ongeldig. - - - File Exists - Bestand bestaat - - - File already exists. Do you want to replace it? - Bestand bestaat al. Wil je het vervangen? - - - Failed to save file: - Kan bestand niet opslaan: - - - Failed to download file: - Kan bestand niet downloaden: - - - Cheats Not Found - Cheats niet gevonden - - - CheatsNotFound_MSG - Geen cheats gevonden voor deze game in deze versie van de geselecteerde repository.Probeer een andere repository of een andere versie van het spel. - - - Cheats Downloaded Successfully - Cheats succesvol gedownload - - - CheatsDownloadedSuccessfully_MSG - Je hebt cheats succesvol gedownload voor deze versie van het spel uit de geselecteerde repository. Je kunt proberen te downloaden van een andere repository. Als deze beschikbaar is, kan het ook worden gebruikt door het bestand uit de lijst te selecteren. - - - Failed to save: - Opslaan mislukt: - - - Failed to download: - Downloaden mislukt: - - - Download Complete - Download voltooid - - - DownloadComplete_MSG - Patches succesvol gedownload! Alle beschikbare patches voor alle spellen zijn gedownload. Het is niet nodig om ze afzonderlijk te downloaden voor elk spel dat cheats heeft. Als de patch niet verschijnt, kan het zijn dat deze niet bestaat voor het specifieke serienummer en de versie van het spel. - - - Failed to parse JSON data from HTML. - Kan JSON-gegevens uit HTML niet parseren. - - - Failed to retrieve HTML page. - Kan HTML-pagina niet ophalen. - - - The game is in version: %1 - Het spel is in versie: %1 - - - The downloaded patch only works on version: %1 - De gedownloade patch werkt alleen op versie: %1 - - - You may need to update your game. - Misschien moet je je spel bijwerken. - - - Incompatibility Notice - Incompatibiliteitsmelding - - - Failed to open file: - Kan bestand niet openen: - - - XML ERROR: - XML FOUT: - - - Failed to open files.json for writing - Kan files.json niet openen voor schrijven - - - Author: - Auteur: - - - Directory does not exist: - Map bestaat niet: - - - Failed to open files.json for reading. - Kan files.json niet openen voor lezen. - - - Name: - Naam: - - - Can't apply cheats before the game is started - Je kunt geen cheats toepassen voordat het spel is gestart. - - - - GameListFrame - - Icon - Pictogram - - - Name - Naam - - - Serial - Serienummer - - - Compatibility - Compatibility - - - Region - Regio - - - Firmware - Firmware - - - Size - Grootte - - - Version - Versie - - - Path - Pad - - - Play Time - Speeltijd - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Klik om details op GitHub te bekijken - - - Last updated - Laatst bijgewerkt - - - - CheckUpdate - - Auto Updater - Automatische updater - - - Error - Fout - - - Network error: - Netwerkfout: - - - Error_Github_limit_MSG - De automatische updater staat tot 60 updatecontroles per uur toe.\nJe hebt deze limiet bereikt. Probeer het later opnieuw. - - - Failed to parse update information. - Kon update-informatie niet parseren. - - - No pre-releases found. - Geen pre-releases gevonden. - - - Invalid release data. - Ongeldige releasegegevens. - - - No download URL found for the specified asset. - Geen download-URL gevonden voor het opgegeven bestand. - - - Your version is already up to date! - Uw versie is al up-to-date! - - - Update Available - Update beschikbaar - - - Update Channel - Updatekanaal - - - Current Version - Huidige versie - - - Latest Version - Laatste versie - - - Do you want to update? - Wilt u updaten? - - - Show Changelog - Toon changelog - - - Check for Updates at Startup - Bij opstart op updates controleren - - - Update - Bijwerken - - - No - Nee - - - Hide Changelog - Verberg changelog - - - Changes - Wijzigingen - - - Network error occurred while trying to access the URL - Netwerkfout opgetreden tijdens toegang tot de URL - - - Download Complete - Download compleet - - - The update has been downloaded, press OK to install. - De update is gedownload, druk op OK om te installeren. - - - Failed to save the update file at - Kon het updatebestand niet opslaan op - - - Starting Update... - Starten van update... - - - Failed to create the update script file - Kon het update-scriptbestand niet maken - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Compatibiliteitsgegevens ophalen, even geduld - - - Cancel - Annuleren - - - Loading... - Laden... - - - Error - Fout - - - Unable to update compatibility data! Try again later. - Kan compatibiliteitsgegevens niet bijwerken! Probeer het later opnieuw. - - - Unable to open compatibility_data.json for writing. - Kan compatibility_data.json niet openen voor schrijven. - - - Unknown - Onbekend - - - Nothing - Niets - - - Boots - Laarsjes - - - Menus - Menu's - - - Ingame - In het spel - - - Playable - Speelbaar - - - diff --git a/src/qt_gui/translations/nl_NL.ts b/src/qt_gui/translations/nl_NL.ts new file mode 100644 index 000000000..ce00ca4f8 --- /dev/null +++ b/src/qt_gui/translations/nl_NL.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches zijn experimenteel.\nGebruik met voorzichtigheid.\n\nDownload cheats afzonderlijk door het repository te selecteren en op de downloadknop te klikken.\nOp het tabblad Patches kun je alle patches tegelijk downloaden, kiezen welke je wilt gebruiken en je selectie opslaan.\n\nAangezien wij de Cheats/Patches niet ontwikkelen,\nmeld problemen bij de auteur van de cheat.\n\nHeb je een nieuwe cheat gemaakt? Bezoek:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Geen afbeelding beschikbaar + + + Serial: + Serie: + + + Version: + Versie: + + + Size: + Grootte: + + + Select Cheat File: + Selecteer cheatbestand: + + + Repository: + Repository: + + + Download Cheats + Download cheats + + + Delete File + Bestand verwijderen + + + No files selected. + Geen bestanden geselecteerd. + + + You can delete the cheats you don't want after downloading them. + Je kunt de cheats die je niet wilt verwijderen nadat je ze hebt gedownload. + + + Do you want to delete the selected file?\n%1 + Wil je het geselecteerde bestand verwijderen?\n%1 + + + Select Patch File: + Selecteer patchbestand: + + + Download Patches + Download patches + + + Save + Opslaan + + + Cheats + Cheats + + + Patches + Patches + + + Error + Fout + + + No patch selected. + Geen patch geselecteerd. + + + Unable to open files.json for reading. + Kan files.json niet openen voor lezen. + + + No patch file found for the current serial. + Geen patchbestand gevonden voor het huidige serienummer. + + + Unable to open the file for reading. + Kan het bestand niet openen voor lezen. + + + Unable to open the file for writing. + Kan het bestand niet openen voor schrijven. + + + Failed to parse XML: + XML parsing mislukt: + + + Success + Succes + + + Options saved successfully. + Opties succesvol opgeslagen. + + + Invalid Source + Ongeldige bron + + + The selected source is invalid. + De geselecteerde bron is ongeldig. + + + File Exists + Bestand bestaat + + + File already exists. Do you want to replace it? + Bestand bestaat al. Wil je het vervangen? + + + Failed to save file: + Kan bestand niet opslaan: + + + Failed to download file: + Kan bestand niet downloaden: + + + Cheats Not Found + Cheats niet gevonden + + + CheatsNotFound_MSG + Geen cheats gevonden voor deze game in deze versie van de geselecteerde repository.Probeer een andere repository of een andere versie van het spel. + + + Cheats Downloaded Successfully + Cheats succesvol gedownload + + + CheatsDownloadedSuccessfully_MSG + Je hebt cheats succesvol gedownload voor deze versie van het spel uit de geselecteerde repository. Je kunt proberen te downloaden van een andere repository. Als deze beschikbaar is, kan het ook worden gebruikt door het bestand uit de lijst te selecteren. + + + Failed to save: + Opslaan mislukt: + + + Failed to download: + Downloaden mislukt: + + + Download Complete + Download voltooid + + + DownloadComplete_MSG + Patches succesvol gedownload! Alle beschikbare patches voor alle spellen zijn gedownload. Het is niet nodig om ze afzonderlijk te downloaden voor elk spel dat cheats heeft. Als de patch niet verschijnt, kan het zijn dat deze niet bestaat voor het specifieke serienummer en de versie van het spel. + + + Failed to parse JSON data from HTML. + Kan JSON-gegevens uit HTML niet parseren. + + + Failed to retrieve HTML page. + Kan HTML-pagina niet ophalen. + + + The game is in version: %1 + Het spel is in versie: %1 + + + The downloaded patch only works on version: %1 + De gedownloade patch werkt alleen op versie: %1 + + + You may need to update your game. + Misschien moet je je spel bijwerken. + + + Incompatibility Notice + Incompatibiliteitsmelding + + + Failed to open file: + Kan bestand niet openen: + + + XML ERROR: + XML FOUT: + + + Failed to open files.json for writing + Kan files.json niet openen voor schrijven + + + Author: + Auteur: + + + Directory does not exist: + Map bestaat niet: + + + Failed to open files.json for reading. + Kan files.json niet openen voor lezen. + + + Name: + Naam: + + + Can't apply cheats before the game is started + Je kunt geen cheats toepassen voordat het spel is gestart. + + + Close + Sluiten + + + + CheckUpdate + + Auto Updater + Automatische updater + + + Error + Fout + + + Network error: + Netwerkfout: + + + Error_Github_limit_MSG + De automatische updater staat tot 60 updatecontroles per uur toe.\nJe hebt deze limiet bereikt. Probeer het later opnieuw. + + + Failed to parse update information. + Kon update-informatie niet parseren. + + + No pre-releases found. + Geen pre-releases gevonden. + + + Invalid release data. + Ongeldige releasegegevens. + + + No download URL found for the specified asset. + Geen download-URL gevonden voor het opgegeven bestand. + + + Your version is already up to date! + Uw versie is al up-to-date! + + + Update Available + Update beschikbaar + + + Update Channel + Updatekanaal + + + Current Version + Huidige versie + + + Latest Version + Laatste versie + + + Do you want to update? + Wilt u updaten? + + + Show Changelog + Toon changelog + + + Check for Updates at Startup + Bij opstart op updates controleren + + + Update + Bijwerken + + + No + Nee + + + Hide Changelog + Verberg changelog + + + Changes + Wijzigingen + + + Network error occurred while trying to access the URL + Netwerkfout opgetreden tijdens toegang tot de URL + + + Download Complete + Download compleet + + + The update has been downloaded, press OK to install. + De update is gedownload, druk op OK om te installeren. + + + Failed to save the update file at + Kon het updatebestand niet opslaan op + + + Starting Update... + Starten van update... + + + Failed to create the update script file + Kon het update-scriptbestand niet maken + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Compatibiliteitsgegevens ophalen, even geduld + + + Cancel + Annuleren + + + Loading... + Laden... + + + Error + Fout + + + Unable to update compatibility data! Try again later. + Kan compatibiliteitsgegevens niet bijwerken! Probeer het later opnieuw. + + + Unable to open compatibility_data.json for writing. + Kan compatibility_data.json niet openen voor schrijven. + + + Unknown + Onbekend + + + Nothing + Niets + + + Boots + Laarsjes + + + Menus + Menu's + + + Ingame + In het spel + + + Playable + Speelbaar + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Pictogram + + + Name + Naam + + + Serial + Serienummer + + + Compatibility + Compatibility + + + Region + Regio + + + Firmware + Firmware + + + Size + Grootte + + + Version + Versie + + + Path + Pad + + + Play Time + Speeltijd + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Klik om details op GitHub te bekijken + + + Last updated + Laatst bijgewerkt + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Cheats / Patches + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Map openen... + + + Open Game Folder + Open Spelmap + + + Open Save Data Folder + Open Map voor Opslagdata + + + Open Log Folder + Open Logmap + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Controleren op updates + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Download Cheats/Patches + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Help + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Lijst met spellen + + + * Unsupported Vulkan Version + * Niet ondersteunde Vulkan-versie + + + Download Cheats For All Installed Games + Download cheats voor alle geïnstalleerde spellen + + + Download Patches For All Games + Download patches voor alle spellen + + + Download Complete + Download voltooid + + + You have downloaded cheats for all the games you have installed. + Je hebt cheats gedownload voor alle spellen die je hebt geïnstalleerd. + + + Patches Downloaded Successfully! + Patches succesvol gedownload! + + + All Patches available for all games have been downloaded. + Alle patches voor alle spellen zijn gedownload. + + + Games: + Spellen: + + + ELF files (*.bin *.elf *.oelf) + ELF-bestanden (*.bin *.elf *.oelf) + + + Game Boot + Spelopstart + + + Only one file can be selected! + Je kunt slechts één bestand selecteren! + + + PKG Extraction + PKG-extractie + + + Patch detected! + Patch gedetecteerd! + + + PKG and Game versions match: + PKG- en gameversies komen overeen: + + + Would you like to overwrite? + Wilt u overschrijven? + + + PKG Version %1 is older than installed version: + PKG-versie %1 is ouder dan de geïnstalleerde versie: + + + Game is installed: + Game is geïnstalleerd: + + + Would you like to install Patch: + Wilt u de patch installeren: + + + DLC Installation + DLC-installatie + + + Would you like to install DLC: %1? + Wilt u DLC installeren: %1? + + + DLC already installed: + DLC al geïnstalleerd: + + + Game already installed + Game al geïnstalleerd + + + PKG ERROR + PKG FOUT + + + Extracting PKG %1/%2 + PKG %1/%2 aan het extraheren + + + Extraction Finished + Extractie voltooid + + + Game successfully installed at %1 + Spel succesvol geïnstalleerd op %1 + + + File doesn't appear to be a valid PKG file + Het bestand lijkt geen geldig PKG-bestand te zijn + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Naam + + + Serial + Serienummer + + + Installed + + + + Size + Grootte + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Regio + + + Flags + + + + Path + Pad + + + File + File + + + PKG ERROR + PKG FOUT + + + Unknown + Onbekend + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Volledig schermmodus + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Standaardtabblad bij het openen van instellingen + + + Show Game Size In List + Toon grootte van het spel in de lijst + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Discord Rich Presence inschakelen + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Loglocatie openen + + + Input + Invoer + + + Cursor + Cursor + + + Hide Cursor + Cursor verbergen + + + Hide Cursor Idle Timeout + Inactiviteit timeout voor het verbergen van de cursor + + + s + s + + + Controller + Controller + + + Back Button Behavior + Achterknop gedrag + + + Graphics + Graphics + + + GUI + Interface + + + User + Gebruiker + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Pad + + + Game Folders + Spelmappen + + + Add... + Toevoegen... + + + Remove + Verwijderen + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Bijwerken + + + Check for Updates at Startup + Bij opstart op updates controleren + + + Always Show Changelog + Altijd changelog tonen + + + Update Channel + Updatekanaal + + + Check for Updates + Controleren op updates + + + GUI Settings + GUI-Instellingen + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Titelmuziek afspelen + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Volume + + + Save + Opslaan + + + Apply + Toepassen + + + Restore Defaults + Standaardinstellingen herstellen + + + Close + Sluiten + + + Point your mouse at an option to display its description. + Wijzig de muisaanwijzer naar een optie om de beschrijving weer te geven. + + + consoleLanguageGroupBox + Console Taal:\nStelt de taal in die het PS4-spel gebruikt.\nHet wordt aanbevolen om dit in te stellen op een taal die het spel ondersteunt, wat kan variëren per regio. + + + emulatorLanguageGroupBox + Emulator Taal:\nStelt de taal van de gebruikersinterface van de emulator in. + + + fullscreenCheckBox + Volledig scherm inschakelen:\nZet het gamevenster automatisch in de volledig scherm modus.\nDit kan worden omgeschakeld door op de F11-toets te drukken. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Opstartscherm weergeven:\nToont het opstartscherm van het spel (een speciale afbeelding) tijdens het starten van het spel. + + + discordRPCCheckbox + Discord Rich Presence inschakelen:\nToont het emulatoricoon en relevante informatie op je Discord-profiel. + + + userName + Gebruikersnaam:\nStelt de gebruikersnaam van het PS4-account in, die door sommige games kan worden weergegeven. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Logtype:\nStelt in of de uitvoer van het logvenster moet worden gesynchroniseerd voor prestaties. Kan nadelige effecten hebben op emulatie. + + + logFilter + Logfilter:\nFiltert het logboek om alleen specifieke informatie af te drukken.\nVoorbeelden: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveaus: Trace, Debug, Info, Waarschuwing, Fout, Kritiek - in deze volgorde, een specifiek niveau dempt alle voorgaande niveaus in de lijst en logt alle niveaus daarna. + + + updaterGroupBox + Updateren:\nRelease: Officiële versies die elke maand worden uitgebracht, die zeer verouderd kunnen zijn, maar betrouwbaar en getest zijn.\nNightly: Ontwikkelingsversies die alle nieuwste functies en bugfixes bevatten, maar mogelijk bugs bevatten en minder stabiel zijn. + + + GUIMusicGroupBox + Speel titelsong:\nAls een game dit ondersteunt, wordt speciale muziek afgespeeld wanneer je het spel in de GUI selecteert. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Verberg cursor:\nKies wanneer de cursor verdwijnt:\nNooit: Je ziet altijd de muis.\nInactief: Stel een tijd in waarna deze verdwijnt na inactiviteit.\nAltijd: je ziet de muis nooit. + + + idleTimeoutGroupBox + Stel een tijd in voor wanneer de muis verdwijnt na inactiviteit. + + + backButtonBehaviorGroupBox + Gedrag van de terugknop:\nStelt de terugknop van de controller in om een aanraking op de opgegeven positie op de PS4-touchpad na te bootsen. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Nooit + + + Idle + Inactief + + + Always + Altijd + + + Touchpad Left + Touchpad Links + + + Touchpad Right + Touchpad Rechts + + + Touchpad Center + Touchpad Midden + + + None + Geen + + + graphicsAdapterGroupBox + Grafische adapter:\nIn systemen met meerdere GPU's, kies de GPU die de emulator uit de vervolgkeuzelijst moet gebruiken,\nof kies "Auto Select" om dit automatisch in te stellen. + + + resolutionLayout + Breedte/Hoogte:\nStelt de grootte van het emulatorvenster bij het opstarten in, wat tijdens het spelen kan worden gewijzigd.\nDit is anders dan de resolutie in de game. + + + heightDivider + Vblank deler:\nDe frame-rate waartegen de emulator wordt vernieuwd, vermenigvuldigd met dit getal. Dit veranderen kan nadelige effecten hebben, zoals het versnellen van het spel of het verpesten van kritieke gamefunctionaliteiten die niet verwachtten dat dit zou veranderen! + + + dumpShadersCheckBox + Shaderdump inschakelen:\nVoor technische foutopsporing slaat het de shaders van de game op in een map terwijl ze worden gerenderd. + + + nullGpuCheckBox + Null GPU inschakelen:\nVoor technische foutopsporing schakelt de game-rendering uit alsof er geen grafische kaart is. + + + gameFoldersBox + Spelmap:\nDe lijst met mappen om te controleren op geïnstalleerde spellen. + + + addFolderButton + Toevoegen:\nVoeg een map toe aan de lijst. + + + removeFolderButton + Verwijderen:\nVerwijder een map uit de lijst. + + + debugDump + Foutopsporing dump inschakelen:\nSlaat de import- en export-symbolen en de bestandsheaderinformatie van de momenteel draaiende PS4-toepassing op in een map. + + + vkValidationCheckBox + Vulkan validatielaag inschakelen:\nSchakelt een systeem in dat de status van de Vulkan-renderer valideert en informatie over de interne status ervan logt. Dit zal de prestaties verlagen en waarschijnlijk het emulatiegedrag veranderen. + + + vkSyncValidationCheckBox + Vulkan synchronisatievalidatie inschakelen:\nSchakelt een systeem in dat de timing van Vulkan-renderingtaken valideert. Dit zal de prestaties verlagen en waarschijnlijk het emulatiegedrag veranderen. + + + rdocCheckBox + RenderDoc foutopsporing inschakelen:\nAls ingeschakeld, biedt de emulator compatibiliteit met Renderdoc om de momenteel gerenderde frame vast te leggen en te analyseren. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + + diff --git a/src/qt_gui/translations/no_NO.ts b/src/qt_gui/translations/no_NO.ts new file mode 100644 index 000000000..60bc73fd8 --- /dev/null +++ b/src/qt_gui/translations/no_NO.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + Om shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 er en eksperimentell åpen kildekode-emulator for PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Denne programvaren skal ikke brukes til å spille spill du ikke har fått lovlig. + + + + CheatsPatches + + Cheats / Patches for + Juks / Programrettelser for + + + defaultTextEdit_MSG + Juks/programrettelse er eksperimentelle.\nBruk med forsiktighet.\n\nLast ned juks individuelt ved å velge pakkebrønn og klikke på nedlastingsknappen.\nPå fanen programrettelse kan du laste ned alle programrettelser samtidig, velge hvilke du ønsker å bruke, og lagre valget ditt.\n\nSiden vi ikke utvikler Juks/Programrettelse,\nvær vennlig å rapportere problemer til juks/programrettelse utvikleren.\n\nHar du laget en ny juks? Besøk:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Ingen bilde tilgjengelig + + + Serial: + Serienummer: + + + Version: + Versjon: + + + Size: + Størrelse: + + + Select Cheat File: + Velg juksefil: + + + Repository: + Pakkebrønn: + + + Download Cheats + Last ned juks + + + Delete File + Slett fil + + + Close + Lukk + + + No files selected. + Ingen filer valgt. + + + You can delete the cheats you don't want after downloading them. + Du kan slette juks du ikke ønsker etter å ha lastet dem ned. + + + Do you want to delete the selected file?\n%1 + Ønsker du å slette den valgte filen?\n%1 + + + Select Patch File: + Velg programrettelse-filen: + + + Download Patches + Last ned programrettelser + + + Save + Lagre + + + Cheats + Juks + + + Patches + Programrettelse + + + Error + Feil + + + No patch selected. + Ingen programrettelse valgt. + + + Unable to open files.json for reading. + Kan ikke åpne files.json for lesing. + + + No patch file found for the current serial. + Ingen programrettelse-fil funnet for det aktuelle serienummeret. + + + Unable to open the file for reading. + Kan ikke åpne filen for lesing. + + + Unable to open the file for writing. + Kan ikke åpne filen for skriving. + + + Failed to parse XML: + Feil ved tolkning av XML: + + + Success + Vellykket + + + Options saved successfully. + Alternativer ble lagret. + + + Invalid Source + Ugyldig kilde + + + The selected source is invalid. + Den valgte kilden er ugyldig. + + + File Exists + Filen eksisterer + + + File already exists. Do you want to replace it? + Filen eksisterer allerede. Ønsker du å erstatte den? + + + Failed to save file: + Kunne ikke lagre filen: + + + Failed to download file: + Kunne ikke laste ned filen: + + + Cheats Not Found + Fant ikke juks + + + CheatsNotFound_MSG + Ingen juks funnet for dette spillet i denne versjonen av den valgte pakkebrønnen,prøv en annen pakkebrønn eller en annen versjon av spillet. + + + Cheats Downloaded Successfully + Juks ble lastet ned + + + CheatsDownloadedSuccessfully_MSG + Du har lastet ned juks for denne versjonen av spillet fra den valgte pakkebrønnen. Du kan prøve å laste ned fra en annen pakkebrønn, hvis det er tilgjengelig, vil det også være mulig å bruke det ved å velge filen fra listen. + + + Failed to save: + Kunne ikke lagre: + + + Failed to download: + Kunne ikke laste ned: + + + Download Complete + Nedlasting fullført + + + DownloadComplete_MSG + Programrettelser ble lastet ned! Alle programrettelsene tilgjengelige for alle spill har blitt lastet ned, det er ikke nødvendig å laste dem ned individuelt for hvert spill som skjer med juks. Hvis programrettelsen ikke vises, kan det hende at den ikke finnes for den spesifikke serienummeret og versjonen av spillet. + + + Failed to parse JSON data from HTML. + Kunne ikke analysere JSON-data fra HTML. + + + Failed to retrieve HTML page. + Kunne ikke hente HTML-side. + + + The game is in version: %1 + Spillet er i versjon: %1 + + + The downloaded patch only works on version: %1 + Den nedlastede programrettelsen fungerer bare på versjon: %1 + + + You may need to update your game. + Du må kanskje oppdatere spillet ditt. + + + Incompatibility Notice + Inkompatibilitets-varsel + + + Failed to open file: + Kunne ikke åpne filen: + + + XML ERROR: + XML FEIL: + + + Failed to open files.json for writing + Kunne ikke åpne files.json for skriving + + + Author: + Forfatter: + + + Directory does not exist: + Mappen eksisterer ikke: + + + Failed to open files.json for reading. + Kunne ikke åpne files.json for lesing. + + + Name: + Navn: + + + Can't apply cheats before the game is started + Kan ikke bruke juks før spillet er startet. + + + + CheckUpdate + + Auto Updater + Automatisk oppdatering + + + Error + Feil + + + Network error: + Nettverksfeil: + + + Error_Github_limit_MSG + Den automatiske oppdateringen tillater opptil 60 oppdateringssjekker per time.\nDu har nådd denne grensen. Prøv igjen senere. + + + Failed to parse update information. + Kunne ikke analysere oppdaterings-informasjonen. + + + No pre-releases found. + Fant ingen forhåndsutgivelser. + + + Invalid release data. + Ugyldige utgivelsesdata. + + + No download URL found for the specified asset. + Ingen nedlastings-URL funnet for den spesifiserte ressursen. + + + Your version is already up to date! + Din versjon er allerede oppdatert! + + + Update Available + Oppdatering tilgjengelig + + + Update Channel + Oppdateringskanal + + + Current Version + Gjeldende versjon + + + Latest Version + Nyeste versjon + + + Do you want to update? + Vil du oppdatere? + + + Show Changelog + Vis endringslogg + + + Check for Updates at Startup + Se etter oppdateringer ved oppstart + + + Update + Oppdater + + + No + Nei + + + Hide Changelog + Skjul endringslogg + + + Changes + Endringer + + + Network error occurred while trying to access the URL + Nettverksfeil oppstod mens vi prøvde å få tilgang til URL + + + Download Complete + Nedlasting fullført + + + The update has been downloaded, press OK to install. + Oppdateringen har blitt lastet ned, trykk OK for å installere. + + + Failed to save the update file at + Kunne ikke lagre oppdateringsfilen på + + + Starting Update... + Starter oppdatering... + + + Failed to create the update script file + Kunne ikke opprette oppdateringsskriptfilen + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Henter kompatibilitetsdata, vennligst vent + + + Cancel + Avbryt + + + Loading... + Laster... + + + Error + Feil + + + Unable to update compatibility data! Try again later. + Kan ikke oppdatere kompatibilitetsdata! Prøv igjen senere. + + + Unable to open compatibility_data.json for writing. + Kan ikke åpne compatibility_data.json for skriving. + + + Unknown + Ukjent + + + Nothing + Ingenting + + + Boots + Starter opp + + + Menus + Menyene + + + Ingame + I spill + + + Playable + Spillbar + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Åpne mappe + + + + GameInfoClass + + Loading game list, please wait :3 + Laster spill-liste, vennligst vent :3 + + + Cancel + Avbryt + + + Loading... + Laster... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Velg mappe + + + Directory to install games + Mappe for å installere spill + + + Browse + Bla gjennom + + + Error + Feil + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikon + + + Name + Navn + + + Serial + Serienummer + + + Compatibility + Kompatibilitet + + + Region + Region + + + Firmware + Fastvare + + + Size + Størrelse + + + Version + Versjon + + + Path + Adresse + + + Play Time + Spilletid + + + Never Played + Aldri spilt + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + kompatibilitet er utestet + + + Game does not initialize properly / crashes the emulator + Spillet initialiseres ikke riktig / krasjer emulatoren + + + Game boots, but only displays a blank screen + Spillet starter, men viser bare en tom skjerm + + + Game displays an image but does not go past the menu + Spillet viser et bilde, men går ikke forbi menyen + + + Game has game-breaking glitches or unplayable performance + Spillet har spillbrytende feil eller uspillbar ytelse + + + Game can be completed with playable performance and no major glitches + Spillet kan fullføres med spillbar ytelse og uten store feil + + + Click to see details on github + Klikk for å se detaljer på GitHub + + + Last updated + Sist oppdatert + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Lag snarvei + + + Cheats / Patches + Juks / Programrettelse + + + SFO Viewer + SFO viser + + + Trophy Viewer + Trofé viser + + + Open Folder... + Åpne mappe... + + + Open Game Folder + Åpne spillmappen + + + Open Save Data Folder + Åpne lagrede datamappen + + + Open Log Folder + Åpne loggmappen + + + Copy info... + Kopier info... + + + Copy Name + Kopier navn + + + Copy Serial + Kopier serienummer + + + Copy Version + Kopier versjon + + + Copy Size + Kopier størrelse + + + Copy All + Kopier alt + + + Delete... + Slett... + + + Delete Game + Slett spill + + + Delete Update + Slett oppdatering + + + Delete DLC + Slett DLC + + + Compatibility... + Kompatibilitet... + + + Update database + Oppdater database + + + View report + Vis rapport + + + Submit a report + Send inn en rapport + + + Shortcut creation + Snarvei opprettelse + + + Shortcut created successfully! + Snarvei opprettet! + + + Error + Feil + + + Error creating shortcut! + Feil ved opprettelse av snarvei! + + + Install PKG + Installer PKG + + + Game + Spill + + + This game has no update to delete! + Dette spillet har ingen oppdatering å slette! + + + Update + Oppdater + + + This game has no DLC to delete! + Dette spillet har ingen DLC å slette! + + + DLC + DLC + + + Delete %1 + Slett %1 + + + Are you sure you want to delete %1's %2 directory? + Er du sikker på at du vil slette %1's %2 directory? + + + Open Update Folder + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Velg mappe + + + Select which directory you want to install to. + Velg hvilken mappe du vil installere til. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Åpne/Legg til Elf-mappe + + + Install Packages (PKG) + Installer pakker (PKG) + + + Boot Game + Start spill + + + Check for Updates + Se etter oppdateringer + + + About shadPS4 + Om shadPS4 + + + Configure... + Konfigurer... + + + Install application from a .pkg file + Installer fra en .pkg fil + + + Recent Games + Nylige spill + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Avslutt + + + Exit shadPS4 + Avslutt shadPS4 + + + Exit the application. + Avslutt programmet. + + + Show Game List + Vis spill-listen + + + Game List Refresh + Oppdater spill-listen + + + Tiny + Bitteliten + + + Small + Liten + + + Medium + Medium + + + Large + Stor + + + List View + Liste-visning + + + Grid View + Rute-visning + + + Elf Viewer + Elf-visning + + + Game Install Directory + Spillinstallasjons-mappe + + + Download Cheats/Patches + Last ned juks/programrettelse + + + Dump Game List + Dump spill-liste + + + PKG Viewer + PKG viser + + + Search... + Søk... + + + File + Fil + + + View + Oversikt + + + Game List Icons + Spill-liste ikoner + + + Game List Mode + Spill-liste modus + + + Settings + Innstillinger + + + Utils + Verktøy + + + Themes + Tema + + + Help + Hjelp + + + Dark + Mørk + + + Light + Lys + + + Green + Grønn + + + Blue + Blå + + + Violet + Lilla + + + toolBar + Verktøylinje + + + Game List + Spill-liste + + + * Unsupported Vulkan Version + * Ustøttet Vulkan-versjon + + + Download Cheats For All Installed Games + Last ned juks for alle installerte spill + + + Download Patches For All Games + Last ned programrettelser for alle spill + + + Download Complete + Nedlasting fullført + + + You have downloaded cheats for all the games you have installed. + Du har lastet ned juks for alle spillene du har installert. + + + Patches Downloaded Successfully! + Programrettelser ble lastet ned! + + + All Patches available for all games have been downloaded. + Programrettelser tilgjengelige for alle spill har blitt lastet ned. + + + Games: + Spill: + + + ELF files (*.bin *.elf *.oelf) + ELF-filer (*.bin *.elf *.oelf) + + + Game Boot + Spilloppstart + + + Only one file can be selected! + Kun én fil kan velges! + + + PKG Extraction + PKG-utpakking + + + Patch detected! + Programrettelse oppdaget! + + + PKG and Game versions match: + PKG og spillversjoner stemmer overens: + + + Would you like to overwrite? + Ønsker du å overskrive? + + + PKG Version %1 is older than installed version: + PKG-versjon %1 er eldre enn installert versjon: + + + Game is installed: + Spillet er installert: + + + Would you like to install Patch: + Ønsker du å installere programrettelsen: + + + DLC Installation + DLC installasjon + + + Would you like to install DLC: %1? + Ønsker du å installere DLC: %1? + + + DLC already installed: + DLC allerede installert: + + + Game already installed + Spillet er allerede installert + + + PKG ERROR + PKG FEIL + + + Extracting PKG %1/%2 + Pakker ut PKG %1/%2 + + + Extraction Finished + Utpakking fullført + + + Game successfully installed at %1 + Spillet ble installert i %1 + + + File doesn't appear to be a valid PKG file + Filen ser ikke ut til å være en gyldig PKG-fil + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Åpne mappe + + + Name + Navn + + + Serial + Serienummer + + + Installed + + + + Size + Størrelse + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Adresse + + + File + Fil + + + PKG ERROR + PKG FEIL + + + Unknown + Ukjent + + + Package + + + + + SettingsDialog + + Settings + Innstillinger + + + General + Generell + + + System + System + + + Console Language + Konsollspråk + + + Emulator Language + Emulatorspråk + + + Emulator + Emulator + + + Enable Fullscreen + Aktiver fullskjerm + + + Fullscreen Mode + Fullskjermmodus + + + Enable Separate Update Folder + Aktiver seperat oppdateringsmappe + + + Default tab when opening settings + Standardfanen når innstillingene åpnes + + + Show Game Size In List + Vis spillstørrelse i listen + + + Show Splash + Vis velkomstbilde + + + Enable Discord Rich Presence + Aktiver Discord Rich Presence + + + Username + Brukernavn + + + Trophy Key + Trofénøkkel + + + Trophy + Trofé + + + Logger + Logger + + + Log Type + Logg type + + + Log Filter + Logg filter + + + Open Log Location + Åpne loggplassering + + + Input + Inndata + + + Cursor + Musepeker + + + Hide Cursor + Skjul musepeker + + + Hide Cursor Idle Timeout + Skjul musepeker ved inaktivitet + + + s + s + + + Controller + Kontroller + + + Back Button Behavior + Tilbakeknapp atferd + + + Graphics + Grafikk + + + GUI + Grensesnitt + + + User + Bruker + + + Graphics Device + Grafikkenhet + + + Width + Bredde + + + Height + Høyde + + + Vblank Divider + Vblank skillelinje + + + Advanced + Avansert + + + Enable Shaders Dumping + Aktiver skyggeleggerdumping + + + Enable NULL GPU + Aktiver NULL GPU + + + Paths + Mapper + + + Game Folders + Spillmapper + + + Add... + Legg til... + + + Remove + Fjern + + + Save Data Path + Lagrede datamappe + + + Browse + Endre mappe + + + saveDataBox + Lagrede datamappe:\nListe over data shadPS4 lagrer. + + + browseButton + Endre mappe:\nEndrer hvilken mappe shadPS4 skal lagre data til. + + + Debug + Feilretting + + + Enable Debug Dumping + Aktiver feilrettingsdumping + + + Enable Vulkan Validation Layers + Aktiver Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Aktiver Vulkan synkroniseringslag + + + Enable RenderDoc Debugging + Aktiver RenderDoc feilretting + + + Enable Crash Diagnostics + Aktiver krasjdiagnostikk + + + Collect Shaders + Lagre skyggeleggere + + + Copy GPU Buffers + Kopier GPU-buffere + + + Host Debug Markers + Vertsfeilsøkingsmarkører + + + Guest Debug Markers + Gjestefeilsøkingsmarkører + + + Update + Oppdatering + + + Check for Updates at Startup + Se etter oppdateringer ved oppstart + + + Update Channel + Oppdateringskanal + + + Check for Updates + Se etter oppdateringer + + + GUI Settings + Grensesnitt-innstillinger + + + Title Music + Tittelmusikk + + + Disable Trophy Pop-ups + Deaktiver trofé hurtigmeny + + + Background Image + Bakgrunnsbilde + + + Show Background Image + Vis bakgrunnsbilde + + + Opacity + Synlighet + + + Play title music + Spill tittelmusikk + + + Update Compatibility Database On Startup + Oppdater database ved oppstart + + + Game Compatibility + Spill kompatibilitet + + + Display Compatibility Data + Vis kompatibilitets-data + + + Update Compatibility Database + Oppdater kompatibilitets-database + + + Volume + Volum + + + Save + Lagre + + + Apply + Bruk + + + Restore Defaults + Gjenopprett standardinnstillinger + + + Close + Lukk + + + Point your mouse at an option to display its description. + Pek musen over et alternativ for å vise beskrivelsen. + + + consoleLanguageGroupBox + Konsollspråk:\nAngir språket som PS4-spillet bruker.\nDet anbefales å sette dette til et språk som spillet støtter, noe som kan variere avhengig av region. + + + emulatorLanguageGroupBox + Emulatorspråket:\nAngir språket for emulatorens brukergrensesnitt. + + + fullscreenCheckBox + Aktiver fullskjerm:\nSetter spillvinduet automatisk i fullskjermmodus.\nDette kan slås av ved å trykke på F11-tasten. + + + separateUpdatesCheckBox + Aktiver separat oppdateringsmappe:\nAktiverer installering av spill i en egen mappe for enkel administrasjon. + + + showSplashCheckBox + Vis velkomstbilde:\nViser spillets velkomstbilde (et spesialbilde) når spillet starter. + + + discordRPCCheckbox + Aktiver Discord Rich Presence:\nViser emulatorikonet og relevant informasjon på Discord-profilen din. + + + userName + Brukernavn:\nAngir brukernavnet for PS4-kontoen, som kan vises av enkelte spill. + + + TrophyKey + Trofénøkkel:\nNøkkel brukes til å dekryptere trofeer. Må hentes fra din konsoll (jailbroken).\nMå bare inneholde sekskantede tegn. + + + logTypeGroupBox + Logg type:\nAngir om loggvinduets utdata skal synkroniseres for ytelse. Kan ha negative effekter for emulatoren. + + + logFilter + Logg filter:\nFiltrerer loggen for å kun skrive ut spesifikk informasjon.\nEksempler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Nivåer: Trace, Debug, Info, Warning, Error, Critical - i denne rekkefølgen, et spesifikt nivå demper alle tidligere nivåer i listen og logger alle nivåer etter det. + + + updaterGroupBox + Oppdatering:\nRelease: Offisielle versjoner utgitt hver måned som kan være veldig utdaterte, men er mer pålitelige og testet.\nNightly: Utviklingsversjoner som har alle de nyeste funksjonene og feilrettingene, men som kan inneholde feil og er mindre stabile. + + + GUIBackgroundImageGroupBox + Bakgrunnsbilde:\nEndrer synligheten til spillets bakgrunnsbilde. + + + GUIMusicGroupBox + Spille tittelmusikk:\nHvis et spill støtter det, så aktiveres det spesiell musikk når du velger spillet i menyen. + + + disableTrophycheckBox + Deaktiver trofé hurtigmeny:\nDeaktiver trofévarsler i spillet. Trofé-fremgang kan fortsatt ved help av troféviseren (høyreklikk på spillet i hovedvinduet). + + + hideCursorGroupBox + Skjul musepeker:\nVelg når musepekeren skal forsvinne:\nAldri: Du vil alltid se musepekeren.\nInaktiv: Sett en tid for at den skal forsvinne etter å ha vært inaktiv.\nAlltid: du vil aldri se musepekeren. + + + idleTimeoutGroupBox + Sett en tid for når musepekeren forsvinner etter å ha vært inaktiv. + + + backButtonBehaviorGroupBox + Atferd for tilbaketasten:\nSetter tilbaketasten på kontrolleren til å imitere et trykk på den angitte posisjonen på PS4s berøringsplate. + + + enableCompatibilityCheckBox + Vis kompatibilitets-data:\nViser informasjon om spillkompatibilitet i tabellvisning. Aktiver "Oppdater kompatibilitets-data ved oppstart" for oppdatert informasjon. + + + checkCompatibilityOnStartupCheckBox + Oppdater database ved oppstart:\nOppdaterer kompatibilitets-databasen automatisk når shadPS4 starter. + + + updateCompatibilityButton + Oppdater kompatibilitets-database:\nOppdater kompatibilitets-databasen nå. + + + Never + Aldri + + + Idle + Inaktiv + + + Always + Alltid + + + Touchpad Left + Berøringsplate Venstre + + + Touchpad Right + Berøringsplate Høyre + + + Touchpad Center + Berøringsplate Midt + + + None + Ingen + + + graphicsAdapterGroupBox + Grafikkenhet:\nI systemer med flere GPU-er, velg GPU-en emulatoren skal bruke fra rullegardinlisten,\neller velg "Auto Select" for å velge automatisk. + + + resolutionLayout + Bredde/Høyde:\nAngir størrelsen på emulatorvinduet ved oppstart, som kan endres under spillingen.\nDette er forskjellig fra oppløsningen i spillet. + + + heightDivider + Vblank skillelinje:\nBildehastigheten som emulatoren oppdaterer ved, multipliseres med dette tallet. Endring av dette kan ha negative effekter, som å øke hastigheten av spillet, eller ødelegge kritisk spillfunksjonalitet som ikke forventer at dette endres! + + + dumpShadersCheckBox + Aktiver skyggeleggerdumping:\nFor teknisk feilsøking lagrer skyggeleggerne fra spillet i en mappe mens de gjengis. + + + nullGpuCheckBox + Aktiver Null GPU:\nFor teknisk feilsøking deaktiverer spillets-gjengivelse som om det ikke var noe grafikkort. + + + gameFoldersBox + Spillmapper:\nListe over mapper som brukes for å se etter installerte spill. + + + addFolderButton + Legg til:\nLegg til en mappe til listen. + + + removeFolderButton + Fjern:\nFjern en mappe fra listen. + + + debugDump + Aktiver feilrettingsdumping:\nLagrer import- og eksport-symbolene og filoverskriftsinformasjonen til det nåværende kjørende PS4-programmet i en katalog. + + + vkValidationCheckBox + Aktiver Vulkan Validation Layers:\nAktiverer et system som validerer tilstanden til Vulkan-gjengiveren og logger informasjon om dens indre tilstand. Dette vil redusere ytelsen og sannsynligvis endre emulatorens atferd. + + + vkSyncValidationCheckBox + Aktiver Vulkan synkronisering validering:\nAktiverer et system som validerer frekvens tiden av Vulkan-gjengivelsensoppgaver. Dette vil redusere ytelsen og sannsynligvis endre emulatorens atferd. + + + rdocCheckBox + Aktiver RenderDoc feilsøking:\nHvis aktivert, vil emulatoren gi kompatibilitet med RenderDoc for å tillate opptak og analyse av det nåværende gjengitte bildet. + + + collectShaderCheckBox + Lagre skyggeleggere:\nDu trenger dette aktivert for å redigere skyggeleggerne med feilsøkingsmenyen (Ctrl + F10). + + + crashDiagnosticsCheckBox + Krasjdiagnostikk:\nOppretter en .yaml-fil med informasjon om Vulkan-tilstanden ved krasj.\nNyttig for feilsøking 'Device lost' feil. Hvis du har dette aktivert, burde du aktivere vert OG gjestefeilsøkingsmarkører.\nFunker ikke med Intel GPU-er.\nDu trenger Vulkan Validation Layers og Vulkan SDK for at dette skal fungere. + + + copyGPUBuffersCheckBox + Kopier GPU-buffere:\nKommer rundt løpsforhold som involverer GPU-innsendinger.\nKan muligens hjelpe med PM4 type 0 krasj. + + + hostMarkersCheckBox + Vertsfeilsøkingsmarkører:\nSetter inn emulator-side informasjon som markører for spesifikke AMDGPU-kommandoer rundt Vulkan-kommandoer, i tillegg til å gi ressurser feilrettingsnavn.\nHvis du har dette aktivert, burde du aktivere krasjdiagnostikk.\nNyttig for programmer som RenderDoc. + + + guestMarkersCheckBox + Gjestefeilsøkingsmarkører:\nSetter inn eventuelle feilsøkingsmarkører spillet selv har lagt til kommandobufferen.\nHvis du har dette aktivert, burde du aktivere krasjdiagnostikk.\nNyttig for programmer som RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Always Show Changelog + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Mappe for å installere spill + + + Directory to save data + + + + enableHDRCheckBox + + + + + TrophyViewer + + Trophy Viewer + Trofé viser + + + diff --git a/src/qt_gui/translations/pl_PL.ts b/src/qt_gui/translations/pl_PL.ts index c9d2daa9a..99420f89e 100644 --- a/src/qt_gui/translations/pl_PL.ts +++ b/src/qt_gui/translations/pl_PL.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - O programie - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 to eksperymentalny otwartoźródłowy emulator konsoli PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - To oprogramowanie nie służy do grania w gry pochodzące z nielegalnego źródła. - - - - ElfViewer - - Open Folder - Otwórz folder - - - - GameInfoClass - - Loading game list, please wait :3 - Ładowanie listy gier, proszę poczekaj :3 - - - Cancel - Anuluj - - - Loading... - Ładowanie... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Wybierz katalog - - - Select which directory you want to install to. - Wybierz katalog, do którego chcesz zainstalować. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Wybierz katalog - - - Directory to install games - Katalog do instalacji gier - - - Browse - Przeglądaj - - - Error - Błąd - - - The value for location to install games is not valid. - Podana ścieżka do instalacji gier nie jest prawidłowa. - - - - GuiContextMenus - - Create Shortcut - Utwórz skrót - - - Cheats / Patches - Kody / poprawki - - - SFO Viewer - Menedżer plików SFO - - - Trophy Viewer - Menedżer trofeów - - - Open Folder... - Otwórz Folder... - - - Open Game Folder - Otwórz Katalog Gry - - - Open Save Data Folder - Otwórz Folder Danych Zapisów - - - Open Log Folder - Otwórz Folder Dziennika - - - Copy info... - Kopiuj informacje... - - - Copy Name - Kopiuj nazwę - - - Copy Serial - Kopiuj numer seryjny - - - Copy All - Kopiuj wszystko - - - Delete... - Usuń... - - - Delete Game - Usuń Grę - - - Delete Update - Usuń Aktualizację - - - Delete DLC - Usuń DLC - - - Compatibility... - kompatybilność... - - - Update database - Zaktualizuj bazę danych - - - View report - Wyświetl zgłoszenie - - - Submit a report - Wyślij zgłoszenie - - - Shortcut creation - Tworzenie skrótu - - - Shortcut created successfully! - Utworzenie skrótu zakończone pomyślnie! - - - Error - Błąd - - - Error creating shortcut! - Utworzenie skrótu zakończone niepowodzeniem! - - - Install PKG - Zainstaluj PKG - - - Game - Gra - - - requiresEnableSeparateUpdateFolder_MSG - Ta funkcja wymaga do działania opcji „Włącz oddzielny folder aktualizacji”. Jeśli chcesz korzystać z tej funkcji, włącz ją. - - - This game has no update to delete! - Ta gra nie ma aktualizacji do usunięcia! - - - Update - Aktualizacja - - - This game has no DLC to delete! - Ta gra nie ma DLC do usunięcia! - - - DLC - DLC - - - Delete %1 - Usuń %1 - - - Are you sure you want to delete %1's %2 directory? - Czy na pewno chcesz usunąć katalog %1 z %2? - - - - MainWindow - - Open/Add Elf Folder - Otwórz/Dodaj folder Elf - - - Install Packages (PKG) - Zainstaluj paczkę (PKG) - - - Boot Game - Uruchom grę - - - Check for Updates - Sprawdź aktualizacje - - - About shadPS4 - O programie - - - Configure... - Konfiguruj... - - - Install application from a .pkg file - Zainstaluj aplikacje z pliku .pkg - - - Recent Games - Ostatnie gry - - - Open shadPS4 Folder - Otwórz folder shadPS4 - - - Exit - Wyjdź - - - Exit shadPS4 - Wyjdź z shadPS4 - - - Exit the application. - Wyjdź z aplikacji. - - - Show Game List - Pokaż listę gier - - - Game List Refresh - Odśwież listę gier - - - Tiny - Malutkie - - - Small - Małe - - - Medium - Średnie - - - Large - Wielkie - - - List View - Widok listy - - - Grid View - Widok siatki - - - Elf Viewer - Menedżer plików ELF - - - Game Install Directory - Katalog zainstalowanych gier - - - Download Cheats/Patches - Pobierz kody / poprawki - - - Dump Game List - Zgraj listę gier - - - PKG Viewer - Menedżer plików PKG - - - Search... - Szukaj... - - - File - Plik - - - View - Widok - - - Game List Icons - Ikony w widoku listy - - - Game List Mode - Tryb listy gier - - - Settings - Ustawienia - - - Utils - Narzędzia - - - Themes - Motywy - - - Help - Pomoc - - - Dark - Ciemny - - - Light - Jasny - - - Green - Zielony - - - Blue - Niebieski - - - Violet - Fioletowy - - - toolBar - Pasek narzędzi - - - Game List - Lista gier - - - * Unsupported Vulkan Version - * Nieobsługiwana wersja Vulkan - - - Download Cheats For All Installed Games - Pobierz kody do wszystkich zainstalowanych gier - - - Download Patches For All Games - Pobierz poprawki do wszystkich gier - - - Download Complete - Pobieranie zakończone - - - You have downloaded cheats for all the games you have installed. - Pobrałeś kody do wszystkich zainstalowanych gier. - - - Patches Downloaded Successfully! - Poprawki pobrane pomyślnie! - - - All Patches available for all games have been downloaded. - Wszystkie poprawki dostępne dla wszystkich gier zostały pobrane. - - - Games: - Gry: - - - PKG File (*.PKG) - Plik PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Pliki ELF (*.bin *.elf *.oelf) - - - Game Boot - Uruchomienie gry - - - Only one file can be selected! - Można wybrać tylko jeden plik! - - - PKG Extraction - Wypakowywanie PKG - - - Patch detected! - Wykryto łatkę! - - - PKG and Game versions match: - Wersje PKG i gry są zgodne: - - - Would you like to overwrite? - Czy chcesz nadpisać? - - - PKG Version %1 is older than installed version: - Wersja PKG %1 jest starsza niż zainstalowana wersja: - - - Game is installed: - Gra jest zainstalowana: - - - Would you like to install Patch: - Czy chcesz zainstalować łatkę: - - - DLC Installation - Instalacja DLC - - - Would you like to install DLC: %1? - Czy chcesz zainstalować DLC: %1? - - - DLC already installed: - DLC już zainstalowane: - - - Game already installed - Gra już zainstalowana - - - PKG is a patch, please install the game first! - PKG jest poprawką, proszę najpierw zainstalować grę! - - - PKG ERROR - BŁĄD PKG - - - Extracting PKG %1/%2 - Wypakowywanie PKG %1/%2 - - - Extraction Finished - Wypakowywanie zakończone - - - Game successfully installed at %1 - Gra pomyślnie zainstalowana w %1 - - - File doesn't appear to be a valid PKG file - Plik nie wydaje się być prawidłowym plikiem PKG - - - - PKGViewer - - Open Folder - Otwórz folder - - - - TrophyViewer - - Trophy Viewer - Menedżer trofeów - - - - SettingsDialog - - Settings - Ustawienia - - - General - Ogólne - - - System - System - - - Console Language - Język konsoli - - - Emulator Language - Język emulatora - - - Emulator - Emulator - - - Enable Fullscreen - Włącz pełny ekran - - - Fullscreen Mode - Tryb Pełnoekranowy - - - Enable Separate Update Folder - Włącz oddzielny folder aktualizacji - - - Default tab when opening settings - Domyślna zakładka podczas otwierania ustawień - - - Show Game Size In List - Pokaż rozmiar gry na liście - - - Show Splash - Pokaż ekran powitania - - - Is PS4 Pro - Emulacja PS4 Pro - - - Enable Discord Rich Presence - Włącz Discord Rich Presence - - - Username - Nazwa użytkownika - - - Trophy Key - Klucz trofeów - - - Trophy - Trofeum - - - Logger - Dziennik zdarzeń - - - Log Type - Typ dziennika - - - Log Filter - Filtrowanie dziennika - - - Open Log Location - Otwórz lokalizację dziennika - - - Input - Wejście - - - Cursor - Kursor - - - Hide Cursor - Ukryj kursor - - - Hide Cursor Idle Timeout - Czas oczekiwania na ukrycie kursora przy bezczynności - - - s - s - - - Controller - Kontroler - - - Back Button Behavior - Zachowanie przycisku wstecz - - - Graphics - Grafika - - - GUI - Interfejs - - - User - Użytkownik - - - Graphics Device - Karta graficzna - - - Width - Szerokość - - - Height - Wysokość - - - Vblank Divider - Dzielnik przerwy pionowej (Vblank) - - - Advanced - Zaawansowane - - - Enable Shaders Dumping - Włącz zgrywanie cieni - - - Enable NULL GPU - Wyłącz kartę graficzną - - - Paths - Ścieżki - - - Game Folders - Foldery gier - - - Add... - Dodaj... - - - Remove - Usuń - - - Debug - Debugowanie - - - Enable Debug Dumping - Włącz zgrywanie debugowania - - - Enable Vulkan Validation Layers - Włącz warstwy walidacji Vulkan - - - Enable Vulkan Synchronization Validation - Włącz walidację synchronizacji Vulkan - - - Enable RenderDoc Debugging - Włącz debugowanie RenderDoc - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Aktualizacja - - - Check for Updates at Startup - Sprawdź aktualizacje przy starcie - - - Always Show Changelog - Zawsze pokazuj dziennik zmian - - - Update Channel - Kanał Aktualizacji - - - Check for Updates - Sprawdź aktualizacje - - - GUI Settings - Ustawienia Interfejsu - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Wyłącz wyskakujące okienka trofeów - - - Play title music - Odtwórz muzykę tytułową - - - Update Compatibility Database On Startup - Aktualizuj bazę danych zgodności podczas uruchamiania - - - Game Compatibility - Kompatybilność gier - - - Display Compatibility Data - Wyświetl dane zgodności - - - Update Compatibility Database - Aktualizuj bazę danych zgodności - - - Volume - Głośność - - - Audio Backend - Zaplecze audio - - - Save - Zapisz - - - Apply - Zastosuj - - - Restore Defaults - Przywróć ustawienia domyślne - - - Close - Zamknij - - - Point your mouse at an option to display its description. - Najedź kursorem na opcję, aby wyświetlić jej opis. - - - consoleLanguageGroupBox - Język konsoli:\nUstala język, który używa gra PS4.\nZaleca się ustawienie tego na język, który obsługuje gra, co może się różnić w zależności od regionu. - - - emulatorLanguageGroupBox - Język emulatora:\nUstala język interfejsu użytkownika emulatora. - - - fullscreenCheckBox - Włącz tryb pełnoekranowy:\nAutomatycznie przełącza okno gry w tryb pełnoekranowy.\nMożna to wyłączyć naciskając klawisz F11. - - - separateUpdatesCheckBox - Włącz oddzielny folder aktualizacji:\nUmożliwia instalowanie aktualizacji gier w oddzielnym folderze w celu łatwego zarządzania. - - - showSplashCheckBox - Wyświetl ekran powitalny:\nPodczas uruchamiania gry wyświetla ekran powitalny (specjalny obraz). - - - ps4proCheckBox - Czy PS4 Pro:\nSprawia, że emulator działa jak PS4 PRO, co może aktywować specjalne funkcje w grach, które to obsługują. - - - discordRPCCheckbox - Włącz Discord Rich Presence:\nWyświetla ikonę emulatora i odpowiednie informacje na twoim profilu Discord. - - - userName - Nazwa użytkownika:\nUstala nazwę użytkownika konta PS4, która może być wyświetlana w niektórych grach. - - - TrophyKey - Klucz trofeów:\nKlucz używany do odszyfrowywania trofeów. Musi być uzyskany z konsoli po jailbreaku. Musi zawierać tylko znaki w kodzie szesnastkowym. - - - logTypeGroupBox - Typ logu:\nUstala, czy synchronizować wyjście okna dziennika dla wydajności. Może to mieć negatywny wpływ na emulację. - - - logFilter - Filtr logu:\nFiltruje dziennik, aby drukować tylko określone informacje.\nPrzykłady: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Poziomy: Trace, Debug, Info, Warning, Error, Critical - w tej kolejności, konkretny poziom wycisza wszystkie wcześniejsze poziomy w liście i rejestruje wszystkie poziomy później. - - - updaterGroupBox - Aktualizator:\nRelease: Oficjalne wersje wydawane co miesiąc, które mogą być bardzo przestarzałe, ale są niezawodne i przetestowane.\nNightly: Wersje rozwojowe, które zawierają wszystkie najnowsze funkcje i poprawki błędów, ale mogą mieć błędy i być mniej stabilne. - - - GUIMusicGroupBox - Odtwórz muzykę tytułową:\nJeśli gra to obsługuje, aktywuje odtwarzanie specjalnej muzyki podczas wybierania gry w GUI. - - - disableTrophycheckBox - Wyłącz wyskakujące okienka trofeów:\nWyłącz powiadomienia o trofeach w grze. Postępy w zdobywaniu trofeów można nadal śledzić za pomocą przeglądarki trofeów (kliknij prawym przyciskiem myszy grę w oknie głównym). - - - hideCursorGroupBox - Ukryj kursor:\nWybierz, kiedy kursor zniknie:\nNigdy: Zawsze będziesz widział myszkę.\nNieaktywny: Ustaw czas, po którym zniknie po bezczynności.\nZawsze: nigdy nie zobaczysz myszki. - - - idleTimeoutGroupBox - Ustaw czas, po którym mysz zniknie po bezczynności. - - - backButtonBehaviorGroupBox - Zachowanie przycisku Wstecz:\nUstawia przycisk Wstecz kontrolera tak, aby emulował dotknięcie określonego miejsca na panelu dotykowym PS4. - - - enableCompatibilityCheckBox - Wyświetl dane zgodności:\nWyświetla informacje o kompatybilności gry w widoku tabeli. Włącz opcję „Aktualizuj zgodność przy uruchomieniu”, aby uzyskać aktualne informacje. - - - checkCompatibilityOnStartupCheckBox - Aktualizuj zgodność przy uruchomieniu:\nAutomatycznie aktualizuj bazę danych kompatybilności podczas uruchamiania shadPS4. - - - updateCompatibilityButton - Zaktualizuj bazę danych zgodności:\nNatychmiast zaktualizuj bazę danych zgodności. - - - Never - Nigdy - - - Idle - Bezczynny - - - Always - Zawsze - - - Touchpad Left - Touchpad Lewy - - - Touchpad Right - Touchpad Prawy - - - Touchpad Center - Touchpad Środkowy - - - None - Brak - - - graphicsAdapterGroupBox - Urządzenie graficzne:\nW systemach z wieloma GPU, wybierz GPU, który emulator ma używać z rozwijanego menu,\n lub wybierz "Auto Select", aby ustawić go automatycznie. - - - resolutionLayout - Szerokość/Wysokość:\nUstala rozmiar okna emulatora podczas uruchamiania, który może być zmieniany w trakcie gry.\nTo różni się od rozdzielczości w grze. - - - heightDivider - Dzielnik Vblank:\nWskaźnik klatek, z jakim emulator jest odświeżany, pomnożony przez tę liczbę. Zmiana tego może mieć negatywne skutki, takie jak przyspieszenie gry lub zniszczenie krytycznej funkcjonalności gry, która nie spodziewa się, że to zostanie zmienione! - - - dumpShadersCheckBox - Włącz zrzucanie shaderów:\nDla technicznego debugowania zapisuje shadery z gry w folderze podczas renderowania. - - - nullGpuCheckBox - Włącz Null GPU:\nDla technicznego debugowania dezaktywuje renderowanie gry tak, jakby nie było karty graficznej. - - - gameFoldersBox - Foldery gier:\nLista folderów do sprawdzenia zainstalowanych gier. - - - addFolderButton - Dodaj:\nDodaj folder do listy. - - - removeFolderButton - Usuń:\nUsuń folder z listy. - - - debugDump - Włącz zrzut debugowania:\nZapisuje symbole importu i eksportu oraz informacje nagłówkowe pliku dla aktualnie działającej aplikacji PS4 w katalogu. - - - vkValidationCheckBox - Włącz warstwę walidacji Vulkan:\nWłącza system, który waliduje stan renderera Vulkan i loguje informacje o jego wewnętrznym stanie. Zmniejszy to wydajność i prawdopodobnie zmieni zachowanie emulacji. - - - vkSyncValidationCheckBox - Włącz walidację synchronizacji Vulkan:\nWłącza system, który waliduje timing zadań renderowania Vulkan. Zmniejszy to wydajność i prawdopodobnie zmieni zachowanie emulacji. - - - rdocCheckBox - Włącz debugowanie RenderDoc:\nJeśli włączone, emulator zapewnia kompatybilność z Renderdoc, aby umożliwić nagrywanie i analizowanie aktualnie renderowanej klatki. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Kody / Łatki dla - - - defaultTextEdit_MSG - Cheaty/Patche są eksperymentalne.\nUżywaj ich ostrożnie.\n\nPobierz cheaty pojedynczo, wybierając repozytorium i klikając przycisk pobierania.\nNa zakładce Patches możesz pobrać wszystkie patche jednocześnie, wybrać, które chcesz używać, i zapisać wybór.\n\nPonieważ nie rozwijamy Cheats/Patches,\nproszę zgłosić problemy do autora cheatu.\n\nStworzyłeś nowy cheat? Odwiedź:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Brak dostępnego obrazu - - - Serial: - Numer seryjny: - - - Version: - Wersja: - - - Size: - Rozmiar: - - - Select Cheat File: - Wybierz plik kodu: - - - Repository: - Repozytorium: - - - Download Cheats - Pobierz kody - - - Remove Old Files - Usuń stare pliki - - - Do you want to delete the files after downloading them? - Czy chcesz usunąć pliki po ich pobraniu? - - - Do you want to delete the files after downloading them?\n%1 - Czy chcesz usunąć pliki po ich pobraniu?\n%1 - - - Do you want to delete the selected file?\n%1 - Czy chcesz usunąć wybrany plik?\n%1 - - - Select Patch File: - Wybierz plik poprawki: - - - Download Patches - Pobierz poprawki - - - Save - Zapisz - - - Cheats - Kody - - - Patches - Poprawki - - - Error - Błąd - - - No patch selected. - Nie wybrano poprawki. - - - Unable to open files.json for reading. - Nie można otworzyć pliku files.json do odczytu. - - - No patch file found for the current serial. - Nie znaleziono pliku poprawki dla bieżącego numeru seryjnego. - - - Unable to open the file for reading. - Nie można otworzyć pliku do odczytu. - - - Unable to open the file for writing. - Nie można otworzyć pliku do zapisu. - - - Failed to parse XML: - Nie udało się przeanalizować XML: - - - Success - Sukces - - - Options saved successfully. - Opcje zostały pomyślnie zapisane. - - - Invalid Source - Nieprawidłowe źródło - - - The selected source is invalid. - Wybrane źródło jest nieprawidłowe. - - - File Exists - Plik istnieje - - - File already exists. Do you want to replace it? - Plik już istnieje. Czy chcesz go zastąpić? - - - Failed to save file: - Nie udało się zapisać pliku: - - - Failed to download file: - Nie udało się pobrać pliku: - - - Cheats Not Found - Nie znaleziono kodów - - - CheatsNotFound_MSG - Nie znaleziono kodów do tej gry w tej wersji wybranego repozytorium. Spróbuj innego repozytorium lub innej wersji gry. - - - Cheats Downloaded Successfully - Kody pobrane pomyślnie - - - CheatsDownloadedSuccessfully_MSG - Pomyślnie pobrano kody dla tej wersji gry z wybranego repozytorium. Możesz spróbować pobrać z innego repozytorium. Jeśli jest dostępne, możesz również użyć go, wybierając plik z listy. - - - Failed to save: - Nie udało się zapisać: - - - Failed to download: - Nie udało się pobrać: - - - Download Complete - Pobieranie zakończone - - - DownloadComplete_MSG - Poprawki zostały pomyślnie pobrane! Wszystkie dostępne poprawki dla wszystkich gier zostały pobrane. Nie ma potrzeby pobierania ich osobno dla każdej gry, która ma kody. Jeśli poprawka się nie pojawia, możliwe, że nie istnieje dla konkretnego numeru seryjnego i wersji gry. - - - Failed to parse JSON data from HTML. - Nie udało się przeanalizować danych JSON z HTML. - - - Failed to retrieve HTML page. - Nie udało się pobrać strony HTML. - - - The game is in version: %1 - Gra jest w wersji: %1 - - - The downloaded patch only works on version: %1 - Pobrana łatka działa tylko w wersji: %1 - - - You may need to update your game. - Możesz potrzebować zaktualizować swoją grę. - - - Incompatibility Notice - Powiadomienie o niezgodności - - - Failed to open file: - Nie udało się otworzyć pliku: - - - XML ERROR: - BŁĄD XML: - - - Failed to open files.json for writing - Nie udało się otworzyć pliku files.json do zapisu - - - Author: - Autor: - - - Directory does not exist: - Katalog nie istnieje: - - - Directory does not exist: %1 - Katalog nie istnieje: %1 - - - Failed to parse JSON: - Nie udało się przeanalizować JSON: - - - Can't apply cheats before the game is started - Nie można zastosować kodów przed uruchomieniem gry. - - - - GameListFrame - - Icon - Ikona - - - Name - Nazwa - - - Serial - Numer seryjny - - - Compatibility - Zgodność - - - Region - Region - - - Firmware - Oprogramowanie - - - Size - Rozmiar - - - Version - Wersja - - - Path - Ścieżka - - - Play Time - Czas gry - - - Never Played - Nigdy nie grane - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Kompatybilność nie została przetestowana - - - Game does not initialize properly / crashes the emulator - Gra nie inicjuje się poprawnie / zawiesza się emulator - - - Game boots, but only displays a blank screen - Gra uruchamia się, ale wyświetla tylko pusty ekran - - - Game displays an image but does not go past the menu - Gra wyświetla obraz, ale nie przechodzi do menu - - - Game has game-breaking glitches or unplayable performance - Gra ma usterki przerywające rozgrywkę lub niegrywalną wydajność - - - Game can be completed with playable performance and no major glitches - Grę można ukończyć z grywalną wydajnością i bez większych usterek - - - Click to see details on github - Kliknij, aby zobaczyć szczegóły na GitHub - - - Last updated - Ostatnia aktualizacja - - - - CheckUpdate - - Auto Updater - Automatyczne aktualizacje - - - Error - Błąd - - - Network error: - Błąd sieci: - - - Error_Github_limit_MSG - Automatyczna aktualizacja umożliwia maksymalnie 60 sprawdzeń aktualizacji na godzinę.\nOsiągnąłeś ten limit. Spróbuj ponownie później. - - - Failed to parse update information. - Nie udało się sparsować informacji o aktualizacji. - - - No pre-releases found. - Nie znaleziono wersji przedpremierowych. - - - Invalid release data. - Nieprawidłowe dane wydania. - - - No download URL found for the specified asset. - Nie znaleziono adresu URL do pobrania dla określonego zasobu. - - - Your version is already up to date! - Twoja wersja jest już aktualna! - - - Update Available - Dostępna aktualizacja - - - Update Channel - Kanał Aktualizacji - - - Current Version - Aktualna wersja - - - Latest Version - Ostatnia wersja - - - Do you want to update? - Czy chcesz zaktualizować? - - - Show Changelog - Pokaż zmiany - - - Check for Updates at Startup - Sprawdź aktualizacje przy starcie - - - Update - Aktualizuj - - - No - Nie - - - Hide Changelog - Ukryj zmiany - - - Changes - Zmiany - - - Network error occurred while trying to access the URL - Błąd sieci wystąpił podczas próby uzyskania dostępu do URL - - - Download Complete - Pobieranie zakończone - - - The update has been downloaded, press OK to install. - Aktualizacja została pobrana, naciśnij OK, aby zainstalować. - - - Failed to save the update file at - Nie udało się zapisać pliku aktualizacji w - - - Starting Update... - Rozpoczynanie aktualizacji... - - - Failed to create the update script file - Nie udało się utworzyć pliku skryptu aktualizacji - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Pobieranie danych o kompatybilności, proszę czekać - - - Cancel - Anuluj - - - Loading... - Ładowanie... - - - Error - Błąd - - - Unable to update compatibility data! Try again later. - Nie można zaktualizować danych o kompatybilności! Spróbuj ponownie później. - - - Unable to open compatibility_data.json for writing. - Nie można otworzyć pliku compatibility_data.json do zapisu. - - - Unknown - Nieznany - - - Nothing - Nic - - - Boots - Buty - - - Menus - Menu - - - Ingame - W grze - - - Playable - Do grania - - + + AboutDialog + + About shadPS4 + O programie + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 to eksperymentalny otwartoźródłowy emulator konsoli PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + To oprogramowanie nie służy do grania w gry pochodzące z nielegalnego źródła. + + + + CheatsPatches + + Cheats / Patches for + Kody / Łatki dla + + + defaultTextEdit_MSG + Cheaty/Patche są eksperymentalne.\nUżywaj ich ostrożnie.\n\nPobierz cheaty pojedynczo, wybierając repozytorium i klikając przycisk pobierania.\nNa zakładce Patches możesz pobrać wszystkie patche jednocześnie, wybrać, które chcesz używać, i zapisać wybór.\n\nPonieważ nie rozwijamy Cheats/Patches,\nproszę zgłosić problemy do autora cheatu.\n\nStworzyłeś nowy cheat? Odwiedź:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Brak dostępnego obrazu + + + Serial: + Numer seryjny: + + + Version: + Wersja: + + + Size: + Rozmiar: + + + Select Cheat File: + Wybierz plik kodu: + + + Repository: + Repozytorium: + + + Download Cheats + Pobierz kody + + + Do you want to delete the selected file?\n%1 + Czy chcesz usunąć wybrany plik?\n%1 + + + Select Patch File: + Wybierz plik poprawki: + + + Download Patches + Pobierz poprawki + + + Save + Zapisz + + + Cheats + Kody + + + Patches + Poprawki + + + Error + Błąd + + + No patch selected. + Nie wybrano poprawki. + + + Unable to open files.json for reading. + Nie można otworzyć pliku files.json do odczytu. + + + No patch file found for the current serial. + Nie znaleziono pliku poprawki dla bieżącego numeru seryjnego. + + + Unable to open the file for reading. + Nie można otworzyć pliku do odczytu. + + + Unable to open the file for writing. + Nie można otworzyć pliku do zapisu. + + + Failed to parse XML: + Nie udało się przeanalizować XML: + + + Success + Sukces + + + Options saved successfully. + Opcje zostały pomyślnie zapisane. + + + Invalid Source + Nieprawidłowe źródło + + + The selected source is invalid. + Wybrane źródło jest nieprawidłowe. + + + File Exists + Plik istnieje + + + File already exists. Do you want to replace it? + Plik już istnieje. Czy chcesz go zastąpić? + + + Failed to save file: + Nie udało się zapisać pliku: + + + Failed to download file: + Nie udało się pobrać pliku: + + + Cheats Not Found + Nie znaleziono kodów + + + CheatsNotFound_MSG + Nie znaleziono kodów do tej gry w tej wersji wybranego repozytorium. Spróbuj innego repozytorium lub innej wersji gry. + + + Cheats Downloaded Successfully + Kody pobrane pomyślnie + + + CheatsDownloadedSuccessfully_MSG + Pomyślnie pobrano kody dla tej wersji gry z wybranego repozytorium. Możesz spróbować pobrać z innego repozytorium. Jeśli jest dostępne, możesz również użyć go, wybierając plik z listy. + + + Failed to save: + Nie udało się zapisać: + + + Failed to download: + Nie udało się pobrać: + + + Download Complete + Pobieranie zakończone + + + DownloadComplete_MSG + Poprawki zostały pomyślnie pobrane! Wszystkie dostępne poprawki dla wszystkich gier zostały pobrane. Nie ma potrzeby pobierania ich osobno dla każdej gry, która ma kody. Jeśli poprawka się nie pojawia, możliwe, że nie istnieje dla konkretnego numeru seryjnego i wersji gry. + + + Failed to parse JSON data from HTML. + Nie udało się przeanalizować danych JSON z HTML. + + + Failed to retrieve HTML page. + Nie udało się pobrać strony HTML. + + + The game is in version: %1 + Gra jest w wersji: %1 + + + The downloaded patch only works on version: %1 + Pobrana łatka działa tylko w wersji: %1 + + + You may need to update your game. + Możesz potrzebować zaktualizować swoją grę. + + + Incompatibility Notice + Powiadomienie o niezgodności + + + Failed to open file: + Nie udało się otworzyć pliku: + + + XML ERROR: + BŁĄD XML: + + + Failed to open files.json for writing + Nie udało się otworzyć pliku files.json do zapisu + + + Author: + Autor: + + + Directory does not exist: + Katalog nie istnieje: + + + Can't apply cheats before the game is started + Nie można zastosować kodów przed uruchomieniem gry. + + + Delete File + + + + No files selected. + + + + You can delete the cheats you don't want after downloading them. + + + + Close + Zamknij + + + Failed to open files.json for reading. + + + + Name: + + + + + CheckUpdate + + Auto Updater + Automatyczne aktualizacje + + + Error + Błąd + + + Network error: + Błąd sieci: + + + Error_Github_limit_MSG + Automatyczna aktualizacja umożliwia maksymalnie 60 sprawdzeń aktualizacji na godzinę.\nOsiągnąłeś ten limit. Spróbuj ponownie później. + + + Failed to parse update information. + Nie udało się sparsować informacji o aktualizacji. + + + No pre-releases found. + Nie znaleziono wersji przedpremierowych. + + + Invalid release data. + Nieprawidłowe dane wydania. + + + No download URL found for the specified asset. + Nie znaleziono adresu URL do pobrania dla określonego zasobu. + + + Your version is already up to date! + Twoja wersja jest już aktualna! + + + Update Available + Dostępna aktualizacja + + + Update Channel + Kanał Aktualizacji + + + Current Version + Aktualna wersja + + + Latest Version + Ostatnia wersja + + + Do you want to update? + Czy chcesz zaktualizować? + + + Show Changelog + Pokaż zmiany + + + Check for Updates at Startup + Sprawdź aktualizacje przy starcie + + + Update + Aktualizuj + + + No + Nie + + + Hide Changelog + Ukryj zmiany + + + Changes + Zmiany + + + Network error occurred while trying to access the URL + Błąd sieci wystąpił podczas próby uzyskania dostępu do URL + + + Download Complete + Pobieranie zakończone + + + The update has been downloaded, press OK to install. + Aktualizacja została pobrana, naciśnij OK, aby zainstalować. + + + Failed to save the update file at + Nie udało się zapisać pliku aktualizacji w + + + Starting Update... + Rozpoczynanie aktualizacji... + + + Failed to create the update script file + Nie udało się utworzyć pliku skryptu aktualizacji + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Pobieranie danych o kompatybilności, proszę czekać + + + Cancel + Anuluj + + + Loading... + Ładowanie... + + + Error + Błąd + + + Unable to update compatibility data! Try again later. + Nie można zaktualizować danych o kompatybilności! Spróbuj ponownie później. + + + Unable to open compatibility_data.json for writing. + Nie można otworzyć pliku compatibility_data.json do zapisu. + + + Unknown + Nieznany + + + Nothing + Nic + + + Boots + Buty + + + Menus + Menu + + + Ingame + W grze + + + Playable + Do grania + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Otwórz folder + + + + GameInfoClass + + Loading game list, please wait :3 + Ładowanie listy gier, proszę poczekaj :3 + + + Cancel + Anuluj + + + Loading... + Ładowanie... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Wybierz katalog + + + Directory to install games + Katalog do instalacji gier + + + Browse + Przeglądaj + + + Error + Błąd + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikona + + + Name + Nazwa + + + Serial + Numer seryjny + + + Compatibility + Zgodność + + + Region + Region + + + Firmware + Oprogramowanie + + + Size + Rozmiar + + + Version + Wersja + + + Path + Ścieżka + + + Play Time + Czas gry + + + Never Played + Nigdy nie grane + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Kompatybilność nie została przetestowana + + + Game does not initialize properly / crashes the emulator + Gra nie inicjuje się poprawnie / zawiesza się emulator + + + Game boots, but only displays a blank screen + Gra uruchamia się, ale wyświetla tylko pusty ekran + + + Game displays an image but does not go past the menu + Gra wyświetla obraz, ale nie przechodzi do menu + + + Game has game-breaking glitches or unplayable performance + Gra ma usterki przerywające rozgrywkę lub niegrywalną wydajność + + + Game can be completed with playable performance and no major glitches + Grę można ukończyć z grywalną wydajnością i bez większych usterek + + + Click to see details on github + Kliknij, aby zobaczyć szczegóły na GitHub + + + Last updated + Ostatnia aktualizacja + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Utwórz skrót + + + Cheats / Patches + Kody / poprawki + + + SFO Viewer + Menedżer plików SFO + + + Trophy Viewer + Menedżer trofeów + + + Open Folder... + Otwórz Folder... + + + Open Game Folder + Otwórz Katalog Gry + + + Open Save Data Folder + Otwórz Folder Danych Zapisów + + + Open Log Folder + Otwórz Folder Dziennika + + + Copy info... + Kopiuj informacje... + + + Copy Name + Kopiuj nazwę + + + Copy Serial + Kopiuj numer seryjny + + + Copy All + Kopiuj wszystko + + + Delete... + Usuń... + + + Delete Game + Usuń Grę + + + Delete Update + Usuń Aktualizację + + + Delete DLC + Usuń DLC + + + Compatibility... + kompatybilność... + + + Update database + Zaktualizuj bazę danych + + + View report + Wyświetl zgłoszenie + + + Submit a report + Wyślij zgłoszenie + + + Shortcut creation + Tworzenie skrótu + + + Shortcut created successfully! + Utworzenie skrótu zakończone pomyślnie! + + + Error + Błąd + + + Error creating shortcut! + Utworzenie skrótu zakończone niepowodzeniem! + + + Install PKG + Zainstaluj PKG + + + Game + Gra + + + This game has no update to delete! + Ta gra nie ma aktualizacji do usunięcia! + + + Update + Aktualizacja + + + This game has no DLC to delete! + Ta gra nie ma DLC do usunięcia! + + + DLC + DLC + + + Delete %1 + Usuń %1 + + + Are you sure you want to delete %1's %2 directory? + Czy na pewno chcesz usunąć katalog %1 z %2? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Wybierz katalog + + + Select which directory you want to install to. + Wybierz katalog, do którego chcesz zainstalować. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Otwórz/Dodaj folder Elf + + + Install Packages (PKG) + Zainstaluj paczkę (PKG) + + + Boot Game + Uruchom grę + + + Check for Updates + Sprawdź aktualizacje + + + About shadPS4 + O programie + + + Configure... + Konfiguruj... + + + Install application from a .pkg file + Zainstaluj aplikacje z pliku .pkg + + + Recent Games + Ostatnie gry + + + Open shadPS4 Folder + Otwórz folder shadPS4 + + + Exit + Wyjdź + + + Exit shadPS4 + Wyjdź z shadPS4 + + + Exit the application. + Wyjdź z aplikacji. + + + Show Game List + Pokaż listę gier + + + Game List Refresh + Odśwież listę gier + + + Tiny + Malutkie + + + Small + Małe + + + Medium + Średnie + + + Large + Wielkie + + + List View + Widok listy + + + Grid View + Widok siatki + + + Elf Viewer + Menedżer plików ELF + + + Game Install Directory + Katalog zainstalowanych gier + + + Download Cheats/Patches + Pobierz kody / poprawki + + + Dump Game List + Zgraj listę gier + + + PKG Viewer + Menedżer plików PKG + + + Search... + Szukaj... + + + File + Plik + + + View + Widok + + + Game List Icons + Ikony w widoku listy + + + Game List Mode + Tryb listy gier + + + Settings + Ustawienia + + + Utils + Narzędzia + + + Themes + Motywy + + + Help + Pomoc + + + Dark + Ciemny + + + Light + Jasny + + + Green + Zielony + + + Blue + Niebieski + + + Violet + Fioletowy + + + toolBar + Pasek narzędzi + + + Game List + Lista gier + + + * Unsupported Vulkan Version + * Nieobsługiwana wersja Vulkan + + + Download Cheats For All Installed Games + Pobierz kody do wszystkich zainstalowanych gier + + + Download Patches For All Games + Pobierz poprawki do wszystkich gier + + + Download Complete + Pobieranie zakończone + + + You have downloaded cheats for all the games you have installed. + Pobrałeś kody do wszystkich zainstalowanych gier. + + + Patches Downloaded Successfully! + Poprawki pobrane pomyślnie! + + + All Patches available for all games have been downloaded. + Wszystkie poprawki dostępne dla wszystkich gier zostały pobrane. + + + Games: + Gry: + + + ELF files (*.bin *.elf *.oelf) + Pliki ELF (*.bin *.elf *.oelf) + + + Game Boot + Uruchomienie gry + + + Only one file can be selected! + Można wybrać tylko jeden plik! + + + PKG Extraction + Wypakowywanie PKG + + + Patch detected! + Wykryto łatkę! + + + PKG and Game versions match: + Wersje PKG i gry są zgodne: + + + Would you like to overwrite? + Czy chcesz nadpisać? + + + PKG Version %1 is older than installed version: + Wersja PKG %1 jest starsza niż zainstalowana wersja: + + + Game is installed: + Gra jest zainstalowana: + + + Would you like to install Patch: + Czy chcesz zainstalować łatkę: + + + DLC Installation + Instalacja DLC + + + Would you like to install DLC: %1? + Czy chcesz zainstalować DLC: %1? + + + DLC already installed: + DLC już zainstalowane: + + + Game already installed + Gra już zainstalowana + + + PKG ERROR + BŁĄD PKG + + + Extracting PKG %1/%2 + Wypakowywanie PKG %1/%2 + + + Extraction Finished + Wypakowywanie zakończone + + + Game successfully installed at %1 + Gra pomyślnie zainstalowana w %1 + + + File doesn't appear to be a valid PKG file + Plik nie wydaje się być prawidłowym plikiem PKG + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Otwórz folder + + + Name + Nazwa + + + Serial + Numer seryjny + + + Installed + + + + Size + Rozmiar + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Ścieżka + + + File + Plik + + + PKG ERROR + BŁĄD PKG + + + Unknown + Nieznany + + + Package + + + + + SettingsDialog + + Settings + Ustawienia + + + General + Ogólne + + + System + System + + + Console Language + Język konsoli + + + Emulator Language + Język emulatora + + + Emulator + Emulator + + + Enable Fullscreen + Włącz pełny ekran + + + Fullscreen Mode + Tryb Pełnoekranowy + + + Enable Separate Update Folder + Włącz oddzielny folder aktualizacji + + + Default tab when opening settings + Domyślna zakładka podczas otwierania ustawień + + + Show Game Size In List + Pokaż rozmiar gry na liście + + + Show Splash + Pokaż ekran powitania + + + Enable Discord Rich Presence + Włącz Discord Rich Presence + + + Username + Nazwa użytkownika + + + Trophy Key + Klucz trofeów + + + Trophy + Trofeum + + + Logger + Dziennik zdarzeń + + + Log Type + Typ dziennika + + + Log Filter + Filtrowanie dziennika + + + Open Log Location + Otwórz lokalizację dziennika + + + Input + Wejście + + + Cursor + Kursor + + + Hide Cursor + Ukryj kursor + + + Hide Cursor Idle Timeout + Czas oczekiwania na ukrycie kursora przy bezczynności + + + s + s + + + Controller + Kontroler + + + Back Button Behavior + Zachowanie przycisku wstecz + + + Graphics + Grafika + + + GUI + Interfejs + + + User + Użytkownik + + + Graphics Device + Karta graficzna + + + Width + Szerokość + + + Height + Wysokość + + + Vblank Divider + Dzielnik przerwy pionowej (Vblank) + + + Advanced + Zaawansowane + + + Enable Shaders Dumping + Włącz zgrywanie cieni + + + Enable NULL GPU + Wyłącz kartę graficzną + + + Paths + Ścieżki + + + Game Folders + Foldery gier + + + Add... + Dodaj... + + + Remove + Usuń + + + Debug + Debugowanie + + + Enable Debug Dumping + Włącz zgrywanie debugowania + + + Enable Vulkan Validation Layers + Włącz warstwy walidacji Vulkan + + + Enable Vulkan Synchronization Validation + Włącz walidację synchronizacji Vulkan + + + Enable RenderDoc Debugging + Włącz debugowanie RenderDoc + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Aktualizacja + + + Check for Updates at Startup + Sprawdź aktualizacje przy starcie + + + Always Show Changelog + Zawsze pokazuj dziennik zmian + + + Update Channel + Kanał Aktualizacji + + + Check for Updates + Sprawdź aktualizacje + + + GUI Settings + Ustawienia Interfejsu + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Wyłącz wyskakujące okienka trofeów + + + Play title music + Odtwórz muzykę tytułową + + + Update Compatibility Database On Startup + Aktualizuj bazę danych zgodności podczas uruchamiania + + + Game Compatibility + Kompatybilność gier + + + Display Compatibility Data + Wyświetl dane zgodności + + + Update Compatibility Database + Aktualizuj bazę danych zgodności + + + Volume + Głośność + + + Save + Zapisz + + + Apply + Zastosuj + + + Restore Defaults + Przywróć ustawienia domyślne + + + Close + Zamknij + + + Point your mouse at an option to display its description. + Najedź kursorem na opcję, aby wyświetlić jej opis. + + + consoleLanguageGroupBox + Język konsoli:\nUstala język, który używa gra PS4.\nZaleca się ustawienie tego na język, który obsługuje gra, co może się różnić w zależności od regionu. + + + emulatorLanguageGroupBox + Język emulatora:\nUstala język interfejsu użytkownika emulatora. + + + fullscreenCheckBox + Włącz tryb pełnoekranowy:\nAutomatycznie przełącza okno gry w tryb pełnoekranowy.\nMożna to wyłączyć naciskając klawisz F11. + + + separateUpdatesCheckBox + Włącz oddzielny folder aktualizacji:\nUmożliwia instalowanie aktualizacji gier w oddzielnym folderze w celu łatwego zarządzania. + + + showSplashCheckBox + Wyświetl ekran powitalny:\nPodczas uruchamiania gry wyświetla ekran powitalny (specjalny obraz). + + + discordRPCCheckbox + Włącz Discord Rich Presence:\nWyświetla ikonę emulatora i odpowiednie informacje na twoim profilu Discord. + + + userName + Nazwa użytkownika:\nUstala nazwę użytkownika konta PS4, która może być wyświetlana w niektórych grach. + + + TrophyKey + Klucz trofeów:\nKlucz używany do odszyfrowywania trofeów. Musi być uzyskany z konsoli po jailbreaku. Musi zawierać tylko znaki w kodzie szesnastkowym. + + + logTypeGroupBox + Typ logu:\nUstala, czy synchronizować wyjście okna dziennika dla wydajności. Może to mieć negatywny wpływ na emulację. + + + logFilter + Filtr logu:\nFiltruje dziennik, aby drukować tylko określone informacje.\nPrzykłady: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Poziomy: Trace, Debug, Info, Warning, Error, Critical - w tej kolejności, konkretny poziom wycisza wszystkie wcześniejsze poziomy w liście i rejestruje wszystkie poziomy później. + + + updaterGroupBox + Aktualizator:\nRelease: Oficjalne wersje wydawane co miesiąc, które mogą być bardzo przestarzałe, ale są niezawodne i przetestowane.\nNightly: Wersje rozwojowe, które zawierają wszystkie najnowsze funkcje i poprawki błędów, ale mogą mieć błędy i być mniej stabilne. + + + GUIMusicGroupBox + Odtwórz muzykę tytułową:\nJeśli gra to obsługuje, aktywuje odtwarzanie specjalnej muzyki podczas wybierania gry w GUI. + + + disableTrophycheckBox + Wyłącz wyskakujące okienka trofeów:\nWyłącz powiadomienia o trofeach w grze. Postępy w zdobywaniu trofeów można nadal śledzić za pomocą przeglądarki trofeów (kliknij prawym przyciskiem myszy grę w oknie głównym). + + + hideCursorGroupBox + Ukryj kursor:\nWybierz, kiedy kursor zniknie:\nNigdy: Zawsze będziesz widział myszkę.\nNieaktywny: Ustaw czas, po którym zniknie po bezczynności.\nZawsze: nigdy nie zobaczysz myszki. + + + idleTimeoutGroupBox + Ustaw czas, po którym mysz zniknie po bezczynności. + + + backButtonBehaviorGroupBox + Zachowanie przycisku Wstecz:\nUstawia przycisk Wstecz kontrolera tak, aby emulował dotknięcie określonego miejsca na panelu dotykowym PS4. + + + enableCompatibilityCheckBox + Wyświetl dane zgodności:\nWyświetla informacje o kompatybilności gry w widoku tabeli. Włącz opcję „Aktualizuj zgodność przy uruchomieniu”, aby uzyskać aktualne informacje. + + + checkCompatibilityOnStartupCheckBox + Aktualizuj zgodność przy uruchomieniu:\nAutomatycznie aktualizuj bazę danych kompatybilności podczas uruchamiania shadPS4. + + + updateCompatibilityButton + Zaktualizuj bazę danych zgodności:\nNatychmiast zaktualizuj bazę danych zgodności. + + + Never + Nigdy + + + Idle + Bezczynny + + + Always + Zawsze + + + Touchpad Left + Touchpad Lewy + + + Touchpad Right + Touchpad Prawy + + + Touchpad Center + Touchpad Środkowy + + + None + Brak + + + graphicsAdapterGroupBox + Urządzenie graficzne:\nW systemach z wieloma GPU, wybierz GPU, który emulator ma używać z rozwijanego menu,\n lub wybierz "Auto Select", aby ustawić go automatycznie. + + + resolutionLayout + Szerokość/Wysokość:\nUstala rozmiar okna emulatora podczas uruchamiania, który może być zmieniany w trakcie gry.\nTo różni się od rozdzielczości w grze. + + + heightDivider + Dzielnik Vblank:\nWskaźnik klatek, z jakim emulator jest odświeżany, pomnożony przez tę liczbę. Zmiana tego może mieć negatywne skutki, takie jak przyspieszenie gry lub zniszczenie krytycznej funkcjonalności gry, która nie spodziewa się, że to zostanie zmienione! + + + dumpShadersCheckBox + Włącz zrzucanie shaderów:\nDla technicznego debugowania zapisuje shadery z gry w folderze podczas renderowania. + + + nullGpuCheckBox + Włącz Null GPU:\nDla technicznego debugowania dezaktywuje renderowanie gry tak, jakby nie było karty graficznej. + + + gameFoldersBox + Foldery gier:\nLista folderów do sprawdzenia zainstalowanych gier. + + + addFolderButton + Dodaj:\nDodaj folder do listy. + + + removeFolderButton + Usuń:\nUsuń folder z listy. + + + debugDump + Włącz zrzut debugowania:\nZapisuje symbole importu i eksportu oraz informacje nagłówkowe pliku dla aktualnie działającej aplikacji PS4 w katalogu. + + + vkValidationCheckBox + Włącz warstwę walidacji Vulkan:\nWłącza system, który waliduje stan renderera Vulkan i loguje informacje o jego wewnętrznym stanie. Zmniejszy to wydajność i prawdopodobnie zmieni zachowanie emulacji. + + + vkSyncValidationCheckBox + Włącz walidację synchronizacji Vulkan:\nWłącza system, który waliduje timing zadań renderowania Vulkan. Zmniejszy to wydajność i prawdopodobnie zmieni zachowanie emulacji. + + + rdocCheckBox + Włącz debugowanie RenderDoc:\nJeśli włączone, emulator zapewnia kompatybilność z Renderdoc, aby umożliwić nagrywanie i analizowanie aktualnie renderowanej klatki. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Przeglądaj + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Katalog do instalacji gier + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Menedżer trofeów + + diff --git a/src/qt_gui/translations/pt_BR.ts b/src/qt_gui/translations/pt_BR.ts index 097d17d70..b0dff3d20 100644 --- a/src/qt_gui/translations/pt_BR.ts +++ b/src/qt_gui/translations/pt_BR.ts @@ -1,1479 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - Sobre o shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 é um emulador experimental de código-fonte aberto para o PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Este software não deve ser usado para jogar jogos piratas. - - - - ElfViewer - - Open Folder - Abrir Pasta - - - - GameInfoClass - - Loading game list, please wait :3 - Carregando a lista de jogos, por favor aguarde :3 - - - Cancel - Cancelar - - - Loading... - Carregando... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Escolha o diretório - - - Select which directory you want to install to. - Selecione o diretório em que você deseja instalar. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Escolha o diretório - - - Directory to install games - Diretório para instalar jogos - - - Browse - Procurar - - - Error - Erro - - - The value for location to install games is not valid. - O diretório da instalação dos jogos não é válido. - - - - GuiContextMenus - - Create Shortcut - Criar Atalho - - - Cheats / Patches - Cheats / Patches - - - SFO Viewer - Visualizador de SFO - - - Trophy Viewer - Visualizador de Troféu - - - Open Folder... - Abrir Pasta... - - - Open Game Folder - Abrir Pasta do Jogo - - - Open Save Data Folder - Abrir Pasta de Save - - - Open Log Folder - Abrir Pasta de Log - - - Copy info... - Copiar informação... - - - Copy Name - Copiar Nome - - - Copy Serial - Copiar Serial - - - Copy All - Copiar Tudo - - - Delete... - Deletar... - - - Delete Game - Deletar Jogo - - - Delete Update - Deletar Atualização - - - Delete DLC - Deletar DLC - - - Compatibility... - Compatibilidade... - - - Update database - Atualizar banco de dados - - - View report - Ver status - - - Submit a report - Enviar status - - - Shortcut creation - Criação de atalho - - - Shortcut created successfully! - Atalho criado com sucesso! - - - Error - Erro - - - Error creating shortcut! - Erro ao criar atalho! - - - Install PKG - Instalar PKG - - - Game - Jogo - - - requiresEnableSeparateUpdateFolder_MSG - Este recurso requer a opção de configuração 'Habilitar Pasta de Atualização Separada' para funcionar. Se você quiser usar este recurso, habilite-o. - - - This game has no update to delete! - Este jogo não tem atualização para excluir! - - - Update - Atualização - - - This game has no DLC to delete! - Este jogo não tem DLC para excluir! - - - DLC - DLC - - - Delete %1 - Deletar %1 - - - Are you sure you want to delete %1's %2 directory? - Tem certeza de que deseja excluir o diretório %2 de %1 ? - - - - MainWindow - - Open/Add Elf Folder - Abrir/Adicionar pasta Elf - - - Install Packages (PKG) - Instalar Pacotes (PKG) - - - Boot Game - Iniciar Jogo - - - Check for Updates - Verificar atualizações - - - About shadPS4 - Sobre o shadPS4 - - - Configure... - Configurar... - - - Install application from a .pkg file - Instalar aplicação de um arquivo .pkg - - - Recent Games - Jogos Recentes - - - Open shadPS4 Folder - Abrir pasta shadPS4 - - - Exit - Sair - - - Exit shadPS4 - Sair do shadPS4 - - - Exit the application. - Sair da aplicação. - - - Show Game List - Mostrar Lista de Jogos - - - Game List Refresh - Atualizar Lista de Jogos - - - Tiny - Muito pequeno - - - Small - Pequeno - - - Medium - Médio - - - Large - Grande - - - List View - Visualizar em Lista - - - Grid View - Visualizar em Grade - - - Elf Viewer - Visualizador de Elf - - - Game Install Directory - Diretório de Instalação de Jogos - - - Download Cheats/Patches - Baixar Cheats/Patches - - - Dump Game List - Dumpar Lista de Jogos - - - PKG Viewer - Visualizador de PKG - - - Search... - Pesquisar... - - - File - Arquivo - - - View - Ver - - - Game List Icons - Ícones da Lista de Jogos - - - Game List Mode - Modo da Lista de Jogos - - - Settings - Configurações - - - Utils - Utilitários - - - Themes - Temas - - - Help - Ajuda - - - Dark - Escuro - - - Light - Claro - - - Green - Verde - - - Blue - Azul - - - Violet - Violeta - - - toolBar - Barra de Ferramentas - - - Game List - Lista de Jogos - - - * Unsupported Vulkan Version - * Versão Vulkan não suportada - - - Download Cheats For All Installed Games - Baixar Cheats para Todos os Jogos Instalados - - - Download Patches For All Games - Baixar Patches para Todos os Jogos - - - Download Complete - Download Completo - - - You have downloaded cheats for all the games you have installed. - Você baixou cheats para todos os jogos que instalou. - - - Patches Downloaded Successfully! - Patches Baixados com Sucesso! - - - All Patches available for all games have been downloaded. - Todos os patches disponíveis para todos os jogos foram baixados. - - - Games: - Jogos: - - - PKG File (*.PKG) - Arquivo PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Arquivos ELF (*.bin *.elf *.oelf) - - - Game Boot - Inicialização do Jogo - - - Only one file can be selected! - Apenas um arquivo pode ser selecionado! - - - PKG Extraction - Extração de PKG - - - Patch detected! - Atualização detectada! - - - PKG and Game versions match: - As versões do PKG e do Jogo são igual: - - - Would you like to overwrite? - Gostaria de substituir? - - - PKG Version %1 is older than installed version: - Versão do PKG %1 é mais antiga do que a versão instalada: - - - Game is installed: - Jogo instalado: - - - Would you like to install Patch: - Você gostaria de instalar a atualização: - - - DLC Installation - Instalação de DLC - - - Would you like to install DLC: %1? - Você gostaria de instalar o DLC: %1? - - - DLC already installed: - DLC já instalada: - - - Game already installed - O jogo já está instalado: - - - PKG is a patch, please install the game first! - O PKG é um patch, por favor, instale o jogo primeiro! - - - PKG ERROR - ERRO de PKG - - - Extracting PKG %1/%2 - Extraindo PKG %1/%2 - - - Extraction Finished - Extração Concluída - - - Game successfully installed at %1 - Jogo instalado com sucesso em %1 - - - File doesn't appear to be a valid PKG file - O arquivo não parece ser um arquivo PKG válido - - - - PKGViewer - - Open Folder - Abrir Pasta - - - - TrophyViewer - - Trophy Viewer - Visualizador de Troféu - - - - SettingsDialog - - Settings - Configurações - - - General - Geral - - - System - Sistema - - - Console Language - Idioma do Console - - - Emulator Language - Idioma do Emulador - - - Emulator - Emulador - - - Enable Fullscreen - Habilitar Tela Cheia - - - Fullscreen Mode - Modo de Tela Cheia - - - Enable Separate Update Folder - Habilitar pasta de atualização separada - - - Default tab when opening settings - Aba padrão ao abrir as configurações - - - Show Game Size In List - Mostrar Tamanho do Jogo na Lista - - - Show Splash - Mostrar Splash Inicial - - - Is PS4 Pro - Modo PS4 Pro - - - Enable Discord Rich Presence - Habilitar Discord Rich Presence - - - Username - Nome de usuário - - - Trophy Key - Chave de Troféu - - - Trophy - Troféus - - - Logger - Registro-Log - - - Log Type - Tipo de Registro - - - Log Filter - Filtro do Registro - - - Open Log Location - Abrir local do registro - - - Input - Entradas - - - Cursor - Cursor - - - Hide Cursor - Ocultar Cursor - - - Hide Cursor Idle Timeout - Tempo de Inatividade para Ocultar Cursor - - - s - s - - - Controller - Controle - - - Back Button Behavior - Comportamento do botão Voltar - - - Graphics - Gráficos - - - GUI - Interface - - - User - Usuário - - - Graphics Device - Placa de Vídeo - - - Width - Largura - - - Height - Altura - - - Vblank Divider - Divisor Vblank - - - Advanced - Avançado - - - Enable Shaders Dumping - Habilitar Dumping de Shaders - - - Enable NULL GPU - Habilitar GPU NULA - - - Paths - Pastas - - - Game Folders - Pastas dos Jogos - - - Add... - Adicionar... - - - Remove - Remover - - - Debug - Depuração - - - Enable Debug Dumping - Habilitar Depuração de Dumping - - - Enable Vulkan Validation Layers - Habilitar Camadas de Validação do Vulkan - - - Enable Vulkan Synchronization Validation - Habilitar Validação de Sincronização do Vulkan - - - Enable RenderDoc Debugging - Habilitar Depuração do RenderDoc - - - Enable Crash Diagnostics - Habilitar Diagnóstico de Falhas - - - Collect Shaders - Coletar Shaders - - - Copy GPU Buffers - Copiar Buffers de GPU - - - Host Debug Markers - Marcadores de Depuração do Host - - - Guest Debug Markers - Marcadores de Depuração do Convidado - - - Update - Atualização - - - Check for Updates at Startup - Verificar Atualizações ao Iniciar - - - Always Show Changelog - Sempre Mostrar o Changelog - - - Update Channel - Canal de Atualização - - - Check for Updates - Verificar atualizações - - - GUI Settings - Configurações da Interface - - - Title Music - Música no Menu - - - Disable Trophy Pop-ups - Desabilitar Pop-ups dos Troféus - - - Play title music - Reproduzir música de abertura - - - Update Compatibility Database On Startup - Atualizar Compatibilidade ao Inicializar - - - Game Compatibility - Compatibilidade dos Jogos - - - Display Compatibility Data - Exibir Dados de Compatibilidade - - - Update Compatibility Database - Atualizar Lista de Compatibilidade - - - Volume - Volume - - - Audio Backend - Backend de Áudio - - - Save - Salvar - - - Apply - Aplicar - - - Restore Defaults - Restaurar Padrões - - - Close - Fechar - - - Point your mouse at an option to display its description. - Passe o mouse sobre uma opção para exibir sua descrição. - - - consoleLanguageGroupBox - Idioma do console:\nDefine o idioma usado pelo jogo no PS4.\nRecomenda-se configurá-lo para um idioma que o jogo suporte, o que pode variar conforme a região. - - - emulatorLanguageGroupBox - Idioma do emulador:\nDefine o idioma da interface do emulador. - - - fullscreenCheckBox - Habilitar Tela Cheia:\nAltera a janela do jogo para o modo tela cheia.\nIsso pode ser alterado pressionando a tecla F11. - - - separateUpdatesCheckBox - Habilitar pasta de atualização separada:\nPermite instalar atualizações de jogos em uma pasta separada para fácil gerenciamento. - - - showSplashCheckBox - Mostrar Splash Inicial:\nExibe a tela inicial do jogo (imagem especial) ao iniciar o jogo. - - - ps4proCheckBox - Modo PS4 Pro:\nFaz o emulador agir como um PS4 PRO, o que pode ativar recursos especiais em jogos que o suportam. - - - discordRPCCheckbox - Habilitar Discord Rich Presence:\nExibe o ícone do emulador e informações relevantes no seu perfil do Discord. - - - userName - Nome de usuário:\nDefine o nome de usuário da conta PS4 que pode ser exibido por alguns jogos. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Tipo de Registro:\nDefine se a saída da janela de log deve ser sincronizada para melhorar o desempenho. Isso pode impactar negativamente a emulação. - - - logFilter - Filtro de Registro:\nImprime apenas informações específicas.\nExemplos: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nNíveis: Trace, Debug, Info, Warning, Error, Critical - assim, um nível específico desativa todos os níveis anteriores na lista e registra todos os níveis subsequentes. - - - updaterGroupBox - Atualizações:\nRelease: Versões oficiais que são lançadas todo mês e podem ser bastante antigas, mas são mais confiáveis e testadas.\nNightly: Versões de desenvolvimento que têm todos os novos recursos e correções, mas podem ter bugs e ser instáveis. - - - chooseHomeTabGroupBox - do menu. - - - GUIMusicGroupBox - Reproduzir música de abertura:\nSe o jogo suportar, ativa a reprodução de uma música especial ao selecionar o jogo na interface do menu. - - - disableTrophycheckBox - Desabilitar pop-ups dos troféus:\nDesabilite notificações de troféus no jogo. O progresso do troféu ainda pode ser rastreado usando o Trophy Viewer (clique com o botão direito do mouse no jogo na janela principal). - - - hideCursorGroupBox - Ocultar Cursor:\nEscolha quando o cursor desaparecerá:\nNunca: Você sempre verá o mouse.\nParado: Defina um tempo para ele desaparecer após ficar inativo.\nSempre: Você nunca verá o mouse. - - - idleTimeoutGroupBox - Defina um tempo em segundos para o mouse desaparecer após ficar inativo. - - - backButtonBehaviorGroupBox - Comportamento do botão Voltar:\nDefine o botão Voltar do controle para emular o toque na posição especificada no touchpad do PS4. - - - enableCompatibilityCheckBox - Exibir Dados de Compatibilidade:\nExibe informações de compatibilidade dos jogos na janela principal.\nHabilitar "Atualizar Compatibilidade ao Inicializar" para obter informações atualizadas. - - - checkCompatibilityOnStartupCheckBox - Atualizar Compatibilidade ao inicializar:\nAtualiza automaticamente o banco de dados de compatibilidade quando o SHADPS4 é iniciado. - - - updateCompatibilityButton - Atualizar Lista de Compatibilidade:\nAtualizar imediatamente o banco de dados de compatibilidade. - - - Never - Nunca - - - Idle - Parado - - - Always - Sempre - - - Touchpad Left - Touchpad Esquerdo - - - Touchpad Right - Touchpad Direito - - - Touchpad Center - Touchpad Centro - - - None - Nenhum - - - graphicsAdapterGroupBox - Placa de Vídeo:\nEm sistemas com múltiplas GPUs, escolha qual GPU o emulador usará da lista suspensa,\nou escolha "Auto Select" para que ele determine automaticamente. - - - resolutionLayout - Largura/Altura:\nDefine o tamanho da janela do emulador no momento da inicialização, que pode ser redimensionado durante o jogo.\nIsso é diferente da resolução dentro do jogo. - - - heightDivider - Divisor Vblank:\nA taxa de quadros que o emulador atualiza é multiplicada por este número. Mudar isso pode ter efeitos negativos, como aumentar a velocidade do jogo ou quebrar funções vitais do jogo que não esperam que isso mude! - - - dumpShadersCheckBox - Habilitar Dumping de Shaders:\nArmazena os shaders do jogo em uma pasta durante a renderização para fins de depuração técnica. - - - nullGpuCheckBox - Habilitar GPU NULA:\nDesativa a renderização do jogo para fins de depuração técnica, como se não houvesse nenhuma placa gráfica. - - - gameFoldersBox - Pastas dos jogos:\nA lista de pastas para verificar se há jogos instalados. - - - addFolderButton - Adicionar:\nAdicione uma pasta à lista. - - - removeFolderButton - Remover:\nRemove uma pasta da lista. - - - debugDump - Habilitar Depuração de Dumping:\nArmazena os símbolos de importação e exportação e as informações do cabeçalho do arquivo do programa PS4 atual em um diretório. - - - vkValidationCheckBox - Habilitar Camadas de Validação do Vulkan:\nAtiva um sistema que valida o estado do renderizador Vulkan e registra informações sobre seu estado interno.\nIsso diminui o desempenho e pode alterar o comportamento da emulação. - - - vkSyncValidationCheckBox - Habilitar Validação de Sincronização do Vulkan:\nAtiva um sistema que valida o agendamento de tarefas de renderização Vulkan.\nIsso diminui o desempenho e pode alterar o comportamento da emulação. - - - rdocCheckBox - Habilitar Depuração por RenderDoc:\nSe ativado, permite que o emulador tenha compatibilidade com RenderDoc para gravação e análise do quadro renderizado atual. - - - collectShaderCheckBox - Coletar Shaders:\nVocê precisa habilitar isso para editar shaders com o menu de depuração (Ctrl + F10). - - - crashDiagnosticsCheckBox - Diagnósticos de Falha:\nCria um arquivo .yaml com informações sobre o estado do Vulkan no momento da falha.\nÚtil para depurar erros de 'Device lost'. Se você tiver isso habilitado, você deve habilitar os Marcadores de Depuração de Host e de Convidado.\nNão funciona em GPUs da Intel.\nVocê precisa ter as Camadas de Validação Vulkan habilitadas e o SDK do Vulkan para que isso funcione. - - - copyGPUBuffersCheckBox - Copiar Buffers de GPU:\nContorna condições de corrida envolvendo envios de GPU.\nPode ou não ajudar com travamentos do PM4 tipo 0. - - - hostMarkersCheckBox - Marcadores de Depuração de Host:\nInsere informações do lado do emulador, como marcadores para comandos AMDGPU específicos em torno de comandos Vulkan, além de fornecer nomes de depuração aos recursos.\nSe isso estiver habilitado, você deve habilitar o "Diagnóstico de Falha".\nÚtil para programas como o RenderDoc. - - - guestMarkersCheckBox - Marcadores de Depuração de Convidado:\nInsere quaisquer marcadores de depuração que o próprio jogo adicionou ao buffer de comando.\nSe isso estiver habilitado, você deve habilitar "Diagnóstico de Falha".\nÚtil para programas como o RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches para - - - defaultTextEdit_MSG - Cheats/Patches são experimentais.\nUse com cautela.\n\nBaixe os cheats individualmente selecionando o repositório e clicando no botão de download.\nNa aba Patches, você pode baixar todos os Patches de uma vez, escolha qual deseja usar e salve a opção.\n\nComo não desenvolvemos os Cheats/Patches,\npor favor, reporte problemas relacionados ao autor do cheat.\n\nCriou um novo cheat? Visite:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Imagem Não Disponível - - - Serial: - Serial: - - - Version: - Versão: - - - Size: - Tamanho: - - - Select Cheat File: - Selecione o Arquivo de Cheat: - - - Repository: - Repositório: - - - Download Cheats - Baixar Cheats - - - Delete File - Excluir Arquivo - - - No files selected. - Nenhum arquivo selecionado. - - - You can delete the cheats you don't want after downloading them. - Você pode excluir os cheats que não deseja após baixá-las. - - - Do you want to delete the selected file?\n%1 - Deseja excluir o arquivo selecionado?\n%1 - - - Select Patch File: - Selecione o Arquivo de Patch: - - - Download Patches - Baixar Patches - - - Save - Salvar - - - Cheats - Cheats - - - Patches - Patches - - - Error - Erro - - - No patch selected. - Nenhum patch selecionado. - - - Unable to open files.json for reading. - Não foi possível abrir files.json para leitura. - - - No patch file found for the current serial. - Nenhum arquivo de patch encontrado para o serial atual. - - - Unable to open the file for reading. - Não foi possível abrir o arquivo para leitura. - - - Unable to open the file for writing. - Não foi possível abrir o arquivo para gravação. - - - Failed to parse XML: - Falha ao analisar XML: - - - Success - Sucesso - - - Options saved successfully. - Opções salvas com sucesso. - - - Invalid Source - Fonte Inválida - - - The selected source is invalid. - A fonte selecionada é inválida. - - - File Exists - Arquivo Existe - - - File already exists. Do you want to replace it? - O arquivo já existe. Deseja substituí-lo? - - - Failed to save file: - Falha ao salvar o arquivo: - - - Failed to download file: - Falha ao baixar o arquivo: - - - Cheats Not Found - Cheats Não Encontrados - - - CheatsNotFound_MSG - Nenhum cheat encontrado para este jogo nesta versão do repositório selecionado, tente outro repositório ou uma versão diferente do jogo. - - - Cheats Downloaded Successfully - Cheats Baixados com Sucesso - - - CheatsDownloadedSuccessfully_MSG - Você baixou os cheats com sucesso. Para esta versão do jogo a partir do repositório selecionado. Você pode tentar baixar de outro repositório, se estiver disponível, também será possível usá-lo selecionando o arquivo da lista. - - - Failed to save: - Falha ao salvar: - - - Failed to download: - Falha ao baixar: - - - Download Complete - Download Completo - - - DownloadComplete_MSG - Patches Baixados com Sucesso! Todos os patches disponíveis para todos os jogos foram baixados, não é necessário baixá-los individualmente para cada jogo como acontece com os Cheats. Se o patch não aparecer, pode ser que ele não exista para o número de série e a versão específicos do jogo. - - - Failed to parse JSON data from HTML. - Falha ao analisar dados JSON do HTML. - - - Failed to retrieve HTML page. - Falha ao recuperar a página HTML. - - - The game is in version: %1 - O jogo está na versão: %1 - - - The downloaded patch only works on version: %1 - O patch baixado só funciona na versão: %1 - - - You may need to update your game. - Talvez você precise atualizar seu jogo. - - - Incompatibility Notice - Aviso de incompatibilidade - - - Failed to open file: - Falha ao abrir o arquivo: - - - XML ERROR: - ERRO de XML: - - - Failed to open files.json for writing - Falha ao abrir files.json para gravação - - - Author: - Autor: - - - Directory does not exist: - O Diretório não existe: - - - Failed to open files.json for reading. - Falha ao abrir files.json para leitura. - - - Name: - Nome: - - - Can't apply cheats before the game is started - Não é possível aplicar cheats antes que o jogo comece. - - - - GameListFrame - - Icon - Icone - - - Name - Nome - - - Serial - Serial - - - Compatibility - Compatibilidade - - - Region - Região - - - Firmware - Firmware - - - Size - Tamanho - - - Version - Versão - - - Path - Diretório - - - Play Time - Tempo Jogado - - - Never Played - Nunca jogado - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibilidade não testada - - - Game does not initialize properly / crashes the emulator - Jogo não inicializa corretamente / trava o emulador - - - Game boots, but only displays a blank screen - O jogo inicializa, mas exibe apenas uma tela vazia - - - Game displays an image but does not go past the menu - Jogo exibe imagem mas não passa do menu - - - Game has game-breaking glitches or unplayable performance - O jogo tem falhas que interrompem o jogo ou desempenho injogável - - - Game can be completed with playable performance and no major glitches - O jogo pode ser concluído com desempenho jogável e sem grandes falhas - - - Click to see details on github - Clique para ver detalhes no github - - - Last updated - Última atualização - - - - CheckUpdate - - Auto Updater - Atualizador automático - - - Error - Erro - - - Network error: - Erro de rede: - - - Error_Github_limit_MSG - O Atualizador Automático permite até 60 verificações de atualização por hora.\nVocê atingiu esse limite. Por favor, tente novamente mais tarde. - - - Failed to parse update information. - Falha ao analisar as informações de atualização. - - - No pre-releases found. - Nenhuma pre-release encontrada. - - - Invalid release data. - Dados da release inválidos. - - - No download URL found for the specified asset. - Nenhuma URL de download encontrada para o asset especificado. - - - Your version is already up to date! - Sua versão já está atualizada! - - - Update Available - Atualização disponível - - - Update Channel - Canal de Atualização - - - Current Version - Versão atual - - - Latest Version - Última versão - - - Do you want to update? - Você quer atualizar? - - - Show Changelog - Mostrar Changelog - - - Check for Updates at Startup - Verificar Atualizações ao Iniciar - - - Update - Atualizar - - - No - Não - - - Hide Changelog - Ocultar Changelog - - - Changes - Alterações - - - Network error occurred while trying to access the URL - Ocorreu um erro de rede ao tentar acessar o URL - - - Download Complete - Download Completo - - - The update has been downloaded, press OK to install. - A atualização foi baixada, pressione OK para instalar. - - - Failed to save the update file at - Falha ao salvar o arquivo de atualização em - - - Starting Update... - Iniciando atualização... - - - Failed to create the update script file - Falha ao criar o arquivo de script de atualização - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Obtendo dados de compatibilidade, por favor aguarde - - - Cancel - Cancelar - - - Loading... - Carregando... - - - Error - Erro - - - Unable to update compatibility data! Try again later. - Não foi possível atualizar os dados de compatibilidade! Tente novamente mais tarde. - - - Unable to open compatibility_data.json for writing. - Não foi possível abrir o compatibility_data.json para escrita. - - - Unknown - Desconhecido - - - Nothing - Nada - - - Boots - Boot - - - Menus - Menus - - - Ingame - Em jogo - - - Playable - Jogável - - + + AboutDialog + + About shadPS4 + Sobre o shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 é um emulador experimental de código-fonte aberto para o PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Este software não deve ser usado para jogar jogos piratas. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches para + + + defaultTextEdit_MSG + Cheats/Patches são experimentais.\nUse com cautela.\n\nBaixe os cheats individualmente selecionando o repositório e clicando no botão de download.\nNa aba Patches, você pode baixar todos os Patches de uma vez, escolha qual deseja usar e salve a opção.\n\nComo não desenvolvemos os Cheats/Patches,\npor favor, reporte problemas relacionados ao autor do cheat.\n\nCriou um novo cheat? Visite:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Imagem Não Disponível + + + Serial: + Serial: + + + Version: + Versão: + + + Size: + Tamanho: + + + Select Cheat File: + Selecione o Arquivo de Cheat: + + + Repository: + Repositório: + + + Download Cheats + Baixar Cheats + + + Delete File + Excluir Arquivo + + + No files selected. + Nenhum arquivo selecionado. + + + You can delete the cheats you don't want after downloading them. + Você pode excluir os cheats que não deseja após baixá-las. + + + Do you want to delete the selected file?\n%1 + Deseja excluir o arquivo selecionado?\n%1 + + + Select Patch File: + Selecione o Arquivo de Patch: + + + Download Patches + Baixar Patches + + + Save + Salvar + + + Cheats + Cheats + + + Patches + Patches + + + Error + Erro + + + No patch selected. + Nenhum patch selecionado. + + + Unable to open files.json for reading. + Não foi possível abrir files.json para leitura. + + + No patch file found for the current serial. + Nenhum arquivo de patch encontrado para o serial atual. + + + Unable to open the file for reading. + Não foi possível abrir o arquivo para leitura. + + + Unable to open the file for writing. + Não foi possível abrir o arquivo para gravação. + + + Failed to parse XML: + Falha ao analisar XML: + + + Success + Sucesso + + + Options saved successfully. + Opções salvas com sucesso. + + + Invalid Source + Fonte Inválida + + + The selected source is invalid. + A fonte selecionada é inválida. + + + File Exists + Arquivo Existe + + + File already exists. Do you want to replace it? + O arquivo já existe. Deseja substituí-lo? + + + Failed to save file: + Falha ao salvar o arquivo: + + + Failed to download file: + Falha ao baixar o arquivo: + + + Cheats Not Found + Cheats Não Encontrados + + + CheatsNotFound_MSG + Nenhum cheat encontrado para este jogo nesta versão do repositório selecionado, tente outro repositório ou uma versão diferente do jogo. + + + Cheats Downloaded Successfully + Cheats Baixados com Sucesso + + + CheatsDownloadedSuccessfully_MSG + Você baixou os cheats com sucesso. Para esta versão do jogo a partir do repositório selecionado. Você pode tentar baixar de outro repositório, se estiver disponível, também será possível usá-lo selecionando o arquivo da lista. + + + Failed to save: + Falha ao salvar: + + + Failed to download: + Falha ao baixar: + + + Download Complete + Download Completo + + + DownloadComplete_MSG + Patches Baixados com Sucesso! Todos os patches disponíveis para todos os jogos foram baixados, não é necessário baixá-los individualmente para cada jogo como acontece com os Cheats. Se o patch não aparecer, pode ser que ele não exista para o número de série e a versão específicos do jogo. + + + Failed to parse JSON data from HTML. + Falha ao analisar dados JSON do HTML. + + + Failed to retrieve HTML page. + Falha ao recuperar a página HTML. + + + The game is in version: %1 + O jogo está na versão: %1 + + + The downloaded patch only works on version: %1 + O patch baixado só funciona na versão: %1 + + + You may need to update your game. + Talvez você precise atualizar seu jogo. + + + Incompatibility Notice + Aviso de incompatibilidade + + + Failed to open file: + Falha ao abrir o arquivo: + + + XML ERROR: + ERRO de XML: + + + Failed to open files.json for writing + Falha ao abrir files.json para gravação + + + Author: + Autor: + + + Directory does not exist: + O Diretório não existe: + + + Failed to open files.json for reading. + Falha ao abrir files.json para leitura. + + + Name: + Nome: + + + Can't apply cheats before the game is started + Não é possível aplicar cheats antes que o jogo comece. + + + Close + Fechar + + + + CheckUpdate + + Auto Updater + Atualizador automático + + + Error + Erro + + + Network error: + Erro de rede: + + + Error_Github_limit_MSG + O Atualizador Automático permite até 60 verificações de atualização por hora.\nVocê atingiu esse limite. Por favor, tente novamente mais tarde. + + + Failed to parse update information. + Falha ao analisar as informações de atualização. + + + No pre-releases found. + Nenhuma pre-release encontrada. + + + Invalid release data. + Dados da release inválidos. + + + No download URL found for the specified asset. + Nenhuma URL de download encontrada para o asset especificado. + + + Your version is already up to date! + Sua versão já está atualizada! + + + Update Available + Atualização disponível + + + Update Channel + Canal de Atualização + + + Current Version + Versão atual + + + Latest Version + Última versão + + + Do you want to update? + Você quer atualizar? + + + Show Changelog + Mostrar Changelog + + + Check for Updates at Startup + Verificar Atualizações ao Iniciar + + + Update + Atualizar + + + No + Não + + + Hide Changelog + Ocultar Changelog + + + Changes + Alterações + + + Network error occurred while trying to access the URL + Ocorreu um erro de rede ao tentar acessar o URL + + + Download Complete + Download Completo + + + The update has been downloaded, press OK to install. + A atualização foi baixada, pressione OK para instalar. + + + Failed to save the update file at + Falha ao salvar o arquivo de atualização em + + + Starting Update... + Iniciando atualização... + + + Failed to create the update script file + Falha ao criar o arquivo de script de atualização + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Obtendo dados de compatibilidade, por favor aguarde + + + Cancel + Cancelar + + + Loading... + Carregando... + + + Error + Erro + + + Unable to update compatibility data! Try again later. + Não foi possível atualizar os dados de compatibilidade! Tente novamente mais tarde. + + + Unable to open compatibility_data.json for writing. + Não foi possível abrir o compatibility_data.json para escrita. + + + Unknown + Desconhecido + + + Nothing + Nada + + + Boots + Boot + + + Menus + Menus + + + Ingame + Em jogo + + + Playable + Jogável + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Abrir Pasta + + + + GameInfoClass + + Loading game list, please wait :3 + Carregando a lista de jogos, por favor aguarde :3 + + + Cancel + Cancelar + + + Loading... + Carregando... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Escolha o diretório + + + Directory to install games + Diretório para instalar jogos + + + Browse + Procurar + + + Error + Erro + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icone + + + Name + Nome + + + Serial + Serial + + + Compatibility + Compatibilidade + + + Region + Região + + + Firmware + Firmware + + + Size + Tamanho + + + Version + Versão + + + Path + Diretório + + + Play Time + Tempo Jogado + + + Never Played + Nunca jogado + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibilidade não testada + + + Game does not initialize properly / crashes the emulator + Jogo não inicializa corretamente / trava o emulador + + + Game boots, but only displays a blank screen + O jogo inicializa, mas exibe apenas uma tela vazia + + + Game displays an image but does not go past the menu + Jogo exibe imagem mas não passa do menu + + + Game has game-breaking glitches or unplayable performance + O jogo tem falhas que interrompem o jogo ou desempenho injogável + + + Game can be completed with playable performance and no major glitches + O jogo pode ser concluído com desempenho jogável e sem grandes falhas + + + Click to see details on github + Clique para ver detalhes no github + + + Last updated + Última atualização + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Criar Atalho + + + Cheats / Patches + Cheats / Patches + + + SFO Viewer + Visualizador de SFO + + + Trophy Viewer + Visualizador de Troféu + + + Open Folder... + Abrir Pasta... + + + Open Game Folder + Abrir Pasta do Jogo + + + Open Save Data Folder + Abrir Pasta de Save + + + Open Log Folder + Abrir Pasta de Log + + + Copy info... + Copiar informação... + + + Copy Name + Copiar Nome + + + Copy Serial + Copiar Serial + + + Copy All + Copiar Tudo + + + Delete... + Deletar... + + + Delete Game + Deletar Jogo + + + Delete Update + Deletar Atualização + + + Delete DLC + Deletar DLC + + + Compatibility... + Compatibilidade... + + + Update database + Atualizar banco de dados + + + View report + Ver status + + + Submit a report + Enviar status + + + Shortcut creation + Criação de atalho + + + Shortcut created successfully! + Atalho criado com sucesso! + + + Error + Erro + + + Error creating shortcut! + Erro ao criar atalho! + + + Install PKG + Instalar PKG + + + Game + Jogo + + + This game has no update to delete! + Este jogo não tem atualização para excluir! + + + Update + Atualização + + + This game has no DLC to delete! + Este jogo não tem DLC para excluir! + + + DLC + DLC + + + Delete %1 + Deletar %1 + + + Are you sure you want to delete %1's %2 directory? + Tem certeza de que deseja excluir o diretório %2 de %1 ? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Escolha o diretório + + + Select which directory you want to install to. + Selecione o diretório em que você deseja instalar. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Abrir/Adicionar pasta Elf + + + Install Packages (PKG) + Instalar Pacotes (PKG) + + + Boot Game + Iniciar Jogo + + + Check for Updates + Verificar atualizações + + + About shadPS4 + Sobre o shadPS4 + + + Configure... + Configurar... + + + Install application from a .pkg file + Instalar aplicação de um arquivo .pkg + + + Recent Games + Jogos Recentes + + + Open shadPS4 Folder + Abrir pasta shadPS4 + + + Exit + Sair + + + Exit shadPS4 + Sair do shadPS4 + + + Exit the application. + Sair da aplicação. + + + Show Game List + Mostrar Lista de Jogos + + + Game List Refresh + Atualizar Lista de Jogos + + + Tiny + Muito pequeno + + + Small + Pequeno + + + Medium + Médio + + + Large + Grande + + + List View + Visualizar em Lista + + + Grid View + Visualizar em Grade + + + Elf Viewer + Visualizador de Elf + + + Game Install Directory + Diretório de Instalação de Jogos + + + Download Cheats/Patches + Baixar Cheats/Patches + + + Dump Game List + Dumpar Lista de Jogos + + + PKG Viewer + Visualizador de PKG + + + Search... + Pesquisar... + + + File + Arquivo + + + View + Ver + + + Game List Icons + Ícones da Lista de Jogos + + + Game List Mode + Modo da Lista de Jogos + + + Settings + Configurações + + + Utils + Utilitários + + + Themes + Temas + + + Help + Ajuda + + + Dark + Escuro + + + Light + Claro + + + Green + Verde + + + Blue + Azul + + + Violet + Violeta + + + toolBar + Barra de Ferramentas + + + Game List + Lista de Jogos + + + * Unsupported Vulkan Version + * Versão Vulkan não suportada + + + Download Cheats For All Installed Games + Baixar Cheats para Todos os Jogos Instalados + + + Download Patches For All Games + Baixar Patches para Todos os Jogos + + + Download Complete + Download Completo + + + You have downloaded cheats for all the games you have installed. + Você baixou cheats para todos os jogos que instalou. + + + Patches Downloaded Successfully! + Patches Baixados com Sucesso! + + + All Patches available for all games have been downloaded. + Todos os patches disponíveis para todos os jogos foram baixados. + + + Games: + Jogos: + + + ELF files (*.bin *.elf *.oelf) + Arquivos ELF (*.bin *.elf *.oelf) + + + Game Boot + Inicialização do Jogo + + + Only one file can be selected! + Apenas um arquivo pode ser selecionado! + + + PKG Extraction + Extração de PKG + + + Patch detected! + Atualização detectada! + + + PKG and Game versions match: + As versões do PKG e do Jogo são igual: + + + Would you like to overwrite? + Gostaria de substituir? + + + PKG Version %1 is older than installed version: + Versão do PKG %1 é mais antiga do que a versão instalada: + + + Game is installed: + Jogo instalado: + + + Would you like to install Patch: + Você gostaria de instalar a atualização: + + + DLC Installation + Instalação de DLC + + + Would you like to install DLC: %1? + Você gostaria de instalar o DLC: %1? + + + DLC already installed: + DLC já instalada: + + + Game already installed + O jogo já está instalado: + + + PKG ERROR + ERRO de PKG + + + Extracting PKG %1/%2 + Extraindo PKG %1/%2 + + + Extraction Finished + Extração Concluída + + + Game successfully installed at %1 + Jogo instalado com sucesso em %1 + + + File doesn't appear to be a valid PKG file + O arquivo não parece ser um arquivo PKG válido + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Abrir Pasta + + + Name + Nome + + + Serial + Serial + + + Installed + + + + Size + Tamanho + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Região + + + Flags + + + + Path + Diretório + + + File + Arquivo + + + PKG ERROR + ERRO de PKG + + + Unknown + Desconhecido + + + Package + + + + + SettingsDialog + + Settings + Configurações + + + General + Geral + + + System + Sistema + + + Console Language + Idioma do Console + + + Emulator Language + Idioma do Emulador + + + Emulator + Emulador + + + Enable Fullscreen + Habilitar Tela Cheia + + + Fullscreen Mode + Modo de Tela Cheia + + + Enable Separate Update Folder + Habilitar pasta de atualização separada + + + Default tab when opening settings + Aba padrão ao abrir as configurações + + + Show Game Size In List + Mostrar Tamanho do Jogo na Lista + + + Show Splash + Mostrar Splash Inicial + + + Enable Discord Rich Presence + Habilitar Discord Rich Presence + + + Username + Nome de usuário + + + Trophy Key + Chave de Troféu + + + Trophy + Troféus + + + Logger + Registro-Log + + + Log Type + Tipo de Registro + + + Log Filter + Filtro do Registro + + + Open Log Location + Abrir local do registro + + + Input + Entradas + + + Cursor + Cursor + + + Hide Cursor + Ocultar Cursor + + + Hide Cursor Idle Timeout + Tempo de Inatividade para Ocultar Cursor + + + s + s + + + Controller + Controle + + + Back Button Behavior + Comportamento do botão Voltar + + + Graphics + Gráficos + + + GUI + Interface + + + User + Usuário + + + Graphics Device + Placa de Vídeo + + + Width + Largura + + + Height + Altura + + + Vblank Divider + Divisor Vblank + + + Advanced + Avançado + + + Enable Shaders Dumping + Habilitar Dumping de Shaders + + + Enable NULL GPU + Habilitar GPU NULA + + + Paths + Pastas + + + Game Folders + Pastas dos Jogos + + + Add... + Adicionar... + + + Remove + Remover + + + Debug + Depuração + + + Enable Debug Dumping + Habilitar Depuração de Dumping + + + Enable Vulkan Validation Layers + Habilitar Camadas de Validação do Vulkan + + + Enable Vulkan Synchronization Validation + Habilitar Validação de Sincronização do Vulkan + + + Enable RenderDoc Debugging + Habilitar Depuração do RenderDoc + + + Enable Crash Diagnostics + Habilitar Diagnóstico de Falhas + + + Collect Shaders + Coletar Shaders + + + Copy GPU Buffers + Copiar Buffers de GPU + + + Host Debug Markers + Marcadores de Depuração do Host + + + Guest Debug Markers + Marcadores de Depuração do Convidado + + + Update + Atualização + + + Check for Updates at Startup + Verificar Atualizações ao Iniciar + + + Always Show Changelog + Sempre Mostrar o Changelog + + + Update Channel + Canal de Atualização + + + Check for Updates + Verificar atualizações + + + GUI Settings + Configurações da Interface + + + Title Music + Música no Menu + + + Disable Trophy Pop-ups + Desabilitar Pop-ups dos Troféus + + + Play title music + Reproduzir música de abertura + + + Update Compatibility Database On Startup + Atualizar Compatibilidade ao Inicializar + + + Game Compatibility + Compatibilidade dos Jogos + + + Display Compatibility Data + Exibir Dados de Compatibilidade + + + Update Compatibility Database + Atualizar Lista de Compatibilidade + + + Volume + Volume + + + Save + Salvar + + + Apply + Aplicar + + + Restore Defaults + Restaurar Padrões + + + Close + Fechar + + + Point your mouse at an option to display its description. + Passe o mouse sobre uma opção para exibir sua descrição. + + + consoleLanguageGroupBox + Idioma do console:\nDefine o idioma usado pelo jogo no PS4.\nRecomenda-se configurá-lo para um idioma que o jogo suporte, o que pode variar conforme a região. + + + emulatorLanguageGroupBox + Idioma do emulador:\nDefine o idioma da interface do emulador. + + + fullscreenCheckBox + Habilitar Tela Cheia:\nAltera a janela do jogo para o modo tela cheia.\nIsso pode ser alterado pressionando a tecla F11. + + + separateUpdatesCheckBox + Habilitar pasta de atualização separada:\nPermite instalar atualizações de jogos em uma pasta separada para fácil gerenciamento. + + + showSplashCheckBox + Mostrar Splash Inicial:\nExibe a tela inicial do jogo (imagem especial) ao iniciar o jogo. + + + discordRPCCheckbox + Habilitar Discord Rich Presence:\nExibe o ícone do emulador e informações relevantes no seu perfil do Discord. + + + userName + Nome de usuário:\nDefine o nome de usuário da conta PS4 que pode ser exibido por alguns jogos. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Tipo de Registro:\nDefine se a saída da janela de log deve ser sincronizada para melhorar o desempenho. Isso pode impactar negativamente a emulação. + + + logFilter + Filtro de Registro:\nImprime apenas informações específicas.\nExemplos: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical"\nNíveis: Trace, Debug, Info, Warning, Error, Critical - assim, um nível específico desativa todos os níveis anteriores na lista e registra todos os níveis subsequentes. + + + updaterGroupBox + Atualizações:\nRelease: Versões oficiais que são lançadas todo mês e podem ser bastante antigas, mas são mais confiáveis e testadas.\nNightly: Versões de desenvolvimento que têm todos os novos recursos e correções, mas podem ter bugs e ser instáveis. + + + GUIMusicGroupBox + Reproduzir música de abertura:\nSe o jogo suportar, ativa a reprodução de uma música especial ao selecionar o jogo na interface do menu. + + + disableTrophycheckBox + Desabilitar pop-ups dos troféus:\nDesabilite notificações de troféus no jogo. O progresso do troféu ainda pode ser rastreado usando o Trophy Viewer (clique com o botão direito do mouse no jogo na janela principal). + + + hideCursorGroupBox + Ocultar Cursor:\nEscolha quando o cursor desaparecerá:\nNunca: Você sempre verá o mouse.\nParado: Defina um tempo para ele desaparecer após ficar inativo.\nSempre: Você nunca verá o mouse. + + + idleTimeoutGroupBox + Defina um tempo em segundos para o mouse desaparecer após ficar inativo. + + + backButtonBehaviorGroupBox + Comportamento do botão Voltar:\nDefine o botão Voltar do controle para emular o toque na posição especificada no touchpad do PS4. + + + enableCompatibilityCheckBox + Exibir Dados de Compatibilidade:\nExibe informações de compatibilidade dos jogos na janela principal.\nHabilitar "Atualizar Compatibilidade ao Inicializar" para obter informações atualizadas. + + + checkCompatibilityOnStartupCheckBox + Atualizar Compatibilidade ao inicializar:\nAtualiza automaticamente o banco de dados de compatibilidade quando o SHADPS4 é iniciado. + + + updateCompatibilityButton + Atualizar Lista de Compatibilidade:\nAtualizar imediatamente o banco de dados de compatibilidade. + + + Never + Nunca + + + Idle + Parado + + + Always + Sempre + + + Touchpad Left + Touchpad Esquerdo + + + Touchpad Right + Touchpad Direito + + + Touchpad Center + Touchpad Centro + + + None + Nenhum + + + graphicsAdapterGroupBox + Placa de Vídeo:\nEm sistemas com múltiplas GPUs, escolha qual GPU o emulador usará da lista suspensa,\nou escolha "Auto Select" para que ele determine automaticamente. + + + resolutionLayout + Largura/Altura:\nDefine o tamanho da janela do emulador no momento da inicialização, que pode ser redimensionado durante o jogo.\nIsso é diferente da resolução dentro do jogo. + + + heightDivider + Divisor Vblank:\nA taxa de quadros que o emulador atualiza é multiplicada por este número. Mudar isso pode ter efeitos negativos, como aumentar a velocidade do jogo ou quebrar funções vitais do jogo que não esperam que isso mude! + + + dumpShadersCheckBox + Habilitar Dumping de Shaders:\nArmazena os shaders do jogo em uma pasta durante a renderização para fins de depuração técnica. + + + nullGpuCheckBox + Habilitar GPU NULA:\nDesativa a renderização do jogo para fins de depuração técnica, como se não houvesse nenhuma placa gráfica. + + + gameFoldersBox + Pastas dos jogos:\nA lista de pastas para verificar se há jogos instalados. + + + addFolderButton + Adicionar:\nAdicione uma pasta à lista. + + + removeFolderButton + Remover:\nRemove uma pasta da lista. + + + debugDump + Habilitar Depuração de Dumping:\nArmazena os símbolos de importação e exportação e as informações do cabeçalho do arquivo do programa PS4 atual em um diretório. + + + vkValidationCheckBox + Habilitar Camadas de Validação do Vulkan:\nAtiva um sistema que valida o estado do renderizador Vulkan e registra informações sobre seu estado interno.\nIsso diminui o desempenho e pode alterar o comportamento da emulação. + + + vkSyncValidationCheckBox + Habilitar Validação de Sincronização do Vulkan:\nAtiva um sistema que valida o agendamento de tarefas de renderização Vulkan.\nIsso diminui o desempenho e pode alterar o comportamento da emulação. + + + rdocCheckBox + Habilitar Depuração por RenderDoc:\nSe ativado, permite que o emulador tenha compatibilidade com RenderDoc para gravação e análise do quadro renderizado atual. + + + collectShaderCheckBox + Coletar Shaders:\nVocê precisa habilitar isso para editar shaders com o menu de depuração (Ctrl + F10). + + + crashDiagnosticsCheckBox + Diagnósticos de Falha:\nCria um arquivo .yaml com informações sobre o estado do Vulkan no momento da falha.\nÚtil para depurar erros de 'Device lost'. Se você tiver isso habilitado, você deve habilitar os Marcadores de Depuração de Host e de Convidado.\nNão funciona em GPUs da Intel.\nVocê precisa ter as Camadas de Validação Vulkan habilitadas e o SDK do Vulkan para que isso funcione. + + + copyGPUBuffersCheckBox + Copiar Buffers de GPU:\nContorna condições de corrida envolvendo envios de GPU.\nPode ou não ajudar com travamentos do PM4 tipo 0. + + + hostMarkersCheckBox + Marcadores de Depuração de Host:\nInsere informações do lado do emulador, como marcadores para comandos AMDGPU específicos em torno de comandos Vulkan, além de fornecer nomes de depuração aos recursos.\nSe isso estiver habilitado, você deve habilitar o "Diagnóstico de Falha".\nÚtil para programas como o RenderDoc. + + + guestMarkersCheckBox + Marcadores de Depuração de Convidado:\nInsere quaisquer marcadores de depuração que o próprio jogo adicionou ao buffer de comando.\nSe isso estiver habilitado, você deve habilitar "Diagnóstico de Falha".\nÚtil para programas como o RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Procurar + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Diretório para instalar jogos + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Visualizador de Troféu + + diff --git a/src/qt_gui/translations/ro_RO.ts b/src/qt_gui/translations/ro_RO.ts index 1d2741bd4..c07aa99c4 100644 --- a/src/qt_gui/translations/ro_RO.ts +++ b/src/qt_gui/translations/ro_RO.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Trapaças / Patches - Coduri / Patch-uri - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Deschide Folder... - - - Open Game Folder - Deschide Folder Joc - - - Open Save Data Folder - Deschide Folder Date Salvate - - - Open Log Folder - Deschide Folder Jurnal - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Verifică actualizările - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Descarcă Coduri / Patch-uri - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Ajutor - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Lista jocurilor - - - * Unsupported Vulkan Version - * Versiune Vulkan nesuportată - - - Download Cheats For All Installed Games - Descarcă Cheats pentru toate jocurile instalate - - - Download Patches For All Games - Descarcă Patches pentru toate jocurile - - - Download Complete - Descărcare completă - - - You have downloaded cheats for all the games you have installed. - Ai descărcat cheats pentru toate jocurile instalate. - - - Patches Downloaded Successfully! - Patches descărcate cu succes! - - - All Patches available for all games have been downloaded. - Toate Patches disponibile pentru toate jocurile au fost descărcate. - - - Games: - Jocuri: - - - PKG File (*.PKG) - Fișier PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Fișiere ELF (*.bin *.elf *.oelf) - - - Game Boot - Boot Joc - - - Only one file can be selected! - Numai un fișier poate fi selectat! - - - PKG Extraction - Extracție PKG - - - Patch detected! - Patch detectat! - - - PKG and Game versions match: - Versiunile PKG și ale jocului sunt compatibile: - - - Would you like to overwrite? - Doriți să suprascrieți? - - - PKG Version %1 is older than installed version: - Versiunea PKG %1 este mai veche decât versiunea instalată: - - - Game is installed: - Jocul este instalat: - - - Would you like to install Patch: - Doriți să instalați patch-ul: - - - DLC Installation - Instalare DLC - - - Would you like to install DLC: %1? - Doriți să instalați DLC-ul: %1? - - - DLC already installed: - DLC deja instalat: - - - Game already installed - Jocul deja instalat - - - PKG is a patch, please install the game first! - PKG este un patch, te rugăm să instalezi mai întâi jocul! - - - PKG ERROR - EROARE PKG - - - Extracting PKG %1/%2 - Extracție PKG %1/%2 - - - Extraction Finished - Extracție terminată - - - Game successfully installed at %1 - Jocul a fost instalat cu succes la %1 - - - File doesn't appear to be a valid PKG file - Fișierul nu pare să fie un fișier PKG valid - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Mod Ecran Complet - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Tab-ul implicit la deschiderea setărilor - - - Show Game Size In List - Afișează dimensiunea jocului în listă - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Activați Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Deschide locația jurnalului - - - Input - Introducere - - - Cursor - Cursor - - - Hide Cursor - Ascunde cursorul - - - Hide Cursor Idle Timeout - Timeout pentru ascunderea cursorului inactiv - - - s - s - - - Controller - Controler - - - Back Button Behavior - Comportament buton înapoi - - - Graphics - Graphics - - - GUI - Interfață - - - User - Utilizator - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Trasee - - - Game Folders - Dosare de joc - - - Add... - Adaugă... - - - Remove - Eliminare - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Actualizare - - - Check for Updates at Startup - Verifică actualizări la pornire - - - Always Show Changelog - Arată întotdeauna jurnalul modificărilor - - - Update Channel - Canal de Actualizare - - - Check for Updates - Verifică actualizări - - - GUI Settings - Setări GUI - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Redă muzica titlului - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Volum - - - Audio Backend - Audio Backend - - - Save - Salvează - - - Apply - Aplică - - - Restore Defaults - Restabilește Impozitivele - - - Close - Închide - - - Point your mouse at an option to display its description. - Indicați mouse-ul asupra unei opțiuni pentru a afișa descrierea acesteia. - - - consoleLanguageGroupBox - Limba consolei:\nSetează limba pe care o folosește jocul PS4.\nSe recomandă să setezi această opțiune pe o limbă pe care jocul o suportă, ceea ce poate varia în funcție de regiune. - - - emulatorLanguageGroupBox - Limba emulatorului:\nSetează limba interfeței utilizatorului a emulatorului. - - - fullscreenCheckBox - Activează modul pe ecran complet:\nPune automat fereastra jocului în modul pe ecran complet.\nAceasta poate fi dezactivată apăsând tasta F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Afișează ecranul de încărcare:\nAfișează ecranul de încărcare al jocului (o imagine specială) în timp ce jocul pornește. - - - ps4proCheckBox - Este PS4 Pro:\nFace ca emulatorul să se comporte ca un PS4 PRO, ceea ce poate activa funcții speciale în jocurile care o suportă. - - - discordRPCCheckbox - Activați Discord Rich Presence:\nAfișează pictograma emulatorului și informații relevante pe profilul dumneavoastră Discord. - - - userName - Nume utilizator:\nSetează numele de utilizator al contului PS4, care poate fi afișat de unele jocuri. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Tip jurnal:\nSetează dacă să sincronizezi ieșirea ferestrei de jurnal pentru performanță. Aceasta poate avea efecte adverse asupra emulării. - - - logFilter - Filtrul jurnalului:\nFiltrează jurnalul pentru a imprima doar informații specifice.\nExemple: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveluri: Trace, Debug, Info, Warning, Error, Critical - în această ordine, un nivel specific reduce toate nivelurile anterioare din listă și înregistrează toate nivelurile ulterioare. - - - updaterGroupBox - Actualizare:\nRelease: Versiuni oficiale lansate în fiecare lună, care pot fi foarte învechite, dar sunt mai fiabile și testate.\nNightly: Versiuni de dezvoltare care conțin toate cele mai recente funcții și corecții, dar pot conține erori și sunt mai puțin stabile. - - - GUIMusicGroupBox - Redă muzica titlului:\nDacă un joc o suportă, activează redarea muzicii speciale când selectezi jocul în GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Ascunde cursorul:\nAlegeți când va dispărea cursorul:\nNiciodată: Vei vedea întotdeauna mouse-ul.\nInactiv: Setează un timp pentru a dispărea după inactivitate.\nÎntotdeauna: nu vei vedea niciodată mouse-ul. - - - idleTimeoutGroupBox - Setați un timp pentru ca mouse-ul să dispară după ce a fost inactiv. - - - backButtonBehaviorGroupBox - Comportamentul butonului înapoi:\nSetează butonul înapoi al controlerului să imite atingerea poziției specificate pe touchpad-ul PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Niciodată - - - Idle - Inactiv - - - Always - Întotdeauna - - - Touchpad Left - Touchpad Stânga - - - Touchpad Right - Touchpad Dreapta - - - Touchpad Center - Centru Touchpad - - - None - Niciunul - - - graphicsAdapterGroupBox - Dispozitiv grafic:\nPe sistemele cu mai multe GPU-uri, alege GPU-ul pe care emulatorul îl va folosi din lista derulantă,\nsau selectează "Auto Select" pentru a-l determina automat. - - - resolutionLayout - Lățime/Înălțime:\nSetează dimensiunea ferestrei emulatorului la lansare, care poate fi redimensionată în timpul jocului.\nAceasta este diferită de rezoluția din joc. - - - heightDivider - Împărțitor Vblank:\nRata de cadre cu care emulatorul se reîmprospătează este multiplicată cu acest număr. Schimbarea acestuia poate avea efecte adverse, cum ar fi creșterea vitezei jocului sau distrugerea funcționalității critice a jocului care nu se așteaptă ca aceasta să se schimbe! - - - dumpShadersCheckBox - Activează salvarea shaderelor:\nÎn scopuri de depanare tehnică, salvează shader-urile jocului într-un folder pe măsură ce sunt randate. - - - nullGpuCheckBox - Activează GPU Null:\nÎn scopuri de depanare tehnică, dezactivează redarea jocului ca și cum nu ar exista o placă grafică. - - - gameFoldersBox - Folderele jocurilor:\nLista folderelor pentru a verifica jocurile instalate. - - - addFolderButton - Adăugați:\nAdăugați un folder la listă. - - - removeFolderButton - Eliminați:\nÎndepărtați un folder din listă. - - - debugDump - Activează salvarea pentru depanare:\nSalvează simbolurile de import și export și informațiile din antetul fișierului pentru aplicația PS4 care rulează în prezent într-un director. - - - vkValidationCheckBox - Activează straturile de validare Vulkan:\nActivează un sistem care validează starea renderer-ului Vulkan și înregistrează informații despre starea sa internă. Aceasta va reduce performanța și probabil va schimba comportamentul emulării. - - - vkSyncValidationCheckBox - Activează validarea sincronizării Vulkan:\nActivează un sistem care validează sincronizarea sarcinilor de redare Vulkan. Aceasta va reduce performanța și probabil va schimba comportamentul emulării. - - - rdocCheckBox - Activează depanarea RenderDoc:\nDacă este activat, emulatorul va oferi compatibilitate cu Renderdoc pentru a permite capturarea și analiza cadrului redat în prezent. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches sunt experimentale.\nUtilizați cu prudență.\n\nDescărcați cheats individual prin selectarea depozitului și făcând clic pe butonul de descărcare.\nÎn fila Patches, puteți descărca toate patch-urile deodată, alege pe cele pe care doriți să le utilizați și salvați selecția.\n\nDeoarece nu dezvoltăm Cheats/Patches,\nte rugăm să raportezi problemele autorului cheat-ului.\n\nAi creat un nou cheat? Vizitează:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Nu este disponibilă imaginea - - - Serial: - Serial: - - - Version: - Versiune: - - - Size: - Dimensiune: - - - Select Cheat File: - Selectează fișierul Cheat: - - - Repository: - Repository: - - - Download Cheats - Descarcă Cheats - - - Delete File - Șterge Fișierul - - - No files selected. - Nu sunt fișiere selectate. - - - You can delete the cheats you don't want after downloading them. - Poti șterge cheats-urile pe care nu le dorești după ce le-ai descărcat. - - - Do you want to delete the selected file?\n%1 - Vrei să ștergi fișierul selectat?\n%1 - - - Select Patch File: - Selectează fișierul Patch: - - - Download Patches - Descarcă Patches - - - Save - Salvează - - - Cheats - Cheats - - - Patches - Patches - - - Error - Eroare - - - No patch selected. - Nu este selectat niciun patch. - - - Unable to open files.json for reading. - Imposibil de deschis files.json pentru citire. - - - No patch file found for the current serial. - Nu s-a găsit niciun fișier patch pentru serialul curent. - - - Unable to open the file for reading. - Imposibil de deschis fișierul pentru citire. - - - Unable to open the file for writing. - Imposibil de deschis fișierul pentru scriere. - - - Failed to parse XML: - Nu s-a reușit pararea XML: - - - Success - Succes - - - Options saved successfully. - Opțiunile au fost salvate cu succes. - - - Invalid Source - Sursă invalidă - - - The selected source is invalid. - Sursa selectată este invalidă. - - - File Exists - Fișier existent - - - File already exists. Do you want to replace it? - Fișierul există deja. Vrei să-l înlocuiești? - - - Failed to save file: - Nu s-a reușit salvarea fișierului: - - - Failed to download file: - Nu s-a reușit descărcarea fișierului: - - - Cheats Not Found - Cheats Nu au fost găsite - - - CheatsNotFound_MSG - Nu au fost găsite cheats pentru acest joc în această versiune a repository-ului selectat, încearcă un alt repository sau o versiune diferită a jocului. - - - Cheats Downloaded Successfully - Cheats descărcate cu succes - - - CheatsDownloadedSuccessfully_MSG - Ai descărcat cu succes cheats-urile pentru această versiune a jocului din repository-ul selectat. Poți încerca descărcarea din alt repository; dacă este disponibil, va fi posibil să-l folosești selectând fișierul din listă. - - - Failed to save: - Nu s-a reușit salvarea: - - - Failed to download: - Nu s-a reușit descărcarea: - - - Download Complete - Descărcare completă - - - DownloadComplete_MSG - Patches descărcate cu succes! Toate Patches disponibile pentru toate jocurile au fost descărcate; nu este nevoie să le descarci individual pentru fiecare joc, așa cum se întâmplă cu Cheats. Dacă patch-ul nu apare, este posibil să nu existe pentru seria și versiunea specifică a jocului. - - - Failed to parse JSON data from HTML. - Nu s-a reușit pararea datelor JSON din HTML. - - - Failed to retrieve HTML page. - Nu s-a reușit obținerea paginii HTML. - - - The game is in version: %1 - Jocul este în versiunea: %1 - - - The downloaded patch only works on version: %1 - Patch-ul descărcat funcționează doar pe versiunea: %1 - - - You may need to update your game. - Este posibil să trebuiască să actualizezi jocul tău. - - - Incompatibility Notice - Avertizare de incompatibilitate - - - Failed to open file: - Nu s-a reușit deschiderea fișierului: - - - XML ERROR: - EROARE XML: - - - Failed to open files.json for writing - Nu s-a reușit deschiderea files.json pentru scriere - - - Author: - Autor: - - - Directory does not exist: - Directorul nu există: - - - Failed to open files.json for reading. - Nu s-a reușit deschiderea files.json pentru citire. - - - Name: - Nume: - - - Can't apply cheats before the game is started - Nu poți aplica cheats înainte ca jocul să înceapă. - - - - GameListFrame - - Icon - Icon - - - Name - Nume - - - Serial - Serie - - - Compatibility - Compatibility - - - Region - Regiune - - - Firmware - Firmware - - - Size - Dimensiune - - - Version - Versiune - - - Path - Drum - - - Play Time - Timp de Joacă - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Faceți clic pentru a vedea detalii pe GitHub - - - Last updated - Ultima actualizare - - - - CheckUpdate - - Auto Updater - Actualizator automat - - - Error - Eroare - - - Network error: - Eroare de rețea: - - - Error_Github_limit_MSG - Actualizatorul automat permite până la 60 de verificări de actualizare pe oră.\nAți atins această limită. Vă rugăm să încercați din nou mai târziu. - - - Failed to parse update information. - Nu s-au putut analiza informațiile de actualizare. - - - No pre-releases found. - Nu au fost găsite pre-lansări. - - - Invalid release data. - Datele versiunii sunt invalide. - - - No download URL found for the specified asset. - Nu s-a găsit URL de descărcare pentru resursa specificată. - - - Your version is already up to date! - Versiunea ta este deja actualizată! - - - Update Available - Actualizare disponibilă - - - Update Channel - Canal de Actualizare - - - Current Version - Versiunea curentă - - - Latest Version - Ultima versiune - - - Do you want to update? - Doriți să actualizați? - - - Show Changelog - Afișați jurnalul de modificări - - - Check for Updates at Startup - Verifică actualizări la pornire - - - Update - Actualizare - - - No - Nu - - - Hide Changelog - Ascunde jurnalul de modificări - - - Changes - Modificări - - - Network error occurred while trying to access the URL - A apărut o eroare de rețea în timpul încercării de a accesa URL-ul - - - Download Complete - Descărcare completă - - - The update has been downloaded, press OK to install. - Actualizarea a fost descărcată, apăsați OK pentru a instala. - - - Failed to save the update file at - Nu s-a putut salva fișierul de actualizare la - - - Starting Update... - Încep actualizarea... - - - Failed to create the update script file - Nu s-a putut crea fișierul script de actualizare - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Se colectează datele de compatibilitate, vă rugăm să așteptați - - - Cancel - Anulează - - - Loading... - Se încarcă... - - - Error - Eroare - - - Unable to update compatibility data! Try again later. - Nu se poate actualiza datele de compatibilitate! Încercați din nou mai târziu. - - - Unable to open compatibility_data.json for writing. - Nu se poate deschide compatibility_data.json pentru scriere. - - - Unknown - Necunoscut - - - Nothing - Nimic - - - Boots - Botine - - - Menus - Meniuri - - - Ingame - În joc - - - Playable - Jucabil - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches sunt experimentale.\nUtilizați cu prudență.\n\nDescărcați cheats individual prin selectarea depozitului și făcând clic pe butonul de descărcare.\nÎn fila Patches, puteți descărca toate patch-urile deodată, alege pe cele pe care doriți să le utilizați și salvați selecția.\n\nDeoarece nu dezvoltăm Cheats/Patches,\nte rugăm să raportezi problemele autorului cheat-ului.\n\nAi creat un nou cheat? Vizitează:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Nu este disponibilă imaginea + + + Serial: + Serial: + + + Version: + Versiune: + + + Size: + Dimensiune: + + + Select Cheat File: + Selectează fișierul Cheat: + + + Repository: + Repository: + + + Download Cheats + Descarcă Cheats + + + Delete File + Șterge Fișierul + + + No files selected. + Nu sunt fișiere selectate. + + + You can delete the cheats you don't want after downloading them. + Poti șterge cheats-urile pe care nu le dorești după ce le-ai descărcat. + + + Do you want to delete the selected file?\n%1 + Vrei să ștergi fișierul selectat?\n%1 + + + Select Patch File: + Selectează fișierul Patch: + + + Download Patches + Descarcă Patches + + + Save + Salvează + + + Cheats + Cheats + + + Patches + Patches + + + Error + Eroare + + + No patch selected. + Nu este selectat niciun patch. + + + Unable to open files.json for reading. + Imposibil de deschis files.json pentru citire. + + + No patch file found for the current serial. + Nu s-a găsit niciun fișier patch pentru serialul curent. + + + Unable to open the file for reading. + Imposibil de deschis fișierul pentru citire. + + + Unable to open the file for writing. + Imposibil de deschis fișierul pentru scriere. + + + Failed to parse XML: + Nu s-a reușit pararea XML: + + + Success + Succes + + + Options saved successfully. + Opțiunile au fost salvate cu succes. + + + Invalid Source + Sursă invalidă + + + The selected source is invalid. + Sursa selectată este invalidă. + + + File Exists + Fișier existent + + + File already exists. Do you want to replace it? + Fișierul există deja. Vrei să-l înlocuiești? + + + Failed to save file: + Nu s-a reușit salvarea fișierului: + + + Failed to download file: + Nu s-a reușit descărcarea fișierului: + + + Cheats Not Found + Cheats Nu au fost găsite + + + CheatsNotFound_MSG + Nu au fost găsite cheats pentru acest joc în această versiune a repository-ului selectat, încearcă un alt repository sau o versiune diferită a jocului. + + + Cheats Downloaded Successfully + Cheats descărcate cu succes + + + CheatsDownloadedSuccessfully_MSG + Ai descărcat cu succes cheats-urile pentru această versiune a jocului din repository-ul selectat. Poți încerca descărcarea din alt repository; dacă este disponibil, va fi posibil să-l folosești selectând fișierul din listă. + + + Failed to save: + Nu s-a reușit salvarea: + + + Failed to download: + Nu s-a reușit descărcarea: + + + Download Complete + Descărcare completă + + + DownloadComplete_MSG + Patches descărcate cu succes! Toate Patches disponibile pentru toate jocurile au fost descărcate; nu este nevoie să le descarci individual pentru fiecare joc, așa cum se întâmplă cu Cheats. Dacă patch-ul nu apare, este posibil să nu existe pentru seria și versiunea specifică a jocului. + + + Failed to parse JSON data from HTML. + Nu s-a reușit pararea datelor JSON din HTML. + + + Failed to retrieve HTML page. + Nu s-a reușit obținerea paginii HTML. + + + The game is in version: %1 + Jocul este în versiunea: %1 + + + The downloaded patch only works on version: %1 + Patch-ul descărcat funcționează doar pe versiunea: %1 + + + You may need to update your game. + Este posibil să trebuiască să actualizezi jocul tău. + + + Incompatibility Notice + Avertizare de incompatibilitate + + + Failed to open file: + Nu s-a reușit deschiderea fișierului: + + + XML ERROR: + EROARE XML: + + + Failed to open files.json for writing + Nu s-a reușit deschiderea files.json pentru scriere + + + Author: + Autor: + + + Directory does not exist: + Directorul nu există: + + + Failed to open files.json for reading. + Nu s-a reușit deschiderea files.json pentru citire. + + + Name: + Nume: + + + Can't apply cheats before the game is started + Nu poți aplica cheats înainte ca jocul să înceapă. + + + Close + Închide + + + + CheckUpdate + + Auto Updater + Actualizator automat + + + Error + Eroare + + + Network error: + Eroare de rețea: + + + Error_Github_limit_MSG + Actualizatorul automat permite până la 60 de verificări de actualizare pe oră.\nAți atins această limită. Vă rugăm să încercați din nou mai târziu. + + + Failed to parse update information. + Nu s-au putut analiza informațiile de actualizare. + + + No pre-releases found. + Nu au fost găsite pre-lansări. + + + Invalid release data. + Datele versiunii sunt invalide. + + + No download URL found for the specified asset. + Nu s-a găsit URL de descărcare pentru resursa specificată. + + + Your version is already up to date! + Versiunea ta este deja actualizată! + + + Update Available + Actualizare disponibilă + + + Update Channel + Canal de Actualizare + + + Current Version + Versiunea curentă + + + Latest Version + Ultima versiune + + + Do you want to update? + Doriți să actualizați? + + + Show Changelog + Afișați jurnalul de modificări + + + Check for Updates at Startup + Verifică actualizări la pornire + + + Update + Actualizare + + + No + Nu + + + Hide Changelog + Ascunde jurnalul de modificări + + + Changes + Modificări + + + Network error occurred while trying to access the URL + A apărut o eroare de rețea în timpul încercării de a accesa URL-ul + + + Download Complete + Descărcare completă + + + The update has been downloaded, press OK to install. + Actualizarea a fost descărcată, apăsați OK pentru a instala. + + + Failed to save the update file at + Nu s-a putut salva fișierul de actualizare la + + + Starting Update... + Încep actualizarea... + + + Failed to create the update script file + Nu s-a putut crea fișierul script de actualizare + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Se colectează datele de compatibilitate, vă rugăm să așteptați + + + Cancel + Anulează + + + Loading... + Se încarcă... + + + Error + Eroare + + + Unable to update compatibility data! Try again later. + Nu se poate actualiza datele de compatibilitate! Încercați din nou mai târziu. + + + Unable to open compatibility_data.json for writing. + Nu se poate deschide compatibility_data.json pentru scriere. + + + Unknown + Necunoscut + + + Nothing + Nimic + + + Boots + Botine + + + Menus + Meniuri + + + Ingame + În joc + + + Playable + Jucabil + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Icon + + + Name + Nume + + + Serial + Serie + + + Compatibility + Compatibility + + + Region + Regiune + + + Firmware + Firmware + + + Size + Dimensiune + + + Version + Versiune + + + Path + Drum + + + Play Time + Timp de Joacă + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Faceți clic pentru a vedea detalii pe GitHub + + + Last updated + Ultima actualizare + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Deschide Folder... + + + Open Game Folder + Deschide Folder Joc + + + Open Save Data Folder + Deschide Folder Date Salvate + + + Open Log Folder + Deschide Folder Jurnal + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Cheats / Patches + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Verifică actualizările + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Descarcă Coduri / Patch-uri + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Ajutor + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Lista jocurilor + + + * Unsupported Vulkan Version + * Versiune Vulkan nesuportată + + + Download Cheats For All Installed Games + Descarcă Cheats pentru toate jocurile instalate + + + Download Patches For All Games + Descarcă Patches pentru toate jocurile + + + Download Complete + Descărcare completă + + + You have downloaded cheats for all the games you have installed. + Ai descărcat cheats pentru toate jocurile instalate. + + + Patches Downloaded Successfully! + Patches descărcate cu succes! + + + All Patches available for all games have been downloaded. + Toate Patches disponibile pentru toate jocurile au fost descărcate. + + + Games: + Jocuri: + + + ELF files (*.bin *.elf *.oelf) + Fișiere ELF (*.bin *.elf *.oelf) + + + Game Boot + Boot Joc + + + Only one file can be selected! + Numai un fișier poate fi selectat! + + + PKG Extraction + Extracție PKG + + + Patch detected! + Patch detectat! + + + PKG and Game versions match: + Versiunile PKG și ale jocului sunt compatibile: + + + Would you like to overwrite? + Doriți să suprascrieți? + + + PKG Version %1 is older than installed version: + Versiunea PKG %1 este mai veche decât versiunea instalată: + + + Game is installed: + Jocul este instalat: + + + Would you like to install Patch: + Doriți să instalați patch-ul: + + + DLC Installation + Instalare DLC + + + Would you like to install DLC: %1? + Doriți să instalați DLC-ul: %1? + + + DLC already installed: + DLC deja instalat: + + + Game already installed + Jocul deja instalat + + + PKG ERROR + EROARE PKG + + + Extracting PKG %1/%2 + Extracție PKG %1/%2 + + + Extraction Finished + Extracție terminată + + + Game successfully installed at %1 + Jocul a fost instalat cu succes la %1 + + + File doesn't appear to be a valid PKG file + Fișierul nu pare să fie un fișier PKG valid + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Nume + + + Serial + Serie + + + Installed + + + + Size + Dimensiune + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Regiune + + + Flags + + + + Path + Drum + + + File + File + + + PKG ERROR + EROARE PKG + + + Unknown + Necunoscut + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Mod Ecran Complet + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Tab-ul implicit la deschiderea setărilor + + + Show Game Size In List + Afișează dimensiunea jocului în listă + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Activați Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Deschide locația jurnalului + + + Input + Introducere + + + Cursor + Cursor + + + Hide Cursor + Ascunde cursorul + + + Hide Cursor Idle Timeout + Timeout pentru ascunderea cursorului inactiv + + + s + s + + + Controller + Controler + + + Back Button Behavior + Comportament buton înapoi + + + Graphics + Graphics + + + GUI + Interfață + + + User + Utilizator + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Trasee + + + Game Folders + Dosare de joc + + + Add... + Adaugă... + + + Remove + Eliminare + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Actualizare + + + Check for Updates at Startup + Verifică actualizări la pornire + + + Always Show Changelog + Arată întotdeauna jurnalul modificărilor + + + Update Channel + Canal de Actualizare + + + Check for Updates + Verifică actualizări + + + GUI Settings + Setări GUI + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Redă muzica titlului + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Volum + + + Save + Salvează + + + Apply + Aplică + + + Restore Defaults + Restabilește Impozitivele + + + Close + Închide + + + Point your mouse at an option to display its description. + Indicați mouse-ul asupra unei opțiuni pentru a afișa descrierea acesteia. + + + consoleLanguageGroupBox + Limba consolei:\nSetează limba pe care o folosește jocul PS4.\nSe recomandă să setezi această opțiune pe o limbă pe care jocul o suportă, ceea ce poate varia în funcție de regiune. + + + emulatorLanguageGroupBox + Limba emulatorului:\nSetează limba interfeței utilizatorului a emulatorului. + + + fullscreenCheckBox + Activează modul pe ecran complet:\nPune automat fereastra jocului în modul pe ecran complet.\nAceasta poate fi dezactivată apăsând tasta F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Afișează ecranul de încărcare:\nAfișează ecranul de încărcare al jocului (o imagine specială) în timp ce jocul pornește. + + + discordRPCCheckbox + Activați Discord Rich Presence:\nAfișează pictograma emulatorului și informații relevante pe profilul dumneavoastră Discord. + + + userName + Nume utilizator:\nSetează numele de utilizator al contului PS4, care poate fi afișat de unele jocuri. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Tip jurnal:\nSetează dacă să sincronizezi ieșirea ferestrei de jurnal pentru performanță. Aceasta poate avea efecte adverse asupra emulării. + + + logFilter + Filtrul jurnalului:\nFiltrează jurnalul pentru a imprima doar informații specifice.\nExemple: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Niveluri: Trace, Debug, Info, Warning, Error, Critical - în această ordine, un nivel specific reduce toate nivelurile anterioare din listă și înregistrează toate nivelurile ulterioare. + + + updaterGroupBox + Actualizare:\nRelease: Versiuni oficiale lansate în fiecare lună, care pot fi foarte învechite, dar sunt mai fiabile și testate.\nNightly: Versiuni de dezvoltare care conțin toate cele mai recente funcții și corecții, dar pot conține erori și sunt mai puțin stabile. + + + GUIMusicGroupBox + Redă muzica titlului:\nDacă un joc o suportă, activează redarea muzicii speciale când selectezi jocul în GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Ascunde cursorul:\nAlegeți când va dispărea cursorul:\nNiciodată: Vei vedea întotdeauna mouse-ul.\nInactiv: Setează un timp pentru a dispărea după inactivitate.\nÎntotdeauna: nu vei vedea niciodată mouse-ul. + + + idleTimeoutGroupBox + Setați un timp pentru ca mouse-ul să dispară după ce a fost inactiv. + + + backButtonBehaviorGroupBox + Comportamentul butonului înapoi:\nSetează butonul înapoi al controlerului să imite atingerea poziției specificate pe touchpad-ul PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Niciodată + + + Idle + Inactiv + + + Always + Întotdeauna + + + Touchpad Left + Touchpad Stânga + + + Touchpad Right + Touchpad Dreapta + + + Touchpad Center + Centru Touchpad + + + None + Niciunul + + + graphicsAdapterGroupBox + Dispozitiv grafic:\nPe sistemele cu mai multe GPU-uri, alege GPU-ul pe care emulatorul îl va folosi din lista derulantă,\nsau selectează "Auto Select" pentru a-l determina automat. + + + resolutionLayout + Lățime/Înălțime:\nSetează dimensiunea ferestrei emulatorului la lansare, care poate fi redimensionată în timpul jocului.\nAceasta este diferită de rezoluția din joc. + + + heightDivider + Împărțitor Vblank:\nRata de cadre cu care emulatorul se reîmprospătează este multiplicată cu acest număr. Schimbarea acestuia poate avea efecte adverse, cum ar fi creșterea vitezei jocului sau distrugerea funcționalității critice a jocului care nu se așteaptă ca aceasta să se schimbe! + + + dumpShadersCheckBox + Activează salvarea shaderelor:\nÎn scopuri de depanare tehnică, salvează shader-urile jocului într-un folder pe măsură ce sunt randate. + + + nullGpuCheckBox + Activează GPU Null:\nÎn scopuri de depanare tehnică, dezactivează redarea jocului ca și cum nu ar exista o placă grafică. + + + gameFoldersBox + Folderele jocurilor:\nLista folderelor pentru a verifica jocurile instalate. + + + addFolderButton + Adăugați:\nAdăugați un folder la listă. + + + removeFolderButton + Eliminați:\nÎndepărtați un folder din listă. + + + debugDump + Activează salvarea pentru depanare:\nSalvează simbolurile de import și export și informațiile din antetul fișierului pentru aplicația PS4 care rulează în prezent într-un director. + + + vkValidationCheckBox + Activează straturile de validare Vulkan:\nActivează un sistem care validează starea renderer-ului Vulkan și înregistrează informații despre starea sa internă. Aceasta va reduce performanța și probabil va schimba comportamentul emulării. + + + vkSyncValidationCheckBox + Activează validarea sincronizării Vulkan:\nActivează un sistem care validează sincronizarea sarcinilor de redare Vulkan. Aceasta va reduce performanța și probabil va schimba comportamentul emulării. + + + rdocCheckBox + Activează depanarea RenderDoc:\nDacă este activat, emulatorul va oferi compatibilitate cu Renderdoc pentru a permite capturarea și analiza cadrului redat în prezent. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + diff --git a/src/qt_gui/translations/ru_RU.ts b/src/qt_gui/translations/ru_RU.ts index 985e40a49..2e15297e1 100644 --- a/src/qt_gui/translations/ru_RU.ts +++ b/src/qt_gui/translations/ru_RU.ts @@ -1,8 +1,8 @@ - - + + AboutDialog @@ -22,1089 +22,6 @@ Это программное обеспечение не должно использоваться для запуска игр, которые вы получили нелегально. - - ElfViewer - - Open Folder - Открыть папку - - - - GameInfoClass - - Loading game list, please wait :3 - Загрузка списка игр, пожалуйста подождите :3 - - - Cancel - Отмена - - - Loading... - Загрузка... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Выберите папку - - - Select which directory you want to install to. - Выберите папку, в которую вы хотите установить. - - - Install All Queued to Selected Folder - Установить все из очереди в выбранную папку - - - Delete PKG File on Install - Удалить файл PKG при установке - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Выберите папку - - - Directory to install games - Каталог для установки игр - - - Browse - Обзор - - - Error - Ошибка - - - The value for location to install games is not valid. - Недопустимое значение местоположения для установки игр. - - - Directory to install DLC - Каталог для установки DLC - - - - GuiContextMenus - - Create Shortcut - Создать ярлык - - - Cheats / Patches - Читы и патчи - - - SFO Viewer - Просмотр SFO - - - Trophy Viewer - Просмотр трофеев - - - Open Folder... - Открыть папку... - - - Open Game Folder - Открыть папку с игрой - - - Open Save Data Folder - Открыть папку сохранений - - - Open Log Folder - Открыть папку логов - - - Copy info... - Копировать информацию... - - - Copy Name - Копировать имя - - - Copy Serial - Копировать серийный номер - - - Copy All - Копировать всё - - - Delete... - Удалить... - - - Delete Game - Удалить игру - - - Delete Update - Удалить обновление - - - Delete DLC - Удалить DLC - - - Compatibility... - Совместимость... - - - Update database - Обновить базу данных - - - View report - Посмотреть отчет - - - Submit a report - Отправить отчёт - - - Shortcut creation - Создание ярлыка - - - Shortcut created successfully! - Ярлык создан успешно! - - - Error - Ошибка - - - Error creating shortcut! - Ошибка создания ярлыка! - - - Install PKG - Установить PKG - - - Game - Игры - - - requiresEnableSeparateUpdateFolder_MSG - Эта функция требует включения настройки 'Отдельная папка обновлений'. Если вы хотите использовать эту функцию, пожалуйста включите её. - - - This game has no update to delete! - У этой игры нет обновлений для удаления! - - - Update - Обновления - - - This game has no DLC to delete! - У этой игры нет DLC для удаления! - - - DLC - DLC - - - Delete %1 - Удалить %1 - - - Are you sure you want to delete %1's %2 directory? - Вы уверены, что хотите удалить папку %2 %1? - - - Open Update Folder - Открыть папку обновлений - - - Delete Save Data - Удалить сохранения - - - This game has no update folder to open! - У этой игры нет папки обновлений, которую можно открыть! - - - Failed to convert icon. - Не удалось преобразовать иконку. - - - This game has no save data to delete! - У этой игры нет сохранений, которые можно удалить! - - - Save Data - Сохранения - - - - MainWindow - - Open/Add Elf Folder - Открыть/Добавить папку Elf - - - Install Packages (PKG) - Установить пакеты (PKG) - - - Boot Game - Запустить игру - - - Check for Updates - Проверить обновления - - - About shadPS4 - О shadPS4 - - - Configure... - Настроить... - - - Install application from a .pkg file - Установить приложение из файла .pkg - - - Recent Games - Недавние игры - - - Open shadPS4 Folder - Открыть папку shadPS4 - - - Exit - Выход - - - Exit shadPS4 - Выйти из shadPS4 - - - Exit the application. - Выйти из приложения. - - - Show Game List - Показать список игр - - - Game List Refresh - Обновить список игр - - - Tiny - Крошечный - - - Small - Маленький - - - Medium - Средний - - - Large - Большой - - - List View - Список - - - Grid View - Сетка - - - Elf Viewer - Исполняемый файл - - - Game Install Directory - Каталог установки игры - - - Download Cheats/Patches - Скачать читы или патчи - - - Dump Game List - Дамп списка игр - - - PKG Viewer - Просмотр PKG - - - Search... - Поиск... - - - File - Файл - - - View - Вид - - - Game List Icons - Размер иконок списка игр - - - Game List Mode - Вид списка игр - - - Settings - Настройки - - - Utils - Утилиты - - - Themes - Темы - - - Help - Помощь - - - Dark - Темная - - - Light - Светлая - - - Green - Зеленая - - - Blue - Синяя - - - Violet - Фиолетовая - - - toolBar - Панель инструментов - - - Game List - Список игр - - - * Unsupported Vulkan Version - * Неподдерживаемая версия Vulkan - - - Download Cheats For All Installed Games - Скачать читы для всех установленных игр - - - Download Patches For All Games - Скачать патчи для всех игр - - - Download Complete - Скачивание завершено - - - You have downloaded cheats for all the games you have installed. - Вы скачали читы для всех установленных игр. - - - Patches Downloaded Successfully! - Патчи успешно скачаны! - - - All Patches available for all games have been downloaded. - Все доступные патчи для всех игр были скачаны. - - - Games: - Игры: - - - PKG File (*.PKG) - Файл PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Файлы ELF (*.bin *.elf *.oelf) - - - Game Boot - Запуск игры - - - Only one file can be selected! - Можно выбрать только один файл! - - - PKG Extraction - Извлечение PKG - - - Patch detected! - Обнаружен патч! - - - PKG and Game versions match: - Версии PKG и игры совпадают: - - - Would you like to overwrite? - Хотите перезаписать? - - - PKG Version %1 is older than installed version: - Версия PKG %1 старше установленной версии: - - - Game is installed: - Игра установлена: - - - Would you like to install Patch: - Хотите установить патч: - - - DLC Installation - Установка DLC - - - Would you like to install DLC: %1? - Вы хотите установить DLC: %1? - - - DLC already installed: - DLC уже установлен: - - - Game already installed - Игра уже установлена - - - PKG is a patch, please install the game first! - PKG - это патч, сначала установите игру! - - - PKG ERROR - ОШИБКА PKG - - - Extracting PKG %1/%2 - Извлечение PKG %1/%2 - - - Extraction Finished - Извлечение завершено - - - Game successfully installed at %1 - Игра успешно установлена в %1 - - - File doesn't appear to be a valid PKG file - Файл не является допустимым файлом PKG - - - Run Game - Запустить игру - - - Eboot.bin file not found - Файл eboot.bin не найден - - - PKG File (*.PKG *.pkg) - Файл PKG (*.PKG *.pkg) - - - PKG is a patch or DLC, please install the game first! - Выбранный PKG является патчем или DLC, пожалуйста, сначала установите игру! - - - Game is already running! - Игра уже запущена! - - - shadPS4 - shadPS4 - - - - PKGViewer - - Open Folder - Открыть папку - - - &File - Файл - - - PKG ERROR - ОШИБКА PKG - - - - TrophyViewer - - Trophy Viewer - Просмотр трофеев - - - - SettingsDialog - - Settings - Настройки - - - General - Общее - - - System - Система - - - Console Language - Язык консоли - - - Emulator Language - Язык эмулятора - - - Emulator - Эмулятор - - - Enable Fullscreen - Полноэкранный режим - - - Fullscreen Mode - Тип полноэкранного режима - - - Enable Separate Update Folder - Отдельная папка обновлений - - - Default tab when opening settings - Вкладка по умолчанию при открытии настроек - - - Show Game Size In List - Показать размер игры в списке - - - Show Splash - Показывать заставку - - - Is PS4 Pro - Режим PS4 Pro - - - Enable Discord Rich Presence - Включить Discord Rich Presence - - - Username - Имя пользователя - - - Trophy Key - Ключ трофеев - - - Trophy - Трофеи - - - Logger - Логирование - - - Log Type - Тип логов - - - Log Filter - Фильтр логов - - - Open Log Location - Открыть местоположение журнала - - - Input - Ввод - - - Cursor - Курсор мыши - - - Hide Cursor - Скрывать курсор - - - Hide Cursor Idle Timeout - Время скрытия курсора при бездействии - - - s - сек - - - Controller - Контроллер - - - Back Button Behavior - Поведение кнопки назад - - - Graphics - Графика - - - GUI - Интерфейс - - - User - Пользователь - - - Graphics Device - Графическое устройство - - - Width - Ширина - - - Height - Высота - - - Vblank Divider - Делитель Vblank - - - Advanced - Продвинутые - - - Enable Shaders Dumping - Включить дамп шейдеров - - - Enable NULL GPU - Включить NULL GPU - - - Paths - Пути - - - Game Folders - Игровые папки - - - Add... - Добавить... - - - Remove - Удалить - - - Debug - Отладка - - - Enable Debug Dumping - Включить отладочные дампы - - - Enable Vulkan Validation Layers - Включить слои валидации Vulkan - - - Enable Vulkan Synchronization Validation - Включить валидацию синхронизации Vulkan - - - Enable RenderDoc Debugging - Включить отладку RenderDoc - - - Enable Crash Diagnostics - Включить диагностику сбоев - - - Collect Shaders - Собирать шейдеры - - - Copy GPU Buffers - Копировать буферы GPU - - - Host Debug Markers - Маркеры отладки хоста - - - Guest Debug Markers - Маркеры отладки гостя - - - Update - Обновление - - - Check for Updates at Startup - Проверка при запуске - - - Always Show Changelog - Всегда показывать журнал изменений - - - Update Channel - Канал обновления - - - Check for Updates - Проверить обновления - - - GUI Settings - Настройки интерфейса - - - Title Music - Заглавная музыка - - - Disable Trophy Pop-ups - Отключить уведомления о трофеях - - - Play title music - Играть заглавную музыку - - - Update Compatibility Database On Startup - Обновлять базу совместимости при запуске - - - Game Compatibility - Совместимость игр - - - Display Compatibility Data - Показывать данные совместимости - - - Update Compatibility Database - Обновить базу совместимости - - - Volume - Громкость - - - Audio Backend - Звуковая подсистема - - - Save - Сохранить - - - Apply - Применить - - - Restore Defaults - По умолчанию - - - Close - Закрыть - - - Point your mouse at an option to display its description. - Наведите указатель мыши на опцию, чтобы отобразить ее описание. - - - consoleLanguageGroupBox - Язык консоли:\nУстановите язык, который будет использоваться в играх PS4.\nРекомендуется устанавливать язык, который поддерживается игрой, так как он может отличаться в зависимости от региона. - - - emulatorLanguageGroupBox - Язык эмулятора:\nУстановите язык пользовательского интерфейса эмулятора. - - - fullscreenCheckBox - Полноэкранный режим:\nАвтоматически переводит игровое окно в полноэкранный режим.\nЭто можно переключить, нажав клавишу F11. - - - separateUpdatesCheckBox - Отдельная папка обновлений:\nПозволяет устанавливать обновления игры в отдельную папку для удобства.\nМожно создать вручную, добавив извлеченное обновление в папку с игрой с именем "CUSA00000-UPDATE", где идентификатор CUSA совпадает с идентификатором игры. - - - showSplashCheckBox - Показывать заставку:\nОтображает заставку игры (специальное изображение) во время запуска. - - - ps4proCheckBox - Режим PS4 Pro:\nЗаставляет эмулятор работать как PS4 Pro, что может включить специальные функции в играх, поддерживающих это. - - - discordRPCCheckbox - Включить Discord Rich Presence:\nОтображает значок эмулятора и соответствующую информацию в вашем профиле Discord. - - - userName - Имя пользователя:\nУстановите имя пользователя аккаунта PS4. Это может отображаться в некоторых играх. - - - TrophyKey - Ключ трофеев:\nКлюч, используемый для расшифровки трофеев. Должен быть получен из вашей взломанной консоли.\nДолжен содержать только шестнадцатеричные символы. - - - logTypeGroupBox - Тип логов:\nУстановите, синхронизировать ли вывод окна логов ради производительности. Это может негативно сказаться на эмуляции. - - - logFilter - Фильтр логов:\nФильтрует логи, чтобы показывать только определенную информацию.\nПримеры: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Уровни: Trace, Debug, Info, Warning, Error, Critical - в этом порядке, конкретный уровень глушит все предыдущие уровни в списке и показывает все последующие уровни. - - - updaterGroupBox - Обновление:\nRelease: Официальные версии, которые выпускаются каждый месяц и могут быть очень старыми, но они более надежные и проверенные.\nNightly: Версии разработки, которые содержат все последние функции и исправления, но могут содержать ошибки и менее стабильны. - - - GUIMusicGroupBox - Играть заглавную музыку:\nВключает воспроизведение специальной музыки при выборе игры в списке, если она это поддерживает. - - - disableTrophycheckBox - Отключить уведомления о трофеях:\nОтключает внутриигровые уведомления о трофеях. Прогресс трофеев по-прежнему можно отслеживать в меню просмотра трофеев (правая кнопка мыши по игре в главном окне). - - - hideCursorGroupBox - Скрывать курсор:\nВыберите, когда курсор будет скрыт:\nНикогда: Вы всегда будете видеть курсор.\nПри бездействии: Установите время, через которое курсор будет скрыт при бездействии.\nВсегда: Курсор всегда будет скрыт. - - - idleTimeoutGroupBox - Время скрытия курсора при бездействии:\nУстановите время, через которое курсор исчезнет при бездействии. - - - backButtonBehaviorGroupBox - Поведение кнопки «Назад»:\nНастраивает кнопку «Назад» контроллера на эмуляцию нажатия на указанную область на сенсорной панели контроллера PS4. - - - enableCompatibilityCheckBox - Показывать данные совместимости:\nПоказывает информацию о совместимости игр в таблице. Включите «Обновлять базу совместимости при запуске» для получения актуальной информации. - - - checkCompatibilityOnStartupCheckBox - Обновлять базу совместимости при запуске:\nАвтоматически обновлять базу данных совместимости при запуске shadPS4. - - - updateCompatibilityButton - Обновить базу совместимости:\nНемедленно обновить базу данных совместимости. - - - Never - Никогда - - - Idle - При бездействии - - - Always - Всегда - - - Touchpad Left - Тачпад слева - - - Touchpad Right - Тачпад справа - - - Touchpad Center - Центр тачпада - - - None - Нет - - - graphicsAdapterGroupBox - Графическое устройство:\nВ системах с несколькими GPU выберите тот, который будет использовать эмулятор.\nВыберите "Автовыбор", чтобы определить GPU автоматически. - - - resolutionLayout - Ширина/Высота:\nУстановите размер окна эмулятора при запуске, который может быть изменен во время игры.\nЭто отличается от разрешения в игре. - - - heightDivider - Делитель Vblank:\nЧастота кадров, с которой обновляется эмулятор, умножается на это число. Изменение этого параметра может иметь негативные последствия, такие как увеличение скорости игры или нарушение критических функций игры, которые этого не ожидают! - - - dumpShadersCheckBox - Включить дамп шейдеров:\nДля технической отладки сохраняет шейдеры игр в папку во время рендеринга. - - - nullGpuCheckBox - Включить NULL GPU:\nДля технической отладки отключает рендеринг игры так, как будто графической карты нет. - - - gameFoldersBox - Игровые папки:\nСписок папок для проверки установленных игр. - - - addFolderButton - Добавить:\nДобавить папку в список. - - - removeFolderButton - Удалить:\nУдалить папку из списка. - - - debugDump - Включить отладочные дампы:\nСохраняет символы импорта, экспорта и информацию о заголовке файла текущей исполняемой программы PS4 в папку. - - - vkValidationCheckBox - Включить слои валидации Vulkan:\nВключает систему, которая проверяет состояние рендерера Vulkan и логирует информацию о его внутреннем состоянии. Это снизит производительность и, вероятно, изменит поведение эмуляции. - - - vkSyncValidationCheckBox - Включить валидацию синхронизации Vulkan:\nВключает систему, которая проверяет тайминг задач рендеринга Vulkan. Это снизит производительность и, вероятно, изменит поведение эмуляции. - - - rdocCheckBox - Включить отладку RenderDoc:\nЕсли включено, эмулятор обеспечит совместимость с RenderDoc, позволяя захватывать и анализировать текущие кадры во время рендеринга. - - - collectShaderCheckBox - Собирать шейдеры:\nВам необходимо включить эту функцию для редактирования шейдеров с помощью меню отладки (Ctrl + F10). - - - crashDiagnosticsCheckBox - Диагностика сбоев:\nСоздает .yaml файл с информацией о состоянии Vulkan в момент падения.\nПолезно для отладки ошибок 'Device lost'. Если эта функция включена, вам следует включить Маркеры отладки хоста и Гостя.\nНе работает на видеокартах Intel.\nДля работы вам необходимо включить Слои валидации Vulkan и установить Vulkan SDK. - - - copyGPUBuffersCheckBox - Копировать буферы GPU:\nПозволяет обойти состояния гонки, связанные с отправками GPU.\nМожет помочь или не помочь при сбоях PM4 типа 0. - - - hostMarkersCheckBox - Маркеры отладки хоста:\nДобавляет информацию на стороне эмулятора, например маркеры для определенных команд AMDGPU, вокруг команд Vulkan, а также присваивает ресурсам отладочные имена.\nЕсли эта функция включена, вам следует включить Диагностику сбоев.\nПолезно для таких программ, как RenderDoc. - - - guestMarkersCheckBox - Маркеры отладки гостя:\nДобавляет любые отладочные маркеры, добавленные самой игрой, в буфер команд.\nЕсли эта функция включена, вам следует включить Диагностику сбоев.\nПолезно для таких программ, как RenderDoc. - - - saveDataBox - Путь сохранений:\nПапка, в которой будут храниться сохранения игр. - - - browseButton - Обзор:\nНайдите папку, которую можно указать в качестве пути для сохранений. - - - Borderless - Без полей - - - True - Истинный - - - Release - Release - - - Nightly - Nightly - - - Set the volume of the background music. - Установите громкость фоновой музыки. - - - Enable Motion Controls - Включить управление движением - - - Save Data Path - Путь сохранений - - - Browse - Обзор - - - async - асинхронный - - - sync - синхронный - - - Directory to install games - Каталог для установки игр - - - Directory to save data - Каталог для сохранений - - - Auto Select - Автовыбор - - CheatsPatches @@ -1331,105 +248,6 @@ Close Закрыть - - Error: - Ошибка: - - - ERROR - ОШИБКА - - - - GameListFrame - - Icon - Иконка - - - Name - Название - - - Serial - Серийный номер - - - Compatibility - Совместимость - - - Region - Регион - - - Firmware - Прошивка - - - Size - Размер - - - Version - Версия - - - Path - Путь - - - Play Time - Время в игре - - - Never Played - Нет - - - h - ч - - - m - м - - - s - с - - - Compatibility is untested - Совместимость не проверена - - - Game does not initialize properly / crashes the emulator - Игра не инициализируется правильно / эмулятор вылетает - - - Game boots, but only displays a blank screen - Игра запускается, но показывает только пустой экран - - - Game displays an image but does not go past the menu - Игра показывает картинку, но не проходит дальше меню - - - Game has game-breaking glitches or unplayable performance - Игра имеет ломающие игру глюки или плохую производительность - - - Game can be completed with playable performance and no major glitches - Игра может быть пройдена с хорошей производительностью и без серьезных сбоев - - - Click to see details on github - Нажмите, чтобы увидеть детали на GitHub - - - Last updated - Последнее обновление - CheckUpdate @@ -1445,10 +263,10 @@ Network error: Сетевая ошибка: - - Error_Github_limit_MSG - Автообновление позволяет выполнять до 60 проверок обновлений в час.\nВы достигли этого лимита. Пожалуйста, попробуйте позже. - + + Error_Github_limit_MSG + Автообновление позволяет выполнять до 60 проверок обновлений в час.\nВы достигли этого лимита. Пожалуйста, попробуйте позже. + Failed to parse update information. Не удалось разобрать информацию об обновлении. @@ -1538,6 +356,320 @@ Не удалось создать файл скрипта обновления + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Загрузка данных о совместимости, пожалуйста, подождите + + + Cancel + Отмена + + + Loading... + Загрузка... + + + Error + Ошибка + + + Unable to update compatibility data! Try again later. + Не удалось обновить данные совместимости! Повторите попытку позже. + + + Unable to open compatibility_data.json for writing. + Не удалось открыть файл compatibility_data.json для записи. + + + Unknown + Неизвестно + + + Nothing + Ничего + + + Boots + Запускается + + + Menus + В меню + + + Ingame + В игре + + + Playable + Играбельно + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Открыть папку + + + + GameInfoClass + + Loading game list, please wait :3 + Загрузка списка игр, пожалуйста подождите :3 + + + Cancel + Отмена + + + Loading... + Загрузка... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Выберите папку + + + Directory to install games + Каталог для установки игр + + + Browse + Обзор + + + Error + Ошибка + + + Directory to install DLC + Каталог для установки DLC + + + + GameListFrame + + Icon + Иконка + + + Name + Название + + + Serial + Серийный номер + + + Compatibility + Совместимость + + + Region + Регион + + + Firmware + Прошивка + + + Size + Размер + + + Version + Версия + + + Path + Путь + + + Play Time + Время в игре + + + Never Played + Нет + + + h + ч + + + m + м + + + s + с + + + Compatibility is untested + Совместимость не проверена + + + Game does not initialize properly / crashes the emulator + Игра не инициализируется правильно / эмулятор вылетает + + + Game boots, but only displays a blank screen + Игра запускается, но показывает только пустой экран + + + Game displays an image but does not go past the menu + Игра показывает картинку, но не проходит дальше меню + + + Game has game-breaking glitches or unplayable performance + Игра имеет ломающие игру глюки или плохую производительность + + + Game can be completed with playable performance and no major glitches + Игра может быть пройдена с хорошей производительностью и без серьезных сбоев + + + Click to see details on github + Нажмите, чтобы увидеть детали на GitHub + + + Last updated + Последнее обновление + + GameListUtils @@ -1562,54 +694,1097 @@ - CompatibilityInfoClass - - Fetching compatibility data, please wait - Загрузка данных о совместимости, пожалуйста, подождите - - - Cancel - Отмена - - - Loading... - Загрузка... - - - Error - Ошибка - - - Unable to update compatibility data! Try again later. - Не удалось обновить данные совместимости! Повторите попытку позже. - - - Unable to open compatibility_data.json for writing. - Не удалось открыть файл compatibility_data.json для записи. - - - Unknown - Неизвестно - - - Nothing - Ничего - - - Boots - Запускается - - - Menus - В меню - - - Ingame - В игре - - - Playable - Играбельно - + GuiContextMenus + + Create Shortcut + Создать ярлык + + + Cheats / Patches + Читы и патчи + + + SFO Viewer + Просмотр SFO + + + Trophy Viewer + Просмотр трофеев + + + Open Folder... + Открыть папку... + + + Open Game Folder + Открыть папку с игрой + + + Open Save Data Folder + Открыть папку сохранений + + + Open Log Folder + Открыть папку логов + + + Copy info... + Копировать информацию... + + + Copy Name + Копировать имя + + + Copy Serial + Копировать серийный номер + + + Copy All + Копировать всё + + + Delete... + Удалить... + + + Delete Game + Удалить игру + + + Delete Update + Удалить обновление + + + Delete DLC + Удалить DLC + + + Compatibility... + Совместимость... + + + Update database + Обновить базу данных + + + View report + Посмотреть отчет + + + Submit a report + Отправить отчёт + + + Shortcut creation + Создание ярлыка + + + Shortcut created successfully! + Ярлык создан успешно! + + + Error + Ошибка + + + Error creating shortcut! + Ошибка создания ярлыка! + + + Install PKG + Установить PKG + + + Game + Игры + + + This game has no update to delete! + У этой игры нет обновлений для удаления! + + + Update + Обновления + + + This game has no DLC to delete! + У этой игры нет DLC для удаления! + + + DLC + DLC + + + Delete %1 + Удалить %1 + + + Are you sure you want to delete %1's %2 directory? + Вы уверены, что хотите удалить папку %2 %1? + + + Open Update Folder + Открыть папку обновлений + + + Delete Save Data + Удалить сохранения + + + This game has no update folder to open! + У этой игры нет папки обновлений, которую можно открыть! + + + Failed to convert icon. + Не удалось преобразовать иконку. + + + This game has no save data to delete! + У этой игры нет сохранений, которые можно удалить! + + + Save Data + Сохранения + + + Copy Version + + + + Copy Size + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Выберите папку + + + Select which directory you want to install to. + Выберите папку, в которую вы хотите установить. + + + Install All Queued to Selected Folder + Установить все из очереди в выбранную папку + + + Delete PKG File on Install + Удалить файл PKG при установке + + + + MainWindow + + Open/Add Elf Folder + Открыть/Добавить папку Elf + + + Install Packages (PKG) + Установить пакеты (PKG) + + + Boot Game + Запустить игру + + + Check for Updates + Проверить обновления + + + About shadPS4 + О shadPS4 + + + Configure... + Настроить... + + + Install application from a .pkg file + Установить приложение из файла .pkg + + + Recent Games + Недавние игры + + + Open shadPS4 Folder + Открыть папку shadPS4 + + + Exit + Выход + + + Exit shadPS4 + Выйти из shadPS4 + + + Exit the application. + Выйти из приложения. + + + Show Game List + Показать список игр + + + Game List Refresh + Обновить список игр + + + Tiny + Крошечный + + + Small + Маленький + + + Medium + Средний + + + Large + Большой + + + List View + Список + + + Grid View + Сетка + + + Elf Viewer + Исполняемый файл + + + Game Install Directory + Каталог установки игры + + + Download Cheats/Patches + Скачать читы или патчи + + + Dump Game List + Дамп списка игр + + + PKG Viewer + Просмотр PKG + + + Search... + Поиск... + + + File + Файл + + + View + Вид + + + Game List Icons + Размер иконок списка игр + + + Game List Mode + Вид списка игр + + + Settings + Настройки + + + Utils + Утилиты + + + Themes + Темы + + + Help + Помощь + + + Dark + Темная + + + Light + Светлая + + + Green + Зеленая + + + Blue + Синяя + + + Violet + Фиолетовая + + + toolBar + Панель инструментов + + + Game List + Список игр + + + * Unsupported Vulkan Version + * Неподдерживаемая версия Vulkan + + + Download Cheats For All Installed Games + Скачать читы для всех установленных игр + + + Download Patches For All Games + Скачать патчи для всех игр + + + Download Complete + Скачивание завершено + + + You have downloaded cheats for all the games you have installed. + Вы скачали читы для всех установленных игр. + + + Patches Downloaded Successfully! + Патчи успешно скачаны! + + + All Patches available for all games have been downloaded. + Все доступные патчи для всех игр были скачаны. + + + Games: + Игры: + + + ELF files (*.bin *.elf *.oelf) + Файлы ELF (*.bin *.elf *.oelf) + + + Game Boot + Запуск игры + + + Only one file can be selected! + Можно выбрать только один файл! + + + PKG Extraction + Извлечение PKG + + + Patch detected! + Обнаружен патч! + + + PKG and Game versions match: + Версии PKG и игры совпадают: + + + Would you like to overwrite? + Хотите перезаписать? + + + PKG Version %1 is older than installed version: + Версия PKG %1 старше установленной версии: + + + Game is installed: + Игра установлена: + + + Would you like to install Patch: + Хотите установить патч: + + + DLC Installation + Установка DLC + + + Would you like to install DLC: %1? + Вы хотите установить DLC: %1? + + + DLC already installed: + DLC уже установлен: + + + Game already installed + Игра уже установлена + + + PKG ERROR + ОШИБКА PKG + + + Extracting PKG %1/%2 + Извлечение PKG %1/%2 + + + Extraction Finished + Извлечение завершено + + + Game successfully installed at %1 + Игра успешно установлена в %1 + + + File doesn't appear to be a valid PKG file + Файл не является допустимым файлом PKG + + + Run Game + Запустить игру + + + Eboot.bin file not found + Файл eboot.bin не найден + + + PKG File (*.PKG *.pkg) + Файл PKG (*.PKG *.pkg) + + + PKG is a patch or DLC, please install the game first! + Выбранный PKG является патчем или DLC, пожалуйста, сначала установите игру! + + + Game is already running! + Игра уже запущена! + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Открыть папку + + + PKG ERROR + ОШИБКА PKG + + + Name + Название + + + Serial + Серийный номер + + + Installed + + + + Size + Размер + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Регион + + + Flags + + + + Path + Путь + + + File + Файл + + + Unknown + Неизвестно + + + Package + + + + + SettingsDialog + + Settings + Настройки + + + General + Общее + + + System + Система + + + Console Language + Язык консоли + + + Emulator Language + Язык эмулятора + + + Emulator + Эмулятор + + + Enable Fullscreen + Полноэкранный режим + + + Fullscreen Mode + Тип полноэкранного режима + + + Enable Separate Update Folder + Отдельная папка обновлений + + + Default tab when opening settings + Вкладка по умолчанию при открытии настроек + + + Show Game Size In List + Показать размер игры в списке + + + Show Splash + Показывать заставку + + + Enable Discord Rich Presence + Включить Discord Rich Presence + + + Username + Имя пользователя + + + Trophy Key + Ключ трофеев + + + Trophy + Трофеи + + + Logger + Логирование + + + Log Type + Тип логов + + + Log Filter + Фильтр логов + + + Open Log Location + Открыть местоположение журнала + + + Input + Ввод + + + Cursor + Курсор мыши + + + Hide Cursor + Скрывать курсор + + + Hide Cursor Idle Timeout + Время скрытия курсора при бездействии + + + s + сек + + + Controller + Контроллер + + + Back Button Behavior + Поведение кнопки назад + + + Graphics + Графика + + + GUI + Интерфейс + + + User + Пользователь + + + Graphics Device + Графическое устройство + + + Width + Ширина + + + Height + Высота + + + Vblank Divider + Делитель Vblank + + + Advanced + Продвинутые + + + Enable Shaders Dumping + Включить дамп шейдеров + + + Enable NULL GPU + Включить NULL GPU + + + Paths + Пути + + + Game Folders + Игровые папки + + + Add... + Добавить... + + + Remove + Удалить + + + Debug + Отладка + + + Enable Debug Dumping + Включить отладочные дампы + + + Enable Vulkan Validation Layers + Включить слои валидации Vulkan + + + Enable Vulkan Synchronization Validation + Включить валидацию синхронизации Vulkan + + + Enable RenderDoc Debugging + Включить отладку RenderDoc + + + Enable Crash Diagnostics + Включить диагностику сбоев + + + Collect Shaders + Собирать шейдеры + + + Copy GPU Buffers + Копировать буферы GPU + + + Host Debug Markers + Маркеры отладки хоста + + + Guest Debug Markers + Маркеры отладки гостя + + + Update + Обновление + + + Check for Updates at Startup + Проверка при запуске + + + Always Show Changelog + Всегда показывать журнал изменений + + + Update Channel + Канал обновления + + + Check for Updates + Проверить обновления + + + GUI Settings + Настройки интерфейса + + + Title Music + Заглавная музыка + + + Disable Trophy Pop-ups + Отключить уведомления о трофеях + + + Play title music + Играть заглавную музыку + + + Update Compatibility Database On Startup + Обновлять базу совместимости при запуске + + + Game Compatibility + Совместимость игр + + + Display Compatibility Data + Показывать данные совместимости + + + Update Compatibility Database + Обновить базу совместимости + + + Volume + Громкость + + + Save + Сохранить + + + Apply + Применить + + + Restore Defaults + По умолчанию + + + Close + Закрыть + + + Point your mouse at an option to display its description. + Наведите указатель мыши на опцию, чтобы отобразить ее описание. + + + consoleLanguageGroupBox + Язык консоли:\nУстановите язык, который будет использоваться в играх PS4.\nРекомендуется устанавливать язык, который поддерживается игрой, так как он может отличаться в зависимости от региона. + + + emulatorLanguageGroupBox + Язык эмулятора:\nУстановите язык пользовательского интерфейса эмулятора. + + + fullscreenCheckBox + Полноэкранный режим:\nАвтоматически переводит игровое окно в полноэкранный режим.\nЭто можно переключить, нажав клавишу F11. + + + separateUpdatesCheckBox + Отдельная папка обновлений:\nПозволяет устанавливать обновления игры в отдельную папку для удобства.\nМожно создать вручную, добавив извлеченное обновление в папку с игрой с именем "CUSA00000-UPDATE", где идентификатор CUSA совпадает с идентификатором игры. + + + showSplashCheckBox + Показывать заставку:\nОтображает заставку игры (специальное изображение) во время запуска. + + + discordRPCCheckbox + Включить Discord Rich Presence:\nОтображает значок эмулятора и соответствующую информацию в вашем профиле Discord. + + + userName + Имя пользователя:\nУстановите имя пользователя аккаунта PS4. Это может отображаться в некоторых играх. + + + TrophyKey + Ключ трофеев:\nКлюч, используемый для расшифровки трофеев. Должен быть получен из вашей взломанной консоли.\nДолжен содержать только шестнадцатеричные символы. + + + logTypeGroupBox + Тип логов:\nУстановите, синхронизировать ли вывод окна логов ради производительности. Это может негативно сказаться на эмуляции. + + + logFilter + Фильтр логов:\nФильтрует логи, чтобы показывать только определенную информацию.\nПримеры: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Уровни: Trace, Debug, Info, Warning, Error, Critical - в этом порядке, конкретный уровень глушит все предыдущие уровни в списке и показывает все последующие уровни. + + + updaterGroupBox + Обновление:\nRelease: Официальные версии, которые выпускаются каждый месяц и могут быть очень старыми, но они более надежные и проверенные.\nNightly: Версии разработки, которые содержат все последние функции и исправления, но могут содержать ошибки и менее стабильны. + + + GUIMusicGroupBox + Играть заглавную музыку:\nВключает воспроизведение специальной музыки при выборе игры в списке, если она это поддерживает. + + + disableTrophycheckBox + Отключить уведомления о трофеях:\nОтключает внутриигровые уведомления о трофеях. Прогресс трофеев по-прежнему можно отслеживать в меню просмотра трофеев (правая кнопка мыши по игре в главном окне). + + + hideCursorGroupBox + Скрывать курсор:\nВыберите, когда курсор будет скрыт:\nНикогда: Вы всегда будете видеть курсор.\nПри бездействии: Установите время, через которое курсор будет скрыт при бездействии.\nВсегда: Курсор всегда будет скрыт. + + + idleTimeoutGroupBox + Время скрытия курсора при бездействии:\nУстановите время, через которое курсор исчезнет при бездействии. + + + backButtonBehaviorGroupBox + Поведение кнопки «Назад»:\nНастраивает кнопку «Назад» контроллера на эмуляцию нажатия на указанную область на сенсорной панели контроллера PS4. + + + enableCompatibilityCheckBox + Показывать данные совместимости:\nПоказывает информацию о совместимости игр в таблице. Включите «Обновлять базу совместимости при запуске» для получения актуальной информации. + + + checkCompatibilityOnStartupCheckBox + Обновлять базу совместимости при запуске:\nАвтоматически обновлять базу данных совместимости при запуске shadPS4. + + + updateCompatibilityButton + Обновить базу совместимости:\nНемедленно обновить базу данных совместимости. + + + Never + Никогда + + + Idle + При бездействии + + + Always + Всегда + + + Touchpad Left + Тачпад слева + + + Touchpad Right + Тачпад справа + + + Touchpad Center + Центр тачпада + + + None + Нет + + + graphicsAdapterGroupBox + Графическое устройство:\nВ системах с несколькими GPU выберите тот, который будет использовать эмулятор.\nВыберите "Автовыбор", чтобы определить GPU автоматически. + + + resolutionLayout + Ширина/Высота:\nУстановите размер окна эмулятора при запуске, который может быть изменен во время игры.\nЭто отличается от разрешения в игре. + + + heightDivider + Делитель Vblank:\nЧастота кадров, с которой обновляется эмулятор, умножается на это число. Изменение этого параметра может иметь негативные последствия, такие как увеличение скорости игры или нарушение критических функций игры, которые этого не ожидают! + + + dumpShadersCheckBox + Включить дамп шейдеров:\nДля технической отладки сохраняет шейдеры игр в папку во время рендеринга. + + + nullGpuCheckBox + Включить NULL GPU:\nДля технической отладки отключает рендеринг игры так, как будто графической карты нет. + + + gameFoldersBox + Игровые папки:\nСписок папок для проверки установленных игр. + + + addFolderButton + Добавить:\nДобавить папку в список. + + + removeFolderButton + Удалить:\nУдалить папку из списка. + + + debugDump + Включить отладочные дампы:\nСохраняет символы импорта, экспорта и информацию о заголовке файла текущей исполняемой программы PS4 в папку. + + + vkValidationCheckBox + Включить слои валидации Vulkan:\nВключает систему, которая проверяет состояние рендерера Vulkan и логирует информацию о его внутреннем состоянии. Это снизит производительность и, вероятно, изменит поведение эмуляции. + + + vkSyncValidationCheckBox + Включить валидацию синхронизации Vulkan:\nВключает систему, которая проверяет тайминг задач рендеринга Vulkan. Это снизит производительность и, вероятно, изменит поведение эмуляции. + + + rdocCheckBox + Включить отладку RenderDoc:\nЕсли включено, эмулятор обеспечит совместимость с RenderDoc, позволяя захватывать и анализировать текущие кадры во время рендеринга. + + + collectShaderCheckBox + Собирать шейдеры:\nВам необходимо включить эту функцию для редактирования шейдеров с помощью меню отладки (Ctrl + F10). + + + crashDiagnosticsCheckBox + Диагностика сбоев:\nСоздает .yaml файл с информацией о состоянии Vulkan в момент падения.\nПолезно для отладки ошибок 'Device lost'. Если эта функция включена, вам следует включить Маркеры отладки хоста и Гостя.\nНе работает на видеокартах Intel.\nДля работы вам необходимо включить Слои валидации Vulkan и установить Vulkan SDK. + + + copyGPUBuffersCheckBox + Копировать буферы GPU:\nПозволяет обойти состояния гонки, связанные с отправками GPU.\nМожет помочь или не помочь при сбоях PM4 типа 0. + + + hostMarkersCheckBox + Маркеры отладки хоста:\nДобавляет информацию на стороне эмулятора, например маркеры для определенных команд AMDGPU, вокруг команд Vulkan, а также присваивает ресурсам отладочные имена.\nЕсли эта функция включена, вам следует включить Диагностику сбоев.\nПолезно для таких программ, как RenderDoc. + + + guestMarkersCheckBox + Маркеры отладки гостя:\nДобавляет любые отладочные маркеры, добавленные самой игрой, в буфер команд.\nЕсли эта функция включена, вам следует включить Диагностику сбоев.\nПолезно для таких программ, как RenderDoc. + + + saveDataBox + Путь сохранений:\nПапка, в которой будут храниться сохранения игр. + + + browseButton + Обзор:\nНайдите папку, которую можно указать в качестве пути для сохранений. + + + Borderless + Без полей + + + True + Истинный + + + Release + Release + + + Nightly + Nightly + + + Set the volume of the background music. + Установите громкость фоновой музыки. + + + Enable Motion Controls + Включить управление движением + + + Save Data Path + Путь сохранений + + + Browse + Обзор + + + async + асинхронный + + + sync + синхронный + + + Directory to install games + Каталог для установки игр + + + Directory to save data + Каталог для сохранений + + + Auto Select + Автовыбор + + + Enable HDR + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + + TrophyViewer + + Trophy Viewer + Просмотр трофеев + diff --git a/src/qt_gui/translations/sq.ts b/src/qt_gui/translations/sq.ts deleted file mode 100644 index 20cce6f7d..000000000 --- a/src/qt_gui/translations/sq.ts +++ /dev/null @@ -1,1507 +0,0 @@ - - - - - - AboutDialog - - About shadPS4 - Rreth shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 është një emulator eksperimental me burim të hapur për PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Ky program nuk duhet përdorur për të luajtur lojëra që nuk ke marrë ligjërisht. - - - - ElfViewer - - Open Folder - Hap Dosjen - - - - GameInfoClass - - Loading game list, please wait :3 - Po ngarkohet lista e lojërave, të lutem prit :3 - - - Cancel - Anulo - - - Loading... - Duke ngarkuar... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Përzgjidh dosjen - - - Select which directory you want to install to. - Përzgjidh në cilën dosje do që të instalosh. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Përzgjidh dosjen - - - Directory to install games - Dosja ku do instalohen lojërat - - - Browse - Shfleto - - - Error - Gabim - - - The value for location to install games is not valid. - Vlera për vendndodhjen e instalimit të lojërave nuk është e vlefshme. - - - - GuiContextMenus - - Create Shortcut - Krijo Shkurtore - - - Cheats / Patches - Mashtrime / Arna - - - SFO Viewer - Shikuesi i SFO - - - Trophy Viewer - Shikuesi i Trofeve - - - Open Folder... - Hap Dosjen... - - - Open Game Folder - Hap Dosjen e Lojës - - - Open Save Data Folder - Hap Dosjen e të Dhënave të Ruajtura - - - Open Log Folder - Hap Dosjen e Ditarit - - - Copy info... - Kopjo informacionin... - - - Copy Name - Kopjo Emrin - - - Copy Serial - Kopjo Serikun - - - Copy Version - Kopjo Versionin - - - Copy Size - Kopjo Madhësinë - - - Copy All - Kopjo të Gjitha - - - Delete... - Fshi... - - - Delete Game - Fshi lojën - - - Delete Update - Fshi përditësimin - - - Delete DLC - Fshi DLC-në - - - Compatibility... - Përputhshmëria... - - - Update database - Përditëso bazën e të dhënave - - - View report - Shiko raportin - - - Submit a report - Paraqit një raport - - - Shortcut creation - Krijimi i shkurtores - - - Shortcut created successfully! - Shkurtorja u krijua me sukses! - - - Error - Gabim - - - Error creating shortcut! - Gabim në krijimin e shkurtores! - - - Install PKG - Instalo PKG - - - Game - Loja - - - requiresEnableSeparateUpdateFolder_MSG - Kjo veçori kërkon cilësimin 'Aktivizo dosjen e ndarë të përditësimit' për të punuar. Në qoftë se do ta përdorësh këtë veçori, të lutem aktivizoje. - - - This game has no update to delete! - Kjo lojë nuk ka përditësim për të fshirë! - - - Update - Përditësim - - - This game has no DLC to delete! - Kjo lojë nuk ka DLC për të fshirë! - - - DLC - DLC - - - Delete %1 - Fshi %1 - - - Are you sure you want to delete %1's %2 directory? - Je i sigurt që do të fsish dosjen %2 të %1? - - - - MainWindow - - Open/Add Elf Folder - Hap/Shto Dosje ELF - - - Install Packages (PKG) - Instalo Paketat (PKG) - - - Boot Game - Nis Lojën - - - Check for Updates - Kontrollo për përditësime - - - About shadPS4 - Rreth shadPS4 - - - Configure... - Konfiguro... - - - Install application from a .pkg file - Instalo aplikacionin nga një skedar .pkg - - - Recent Games - Lojërat e fundit - - - Open shadPS4 Folder - Hap dosjen e shadPS4 - - - Exit - Dil - - - Exit shadPS4 - Dil nga shadPS4 - - - Exit the application. - Dil nga aplikacioni. - - - Show Game List - Shfaq Listën e Lojërave - - - Game List Refresh - Rifresko Listën e Lojërave - - - Tiny - Të vockla - - - Small - Të vogla - - - Medium - Të mesme - - - Large - Të mëdha - - - List View - Pamja me List - - - Grid View - Pamja me Rrjetë - - - Elf Viewer - Shikuesi i ELF - - - Game Install Directory - Dosja e Instalimit të Lojës - - - Download Cheats/Patches - Shkarko Mashtrime/Arna - - - Dump Game List - Zbraz Listën e Lojërave - - - PKG Viewer - Shikuesi i PKG - - - Search... - Kërko... - - - File - Skedari - - - View - Pamja - - - Game List Icons - Ikonat e Listës së Lojërave - - - Game List Mode - Mënyra e Listës së Lojërave - - - Settings - Cilësimet - - - Utils - Shërbimet - - - Themes - Motivet - - - Help - Ndihmë - - - Dark - E errët - - - Light - E çelët - - - Green - E gjelbër - - - Blue - E kaltër - - - Violet - Vjollcë - - - toolBar - Shiriti i veglave - - - Game List - Lista e lojërave - - - * Unsupported Vulkan Version - * Version i pambështetur i Vulkan - - - Download Cheats For All Installed Games - Shkarko mashtrime për të gjitha lojërat e instaluara - - - Download Patches For All Games - Shkarko arna për të gjitha lojërat e instaluara - - - Download Complete - Shkarkimi përfundoi - - - You have downloaded cheats for all the games you have installed. - Ke shkarkuar mashtrimet për të gjitha lojërat që ke instaluar. - - - Patches Downloaded Successfully! - Arnat u shkarkuan me sukses! - - - All Patches available for all games have been downloaded. - Të gjitha arnat e ofruara për të gjitha lojërat janë shkarkuar. - - - Games: - Lojërat: - - - PKG File (*.PKG) - Skedar PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Skedarë ELF (*.bin *.elf *.oelf) - - - Game Boot - Nis Lojën - - - Only one file can be selected! - Mund të përzgjidhet vetëm një skedar! - - - PKG Extraction - Nxjerrja e PKG-së - - - Patch detected! - U zbulua një arnë! - - - PKG and Game versions match: - PKG-ja dhe versioni i Lojës përputhen: - - - Would you like to overwrite? - Dëshiron të mbishkruash? - - - PKG Version %1 is older than installed version: - Versioni %1 i PKG-së është më i vjetër se versioni i instaluar: - - - Game is installed: - Loja është instaluar: - - - Would you like to install Patch: - Dëshiron të instalosh Arnën: - - - DLC Installation - Instalimi i DLC-ve - - - Would you like to install DLC: %1? - Dëshiron të instalosh DLC-në: %1? - - - DLC already installed: - DLC-ja është instaluar tashmë: - - - Game already installed - Loja është instaluar tashmë - - - PKG is a patch, please install the game first! - PKG-ja është një arnë, të lutem instalo lojën fillimisht! - - - PKG ERROR - GABIM PKG - - - Extracting PKG %1/%2 - Po nxirret PKG-ja %1/%2 - - - Extraction Finished - Nxjerrja Përfundoi - - - Game successfully installed at %1 - Loja u instalua me sukses në %1 - - - File doesn't appear to be a valid PKG file - Skedari nuk duket si skedar PKG i vlefshëm - - - - PKGViewer - - Open Folder - Hap Dosjen - - - - TrophyViewer - - Trophy Viewer - Shikuesi i Trofeve - - - - SettingsDialog - - Settings - Cilësimet - - - General - Të përgjithshme - - - System - Sistemi - - - Console Language - Gjuha e Konsolës - - - Emulator Language - Gjuha e emulatorit - - - Emulator - Emulatori - - - Enable Fullscreen - Aktivizo Ekranin e plotë - - - Fullscreen Mode - Mënyra me ekran të plotë - - - Enable Separate Update Folder - Aktivizo dosjen e ndarë të përditësimit - - - Default tab when opening settings - Skeda e parazgjedhur kur hapen cilësimet - - - Show Game Size In List - Shfaq madhësinë e lojës në listë - - - Show Splash - Shfaq Pamjen e nisjes - - - Is PS4 Pro - Mënyra PS4 Pro - - - Enable Discord Rich Presence - Aktivizo Discord Rich Presence - - - Username - Përdoruesi - - - Trophy Key - Çelësi i Trofeve - - - Trophy - Trofeu - - - Logger - Regjistruesi i ditarit - - - Log Type - Lloji i Ditarit - - - Log Filter - Filtri i Ditarit - - - Open Log Location - Hap vendndodhjen e Ditarit - - - Input - Hyrja - - - Cursor - Kursori - - - Hide Cursor - Fshih kursorin - - - Hide Cursor Idle Timeout - Koha për fshehjen e kursorit joaktiv - - - s - s - - - Controller - Dorezë - - - Back Button Behavior - Sjellja e butonit mbrapa - - - Graphics - Grafika - - - GUI - Ndërfaqja - - - User - Përdoruesi - - - Graphics Device - Pajisja e Grafikës - - - Width - Gjerësia - - - Height - Lartësia - - - Vblank Divider - Ndarës Vblank - - - Advanced - Të përparuara - - - Enable Shaders Dumping - Aktivizo Zbrazjen e Shaders-ave - - - Enable NULL GPU - Aktivizo GPU-në NULL - - - Paths - Shtigjet - - - Game Folders - Dosjet e lojës - - - Add... - Shto... - - - Remove - Hiq - - - Debug - Korrigjim - - - Enable Debug Dumping - Aktivizo Zbrazjen për Korrigjim - - - Enable Vulkan Validation Layers - Aktivizo Shtresat e Vlefshmërisë Vulkan - - - Enable Vulkan Synchronization Validation - Aktivizo Vërtetimin e Sinkronizimit Vulkan - - - Enable RenderDoc Debugging - Aktivizo Korrigjimin RenderDoc - - - Enable Crash Diagnostics - Aktivizo Diagnozën e Rënies - - - Collect Shaders - Mblidh Shader-at - - - Copy GPU Buffers - Kopjo buffer-ët e GPU-së - - - Host Debug Markers - Shënjuesit e korrigjimit të host-it - - - Guest Debug Markers - Shënjuesit e korrigjimit të guest-it - - - Update - Përditëso - - - Check for Updates at Startup - Kontrollo për përditësime në nisje - - - Always Show Changelog - Shfaq gjithmonë regjistrin e ndryshimeve - - - Update Channel - Kanali i përditësimit - - - Check for Updates - Kontrollo për përditësime - - - GUI Settings - Cilësimet e GUI-së - - - Title Music - Muzika e titullit - - - Disable Trophy Pop-ups - Çaktivizo njoftimet për Trofetë - - - Background Image - Imazhi i sfondit - - - Show Background Image - Shfaq imazhin e sfondit - - - Opacity - Tejdukshmëria - - - Play title music - Luaj muzikën e titullit - - - Update Compatibility Database On Startup - Përditëso bazën e të dhënave të përputhshmërisë gjatë nisjes - - - Game Compatibility - Përputhshmëria e lojës - - - Display Compatibility Data - Shfaq të dhënat e përputhshmërisë - - - Update Compatibility Database - Përditëso bazën e të dhënave të përputhshmërisë - - - Volume - Vëllimi i zërit - - - Audio Backend - Audio Backend - - - Save - Ruaj - - - Apply - Zbato - - - Restore Defaults - Rikthe paracaktimet - - - Close - Mbyll - - - Point your mouse at an option to display its description. - Vendos miun mbi një rregullim për të shfaqur përshkrimin e tij. - - - consoleLanguageGroupBox - Gjuha e konsolës:\nPërcakton gjuhën që përdor loja PS4.\nKëshillohet të caktosh një gjuhë që loja mbështet, e cila do të ndryshojë sipas rajonit. - - - emulatorLanguageGroupBox - Gjuha e emulatorit:\nPërcakton gjuhën e ndërfaqes së përdoruesit të emulatorit. - - - fullscreenCheckBox - Aktivizo ekranin e plotë:\nVendos automatikisht dritaren e lojës në mënyrën e ekranit të plotë.\nKjo mund të aktivizohet duke shtypur tastin F11. - - - separateUpdatesCheckBox - Aktivizo dosjen e ndarë të përditësimit:\nAktivizon instalimin e përditësimeve të lojërave në dosje të veçanta për menaxhim më të lehtë.\nKjo mund të krijohet manualisht duke shtuar përditësimin e shpaketuar në dosjen e lojës me emrin "CUSA00000-UPDATE" ku ID-ja CUSA përputhet me ID-në e lojës. - - - showSplashCheckBox - Shfaq ekranin e ngarkesës:\nShfaq ekranin e ngarkesës së lojës (një pamje e veçantë) gjatë fillimit të lojës. - - - ps4proCheckBox - Është PS4 Pro:\nBën që emulatori të veprojë si një PS4 PRO, gjë që mund të aktivizojë veçori të veçanta në lojrat që e mbështesin. - - - discordRPCCheckbox - Aktivizo Discord Rich Presence:\nShfaq ikonën e emulatorit dhe informacionin përkatës në profilin tënd në Discord. - - - userName - Përdoruesi:\nPërcakton emrin e përdoruesit të llogarisë PS4, i cili mund të shfaqet nga disa lojra. - - - TrophyKey - Çelësi i Trofeve:\nÇelësi përdoret për të deshifruar trofetë. Duhet të merret nga konsola jote me jailbreak.\nDuhet të përmbajë vetëm karaktere hex. - - - logTypeGroupBox - Lloji i ditarit:\nPërcakton nëse të sinkronizohet dalja e dritares së ditarit për performancë. Mund të ketë efekte të këqija në emulim. - - - logFilter - Filtri i ditarit:\nFiltron ditarin për të shfaqur vetëm informacione specifike.\nShembuj: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Nivelet: Trace, Debug, Info, Warning, Error, Critical - në këtë rend, një nivel specifik hesht të gjitha nivelet përpara në listë dhe regjistron çdo nivel pas atij. - - - updaterGroupBox - Përditësimi:\nRelease: Versionet zyrtare të lëshuara çdo muaj që mund të jenë shumë të vjetra, por janë më të besueshme dhe të provuara.\nNightly: Versionet e zhvillimit që kanë të gjitha veçoritë dhe rregullimet më të fundit, por mund të përmbajnë gabime dhe janë më pak të qëndrueshme. - - - GUIBackgroundImageGroupBox - Imazhi i Sfondit:\nKontrollo tejdukshmërinë e imazhit të sfondit të lojës. - - - GUIMusicGroupBox - Luaj muzikën e titullit:\nNëse një lojë e mbështet, aktivizohet luajtja e muzikës të veçantë kur të zgjidhësh lojën në ndërfaqe. - - - disableTrophycheckBox - Çaktivizo njoftimet për Trofetë:\nÇaktivizo njoftimet për trofetë gjatë lojës. Përparimi i trofeve mund të ndiqet duke përdorur Shikuesin e Trofeve (kliko me të djathtën mbi lojën në dritaren kryesore). - - - hideCursorGroupBox - Fsheh kursorin:\nZgjidh kur do të fshihet kursori:\nKurrë: Do ta shohësh gjithmonë miun.\nJoaktiv: Vendos një kohë për ta fshehur pas mosveprimit.\nGjithmonë: nuk do ta shohësh kurrë miun. - - - idleTimeoutGroupBox - Koha për fshehjen e kursorit joaktiv:\nKohëzgjatja (në sekonda) pas së cilës kursori që nuk ka qënë në veprim fshihet. - - - backButtonBehaviorGroupBox - Sjellja e butonit mbrapa:\nLejon të përcaktohet se në cilën pjesë të tastierës prekëse do të imitojë një prekje butoni mprapa. - - - enableCompatibilityCheckBox - Shfaq të dhënat e përputhshmërisë:\nShfaq informacionin e përputhshmërisë së lojës në formë tabele. Aktivizo 'Përditëso përputhshmërinë gjatë nisjes' për të marrë informacion të përditësuar. - - - checkCompatibilityOnStartupCheckBox - Përditëso përputhshmërinë gjatë nisjes:\nPërditëson automatikisht bazën e të dhënave të përputhshmërisë kur shadPS4 niset. - - - updateCompatibilityButton - Përditëso bazën e të dhënave të përputhshmërisë:\nPërditëso menjëherë bazën e të dhënave të përputhshmërisë. - - - Never - Kurrë - - - Idle - Joaktiv - - - Always - Gjithmonë - - - Touchpad Left - Tastiera prekëse majtas - - - Touchpad Right - Tastiera prekëse djathtas - - - Touchpad Center - Tastiera prekëse në qendër - - - None - Asnjë - - - graphicsAdapterGroupBox - Pajisja grafike:\nNë sistemet me GPU të shumëfishta, zgjidh GPU-në që do të përdorë emulatori nga lista rënëse,\nose zgjidh "Auto Select" për ta përcaktuar automatikisht. - - - resolutionLayout - Gjerësia/Lartësia:\nPërcakton madhësinë e dritares së emulatorit në nisje, e cila mund të rregullohet gjatë lojës.\nKjo është ndryshe nga rezolucioni në lojë. - - - heightDivider - Ndarësi Vblank:\nFrekuenca pamore me të cilën rifreskohet emulatori shumëzohet me këtë numër. Ndryshimi i këtij mund të ketë efekte të këqija, si rritja e shpejtësisë së lojës ose prishja e punimit thelbësor të lojës që nuk e pret këtë ndryshim! - - - dumpShadersCheckBox - Aktivizo zbrazjen e shaders-ave:\nPër qëllime të korrigjimit teknik, ruan shaders-at e lojës në një dosje ndërsa ato pasqyrohen. - - - nullGpuCheckBox - Aktivizo GPU-në Null:\nPër qëllime të korrigjimit teknik, çaktivizon pasqyrimin e lojës sikur nuk ka një kartë grafike. - - - gameFoldersBox - Dosjet e lojërave:\nLista e dosjeve për të kontrolluar lojërat e instaluara. - - - addFolderButton - Shto:\nShto një dosje në listë. - - - removeFolderButton - Hiq:\nHiq një dosje nga lista. - - - debugDump - Aktivizo zbrazjen për korrigjim:\nRuan simbolet e importit dhe eksportit dhe informacionin e kreut të skedarit për aplikacionin PS4 që po ekzekutohet në një dosje. - - - vkValidationCheckBox - Aktivizo shtresat e vlefshmërisë Vulkan:\nAktivizon një sistem që vërteton gjendjen e pasqyruesit Vulkan dhe regjistron informacionin në lidhje me gjendjen e tij të brendshme. Kjo do të ul performancën dhe ndoshta do të ndryshojë sjelljen e emulimit. - - - vkSyncValidationCheckBox - Aktivizo vërtetimin e sinkronizimit Vulkan:\nAktivizon një sistem që vërteton kohën e detyrave të pasqyrimit Vulkan. Kjo do të ul performancën dhe ndoshta do të ndryshojë sjelljen e emulimit. - - - rdocCheckBox - Aktivizo korrigjimin RenderDoc:\nNëse aktivizohet, emulatori do të ofrojë pajtueshmëri me Renderdoc për të lejuar kapjen dhe analizën e pamjes të pasqyruar në moment. - - - collectShaderCheckBox - Mblidh Shader-at:\nDuhet ta aktivizosh këtë për të redaktuar shader-at me menynë e korrigjimit (Ctrl + F10). - - - crashDiagnosticsCheckBox - Diagnoza e rënies:\nKrijon një skedar .yaml me informacion rreth gjendjes së Vulkan-it në momentin e rënies.\nE dobishme për zgjidhjen e gabimeve 'Device lost'. Nëse e ke aktivizuar këtë, duhet të aktivizosh Shënjuesit e korrigjimit të host-it DHE të guest-it.\nNuk punon me GPU-t Intel.\nDuhet të kesh aktivizuar Shtresat e Vlefshmërisë Vulkan dhe Vulkan SDK që kjo të punojë. - - - copyGPUBuffersCheckBox - Kopjo buffer-ët e GPU-së:\nShmang kushtet e garës (race conditions) që lidhen me dërgimet e GPU-së.\nMund të ndihmojë, ose jo, në rast rëniesh të llojit PM4 0. - - - hostMarkersCheckBox - Shënjuesit e korrigjimit të host-it:\nShton informacion nga ana e emulatorit, si shënjues për komandat specifike AMDGPU rreth komandave Vulkan, si dhe jep burimeve emra korrigjimi.\nNëse e ke aktivizuar këtë, duhet të aktivizosh diagnozën e rënieve.\nE dobishme për programe si RenderDoc. - - - guestMarkersCheckBox - Shënjuesit e korrigjimit të guest-it:\nShton çdo shënjues për korrigjim që loja vetë ka shtuar në buffer-in e komandave.\nNëse e ke aktivizuar këtë, duhet të aktivizosh diagnozën e rënieve.\nE dobishme për programe si RenderDoc. - - - saveDataBox - Shtegu i Ruajtjes së të Dhënave:\nDosja ku do të ruhen të dhënat e ruajtjes së lojës. - - - browseButton - Shfleto:\nShfleto për të vendosur një dosje si shteg të ruajtjes së të dhënave. - - - - CheatsPatches - - Cheats / Patches for - Mashtrime / Arna për - - - defaultTextEdit_MSG - Mashtrimet/Arnat janë eksperimentale.\nPërdori me kujdes.\n\nShkarko mashtrimet individualisht duke zgjedhur depon dhe duke klikuar butonin e shkarkimit.\nNë skedën Arna, mund t'i shkarkosh të gjitha arnat menjëherë, të zgjidhësh cilat dëshiron të përdorësh dhe të ruash zgjedhjen tënde.\n\nMeqenëse ne nuk zhvillojmë Mashtrimet/Arnat,\ntë lutem raporto problemet te autori i mashtrimit.\n\nKe krijuar një mashtrim të ri? Vizito:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Nuk ofrohet asnjë imazh - - - Serial: - Seriku: - - - Version: - Versioni: - - - Size: - Madhësia: - - - Select Cheat File: - Përzgjidh Skedarin e Mashtrimit: - - - Repository: - Depo: - - - Download Cheats - Shkarko Mashtrimet - - - Delete File - Fshi Skedarin - - - No files selected. - Nuk u zgjodh asnjë skedar. - - - You can delete the cheats you don't want after downloading them. - Mund t'i fshish mashtrimet që nuk dëshiron pasi t'i kesh shkarkuar. - - - Do you want to delete the selected file?\n%1 - Dëshiron të fshish skedarin e përzgjedhur?\n%1 - - - Select Patch File: - Përzgjidh Skedarin e Arnës: - - - Download Patches - Shkarko Arnat - - - Save - Ruaj - - - Cheats - Mashtrime - - - Patches - Arna - - - Error - Gabim - - - No patch selected. - Asnjë arnë e përzgjedhur. - - - Unable to open files.json for reading. - files.json nuk mund të hapet për lexim. - - - No patch file found for the current serial. - Nuk u gjet asnjë skedar patch për serikun aktual. - - - Unable to open the file for reading. - Skedari nuk mund të hapet për lexim. - - - Unable to open the file for writing. - Skedari nuk mund të hapet për shkrim. - - - Failed to parse XML: - Analiza e XML-së dështoi: - - - Success - Sukses - - - Options saved successfully. - Rregullimet u ruajtën me sukses. - - - Invalid Source - Burim i pavlefshëm - - - The selected source is invalid. - Burimi i përzgjedhur është i pavlefshëm. - - - File Exists - Skedari Ekziston - - - File already exists. Do you want to replace it? - Skedari ekziston tashmë. Dëshiron ta zëvendësosh? - - - Failed to save file: - Ruajtja e skedarit dështoi: - - - Failed to download file: - Shkarkimi i skedarit dështoi: - - - Cheats Not Found - Mashtrimet nuk u gjetën - - - CheatsNotFound_MSG - Nuk u gjetën mashtrime për këtë lojë në këtë version të depove të përzgjedhura, provo një depo tjetër ose një version tjetër të lojës. - - - Cheats Downloaded Successfully - Mashtrimet u shkarkuan me sukses - - - CheatsDownloadedSuccessfully_MSG - Ke shkarkuar me sukses mashtrimet për këtë version të lojës nga depoja e përzgjedhur. Mund të provosh të shkarkosh nga një depo tjetër, nëse ofrohet do të jetë e mundur gjithashtu ta përdorësh duke përzgjedhur skedarin nga lista. - - - Failed to save: - Ruajtja dështoi: - - - Failed to download: - Shkarkimi dështoi: - - - Download Complete - Shkarkimi përfundoi - - - DownloadComplete_MSG - Arnat u shkarkuan me sukses! Të gjitha arnat e ofruara për të gjitha lojërat janë shkarkuar, nuk ka nevojë t'i shkarkosh ato individualisht për secilën lojë siç ndodh me Mashtrimet. Nëse arna nuk shfaqet, mund të mos ekzistojë për numrin e serikut dhe versionin specifik të lojës. - - - Failed to parse JSON data from HTML. - Analiza e të dhënave JSON nga HTML dështoi. - - - Failed to retrieve HTML page. - Gjetja e faqes HTML dështoi. - - - The game is in version: %1 - Loja është në versionin: %1 - - - The downloaded patch only works on version: %1 - Arna e shkarkuar funksionon vetëm në versionin: %1 - - - You may need to update your game. - Mund të duhet të përditësosh lojën tënde. - - - Incompatibility Notice - Njoftim për mospërputhje - - - Failed to open file: - Hapja e skedarit dështoi: - - - XML ERROR: - GABIM XML: - - - Failed to open files.json for writing - Hapja e files.json për shkrim dështoi - - - Author: - Autori: - - - Directory does not exist: - Dosja nuk ekziston: - - - Failed to open files.json for reading. - Hapja e files.json për lexim dështoi. - - - Name: - Emri: - - - Can't apply cheats before the game is started - Nuk mund të zbatohen mashtrime para fillimit të lojës. - - - - GameListFrame - - Icon - Ikona - - - Name - Emri - - - Serial - Seriku - - - Compatibility - Përputhshmëria - - - Region - Rajoni - - - Firmware - Firmueri - - - Size - Madhësia - - - Version - Versioni - - - Path - Shtegu - - - Play Time - Koha e luajtjes - - - Never Played - Nuk është luajtur kurrë - - - h - o - - - m - m - - - s - s - - - Compatibility is untested - Përputhshmëria nuk është e testuar - - - Game does not initialize properly / crashes the emulator - Loja nuk niset siç duhet / rrëzon emulatorin - - - Game boots, but only displays a blank screen - Loja niset, por shfaq vetëm një ekran të zbrazët - - - Game displays an image but does not go past the menu - Loja shfaq një imazh, por nuk kalon përtej menysë - - - Game has game-breaking glitches or unplayable performance - Loja ka probleme kritike ose performancë të papërshtatshme për lojë - - - Game can be completed with playable performance and no major glitches - Loja mund të përfundohet me performancë të luajtshme dhe pa probleme të mëdha - - - Click to see details on github - Kliko për të parë detajet në GitHub - - - Last updated - Përditësuar për herë të fundit - - - - CheckUpdate - - Auto Updater - Përditësues automatik - - - Error - Gabim - - - Network error: - Gabim rrjeti: - - - Error_Github_limit_MSG - Përditësuesi Automatik lejon deri në 60 kontrolle për përditësime në orë.\nKe arritur këtë kufi. Të lutem provo përsëri më vonë. - - - Failed to parse update information. - Analizimi i informacionit të përditësimit deshtoi. - - - No pre-releases found. - Nuk u gjetën botime paraprake. - - - Invalid release data. - Të dhënat e lëshimit janë të pavlefshme. - - - No download URL found for the specified asset. - Nuk u gjet URL-ja e shkarkimit për burimin e specifikuar. - - - Your version is already up to date! - Versioni jotë është i përditësuar tashmë! - - - Update Available - Ofrohet një përditësim - - - Update Channel - Kanali i përditësimit - - - Current Version - Versioni i tanishëm - - - Latest Version - Versioni më i fundit - - - Do you want to update? - Do të përditësosh? - - - Show Changelog - Trego ndryshimet - - - Check for Updates at Startup - Kontrollo për përditësime në nisje - - - Update - Përditëso - - - No - Jo - - - Hide Changelog - Fshih ndryshimet - - - Changes - Ndryshimet - - - Network error occurred while trying to access the URL - Ka ndodhur një gabim rrjeti gjatë përpjekjes për të qasur në URL-në - - - Download Complete - Shkarkimi përfundoi - - - The update has been downloaded, press OK to install. - Përditësimi është shkarkuar, shtyp OK për ta instaluar. - - - Failed to save the update file at - Dështoi ruajtja e skedarit të përditësimit në - - - Starting Update... - Po fillon përditësimi... - - - Failed to create the update script file - Krijimi i skedarit skript të përditësimit dështoi - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Duke marrë të dhënat e përputhshmërisë, të lutem prit - - - Cancel - Anulo - - - Loading... - Po ngarkohet... - - - Error - Gabim - - - Unable to update compatibility data! Try again later. - Nuk mund të përditësohen të dhënat e përputhshmërisë! Provo përsëri më vonë. - - - Unable to open compatibility_data.json for writing. - Nuk mund të hapet compatibility_data.json për të shkruar. - - - Unknown - E panjohur - - - Nothing - Asgjë - - - Boots - Niset - - - Menus - Meny - - - Ingame - Në lojë - - - Playable - E luajtshme - - - diff --git a/src/qt_gui/translations/sq_AL.ts b/src/qt_gui/translations/sq_AL.ts new file mode 100644 index 000000000..ebd67452f --- /dev/null +++ b/src/qt_gui/translations/sq_AL.ts @@ -0,0 +1,1790 @@ + + + + + + AboutDialog + + About shadPS4 + Rreth shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 është një emulator eksperimental me burim të hapur për PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Ky program nuk duhet përdorur për të luajtur lojëra që nuk ke marrë ligjërisht. + + + + CheatsPatches + + Cheats / Patches for + Mashtrime / Arna për + + + defaultTextEdit_MSG + Mashtrimet/Arnat janë eksperimentale.\nPërdori me kujdes.\n\nShkarko mashtrimet individualisht duke zgjedhur depon dhe duke klikuar butonin e shkarkimit.\nNë skedën Arna, mund t'i shkarkosh të gjitha arnat menjëherë, të zgjidhësh cilat dëshiron të përdorësh dhe të ruash zgjedhjen tënde.\n\nMeqenëse ne nuk zhvillojmë Mashtrimet/Arnat,\ntë lutem raporto problemet te autori i mashtrimit.\n\nKe krijuar një mashtrim të ri? Vizito:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Nuk ofrohet asnjë imazh + + + Serial: + Seriku: + + + Version: + Versioni: + + + Size: + Madhësia: + + + Select Cheat File: + Përzgjidh Skedarin e Mashtrimit: + + + Repository: + Depo: + + + Download Cheats + Shkarko Mashtrimet + + + Delete File + Fshi Skedarin + + + No files selected. + Nuk u zgjodh asnjë skedar. + + + You can delete the cheats you don't want after downloading them. + Mund t'i fshish mashtrimet që nuk dëshiron pasi t'i kesh shkarkuar. + + + Do you want to delete the selected file?\n%1 + Dëshiron të fshish skedarin e përzgjedhur?\n%1 + + + Select Patch File: + Përzgjidh Skedarin e Arnës: + + + Download Patches + Shkarko Arnat + + + Save + Ruaj + + + Cheats + Mashtrime + + + Patches + Arna + + + Error + Gabim + + + No patch selected. + Asnjë arnë e përzgjedhur. + + + Unable to open files.json for reading. + files.json nuk mund të hapet për lexim. + + + No patch file found for the current serial. + Nuk u gjet asnjë skedar patch për serikun aktual. + + + Unable to open the file for reading. + Skedari nuk mund të hapet për lexim. + + + Unable to open the file for writing. + Skedari nuk mund të hapet për shkrim. + + + Failed to parse XML: + Analiza e XML-së dështoi: + + + Success + Sukses + + + Options saved successfully. + Rregullimet u ruajtën me sukses. + + + Invalid Source + Burim i pavlefshëm + + + The selected source is invalid. + Burimi i përzgjedhur është i pavlefshëm. + + + File Exists + Skedari Ekziston + + + File already exists. Do you want to replace it? + Skedari ekziston tashmë. Dëshiron ta zëvendësosh? + + + Failed to save file: + Ruajtja e skedarit dështoi: + + + Failed to download file: + Shkarkimi i skedarit dështoi: + + + Cheats Not Found + Mashtrimet nuk u gjetën + + + CheatsNotFound_MSG + Nuk u gjetën mashtrime për këtë lojë në këtë version të depove të përzgjedhura, provo një depo tjetër ose një version tjetër të lojës. + + + Cheats Downloaded Successfully + Mashtrimet u shkarkuan me sukses + + + CheatsDownloadedSuccessfully_MSG + Ke shkarkuar me sukses mashtrimet për këtë version të lojës nga depoja e përzgjedhur. Mund të provosh të shkarkosh nga një depo tjetër, nëse ofrohet do të jetë e mundur gjithashtu ta përdorësh duke përzgjedhur skedarin nga lista. + + + Failed to save: + Ruajtja dështoi: + + + Failed to download: + Shkarkimi dështoi: + + + Download Complete + Shkarkimi përfundoi + + + DownloadComplete_MSG + Arnat u shkarkuan me sukses! Të gjitha arnat e ofruara për të gjitha lojërat janë shkarkuar, nuk ka nevojë t'i shkarkosh ato individualisht për secilën lojë siç ndodh me Mashtrimet. Nëse arna nuk shfaqet, mund të mos ekzistojë për numrin e serikut dhe versionin specifik të lojës. + + + Failed to parse JSON data from HTML. + Analiza e të dhënave JSON nga HTML dështoi. + + + Failed to retrieve HTML page. + Gjetja e faqes HTML dështoi. + + + The game is in version: %1 + Loja është në versionin: %1 + + + The downloaded patch only works on version: %1 + Arna e shkarkuar funksionon vetëm në versionin: %1 + + + You may need to update your game. + Mund të duhet të përditësosh lojën tënde. + + + Incompatibility Notice + Njoftim për mospërputhje + + + Failed to open file: + Hapja e skedarit dështoi: + + + XML ERROR: + GABIM XML: + + + Failed to open files.json for writing + Hapja e files.json për shkrim dështoi + + + Author: + Autori: + + + Directory does not exist: + Dosja nuk ekziston: + + + Failed to open files.json for reading. + Hapja e files.json për lexim dështoi. + + + Name: + Emri: + + + Can't apply cheats before the game is started + Nuk mund të zbatohen mashtrime para fillimit të lojës. + + + Close + Mbyll + + + + CheckUpdate + + Auto Updater + Përditësues automatik + + + Error + Gabim + + + Network error: + Gabim rrjeti: + + + Error_Github_limit_MSG + Përditësuesi Automatik lejon deri në 60 kontrolle për përditësime në orë.\nKe arritur këtë kufi. Të lutem provo përsëri më vonë. + + + Failed to parse update information. + Analizimi i informacionit të përditësimit deshtoi. + + + No pre-releases found. + Nuk u gjetën botime paraprake. + + + Invalid release data. + Të dhënat e lëshimit janë të pavlefshme. + + + No download URL found for the specified asset. + Nuk u gjet URL-ja e shkarkimit për burimin e specifikuar. + + + Your version is already up to date! + Versioni jotë është i përditësuar tashmë! + + + Update Available + Ofrohet një përditësim + + + Update Channel + Kanali i përditësimit + + + Current Version + Versioni i tanishëm + + + Latest Version + Versioni më i fundit + + + Do you want to update? + Do të përditësosh? + + + Show Changelog + Trego ndryshimet + + + Check for Updates at Startup + Kontrollo për përditësime në nisje + + + Update + Përditëso + + + No + Jo + + + Hide Changelog + Fshih ndryshimet + + + Changes + Ndryshimet + + + Network error occurred while trying to access the URL + Ka ndodhur një gabim rrjeti gjatë përpjekjes për të qasur në URL-në + + + Download Complete + Shkarkimi përfundoi + + + The update has been downloaded, press OK to install. + Përditësimi është shkarkuar, shtyp OK për ta instaluar. + + + Failed to save the update file at + Dështoi ruajtja e skedarit të përditësimit në + + + Starting Update... + Po fillon përditësimi... + + + Failed to create the update script file + Krijimi i skedarit skript të përditësimit dështoi + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Duke marrë të dhënat e përputhshmërisë, të lutem prit + + + Cancel + Anulo + + + Loading... + Po ngarkohet... + + + Error + Gabim + + + Unable to update compatibility data! Try again later. + Nuk mund të përditësohen të dhënat e përputhshmërisë! Provo përsëri më vonë. + + + Unable to open compatibility_data.json for writing. + Nuk mund të hapet compatibility_data.json për të shkruar. + + + Unknown + E panjohur + + + Nothing + Asgjë + + + Boots + Niset + + + Menus + Meny + + + Ingame + Në lojë + + + Playable + E luajtshme + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Hap Dosjen + + + + GameInfoClass + + Loading game list, please wait :3 + Po ngarkohet lista e lojërave, të lutem prit :3 + + + Cancel + Anulo + + + Loading... + Duke ngarkuar... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Përzgjidh dosjen + + + Directory to install games + Dosja ku do instalohen lojërat + + + Browse + Shfleto + + + Error + Gabim + + + Directory to install DLC + + + + + GameListFrame + + Icon + Ikona + + + Name + Emri + + + Serial + Seriku + + + Compatibility + Përputhshmëria + + + Region + Rajoni + + + Firmware + Firmueri + + + Size + Madhësia + + + Version + Versioni + + + Path + Shtegu + + + Play Time + Koha e luajtjes + + + Never Played + Nuk është luajtur kurrë + + + h + o + + + m + m + + + s + s + + + Compatibility is untested + Përputhshmëria nuk është e testuar + + + Game does not initialize properly / crashes the emulator + Loja nuk niset siç duhet / rrëzon emulatorin + + + Game boots, but only displays a blank screen + Loja niset, por shfaq vetëm një ekran të zbrazët + + + Game displays an image but does not go past the menu + Loja shfaq një imazh, por nuk kalon përtej menysë + + + Game has game-breaking glitches or unplayable performance + Loja ka probleme kritike ose performancë të papërshtatshme për lojë + + + Game can be completed with playable performance and no major glitches + Loja mund të përfundohet me performancë të luajtshme dhe pa probleme të mëdha + + + Click to see details on github + Kliko për të parë detajet në GitHub + + + Last updated + Përditësuar për herë të fundit + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Krijo Shkurtore + + + Cheats / Patches + Mashtrime / Arna + + + SFO Viewer + Shikuesi i SFO + + + Trophy Viewer + Shikuesi i Trofeve + + + Open Folder... + Hap Dosjen... + + + Open Game Folder + Hap Dosjen e Lojës + + + Open Save Data Folder + Hap Dosjen e të Dhënave të Ruajtura + + + Open Log Folder + Hap Dosjen e Ditarit + + + Copy info... + Kopjo informacionin... + + + Copy Name + Kopjo Emrin + + + Copy Serial + Kopjo Serikun + + + Copy Version + Kopjo Versionin + + + Copy Size + Kopjo Madhësinë + + + Copy All + Kopjo të Gjitha + + + Delete... + Fshi... + + + Delete Game + Fshi lojën + + + Delete Update + Fshi përditësimin + + + Delete DLC + Fshi DLC-në + + + Compatibility... + Përputhshmëria... + + + Update database + Përditëso bazën e të dhënave + + + View report + Shiko raportin + + + Submit a report + Paraqit një raport + + + Shortcut creation + Krijimi i shkurtores + + + Shortcut created successfully! + Shkurtorja u krijua me sukses! + + + Error + Gabim + + + Error creating shortcut! + Gabim në krijimin e shkurtores! + + + Install PKG + Instalo PKG + + + Game + Loja + + + This game has no update to delete! + Kjo lojë nuk ka përditësim për të fshirë! + + + Update + Përditësim + + + This game has no DLC to delete! + Kjo lojë nuk ka DLC për të fshirë! + + + DLC + DLC + + + Delete %1 + Fshi %1 + + + Are you sure you want to delete %1's %2 directory? + Je i sigurt që do të fsish dosjen %2 të %1? + + + Open Update Folder + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Përzgjidh dosjen + + + Select which directory you want to install to. + Përzgjidh në cilën dosje do që të instalosh. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Hap/Shto Dosje ELF + + + Install Packages (PKG) + Instalo Paketat (PKG) + + + Boot Game + Nis Lojën + + + Check for Updates + Kontrollo për përditësime + + + About shadPS4 + Rreth shadPS4 + + + Configure... + Konfiguro... + + + Install application from a .pkg file + Instalo aplikacionin nga një skedar .pkg + + + Recent Games + Lojërat e fundit + + + Open shadPS4 Folder + Hap dosjen e shadPS4 + + + Exit + Dil + + + Exit shadPS4 + Dil nga shadPS4 + + + Exit the application. + Dil nga aplikacioni. + + + Show Game List + Shfaq Listën e Lojërave + + + Game List Refresh + Rifresko Listën e Lojërave + + + Tiny + Të vockla + + + Small + Të vogla + + + Medium + Të mesme + + + Large + Të mëdha + + + List View + Pamja me List + + + Grid View + Pamja me Rrjetë + + + Elf Viewer + Shikuesi i ELF + + + Game Install Directory + Dosja e Instalimit të Lojës + + + Download Cheats/Patches + Shkarko Mashtrime/Arna + + + Dump Game List + Zbraz Listën e Lojërave + + + PKG Viewer + Shikuesi i PKG + + + Search... + Kërko... + + + File + Skedari + + + View + Pamja + + + Game List Icons + Ikonat e Listës së Lojërave + + + Game List Mode + Mënyra e Listës së Lojërave + + + Settings + Cilësimet + + + Utils + Shërbimet + + + Themes + Motivet + + + Help + Ndihmë + + + Dark + E errët + + + Light + E çelët + + + Green + E gjelbër + + + Blue + E kaltër + + + Violet + Vjollcë + + + toolBar + Shiriti i veglave + + + Game List + Lista e lojërave + + + * Unsupported Vulkan Version + * Version i pambështetur i Vulkan + + + Download Cheats For All Installed Games + Shkarko mashtrime për të gjitha lojërat e instaluara + + + Download Patches For All Games + Shkarko arna për të gjitha lojërat e instaluara + + + Download Complete + Shkarkimi përfundoi + + + You have downloaded cheats for all the games you have installed. + Ke shkarkuar mashtrimet për të gjitha lojërat që ke instaluar. + + + Patches Downloaded Successfully! + Arnat u shkarkuan me sukses! + + + All Patches available for all games have been downloaded. + Të gjitha arnat e ofruara për të gjitha lojërat janë shkarkuar. + + + Games: + Lojërat: + + + ELF files (*.bin *.elf *.oelf) + Skedarë ELF (*.bin *.elf *.oelf) + + + Game Boot + Nis Lojën + + + Only one file can be selected! + Mund të përzgjidhet vetëm një skedar! + + + PKG Extraction + Nxjerrja e PKG-së + + + Patch detected! + U zbulua një arnë! + + + PKG and Game versions match: + PKG-ja dhe versioni i Lojës përputhen: + + + Would you like to overwrite? + Dëshiron të mbishkruash? + + + PKG Version %1 is older than installed version: + Versioni %1 i PKG-së është më i vjetër se versioni i instaluar: + + + Game is installed: + Loja është instaluar: + + + Would you like to install Patch: + Dëshiron të instalosh Arnën: + + + DLC Installation + Instalimi i DLC-ve + + + Would you like to install DLC: %1? + Dëshiron të instalosh DLC-në: %1? + + + DLC already installed: + DLC-ja është instaluar tashmë: + + + Game already installed + Loja është instaluar tashmë + + + PKG ERROR + GABIM PKG + + + Extracting PKG %1/%2 + Po nxirret PKG-ja %1/%2 + + + Extraction Finished + Nxjerrja Përfundoi + + + Game successfully installed at %1 + Loja u instalua me sukses në %1 + + + File doesn't appear to be a valid PKG file + Skedari nuk duket si skedar PKG i vlefshëm + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Hap Dosjen + + + Name + Emri + + + Serial + Seriku + + + Installed + + + + Size + Madhësia + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Rajoni + + + Flags + + + + Path + Shtegu + + + File + Skedari + + + PKG ERROR + GABIM PKG + + + Unknown + E panjohur + + + Package + + + + + SettingsDialog + + Settings + Cilësimet + + + General + Të përgjithshme + + + System + Sistemi + + + Console Language + Gjuha e Konsolës + + + Emulator Language + Gjuha e emulatorit + + + Emulator + Emulatori + + + Enable Fullscreen + Aktivizo Ekranin e plotë + + + Fullscreen Mode + Mënyra me ekran të plotë + + + Enable Separate Update Folder + Aktivizo dosjen e ndarë të përditësimit + + + Default tab when opening settings + Skeda e parazgjedhur kur hapen cilësimet + + + Show Game Size In List + Shfaq madhësinë e lojës në listë + + + Show Splash + Shfaq Pamjen e nisjes + + + Enable Discord Rich Presence + Aktivizo Discord Rich Presence + + + Username + Përdoruesi + + + Trophy Key + Çelësi i Trofeve + + + Trophy + Trofeu + + + Logger + Regjistruesi i ditarit + + + Log Type + Lloji i Ditarit + + + Log Filter + Filtri i Ditarit + + + Open Log Location + Hap vendndodhjen e Ditarit + + + Input + Hyrja + + + Cursor + Kursori + + + Hide Cursor + Fshih kursorin + + + Hide Cursor Idle Timeout + Koha për fshehjen e kursorit joaktiv + + + s + s + + + Controller + Dorezë + + + Back Button Behavior + Sjellja e butonit mbrapa + + + Graphics + Grafika + + + GUI + Ndërfaqja + + + User + Përdoruesi + + + Graphics Device + Pajisja e Grafikës + + + Width + Gjerësia + + + Height + Lartësia + + + Vblank Divider + Ndarës Vblank + + + Advanced + Të përparuara + + + Enable Shaders Dumping + Aktivizo Zbrazjen e Shaders-ave + + + Enable NULL GPU + Aktivizo GPU-në NULL + + + Paths + Shtigjet + + + Game Folders + Dosjet e lojës + + + Add... + Shto... + + + Remove + Hiq + + + Debug + Korrigjim + + + Enable Debug Dumping + Aktivizo Zbrazjen për Korrigjim + + + Enable Vulkan Validation Layers + Aktivizo Shtresat e Vlefshmërisë Vulkan + + + Enable Vulkan Synchronization Validation + Aktivizo Vërtetimin e Sinkronizimit Vulkan + + + Enable RenderDoc Debugging + Aktivizo Korrigjimin RenderDoc + + + Enable Crash Diagnostics + Aktivizo Diagnozën e Rënies + + + Collect Shaders + Mblidh Shader-at + + + Copy GPU Buffers + Kopjo buffer-ët e GPU-së + + + Host Debug Markers + Shënjuesit e korrigjimit të host-it + + + Guest Debug Markers + Shënjuesit e korrigjimit të guest-it + + + Update + Përditëso + + + Check for Updates at Startup + Kontrollo për përditësime në nisje + + + Always Show Changelog + Shfaq gjithmonë regjistrin e ndryshimeve + + + Update Channel + Kanali i përditësimit + + + Check for Updates + Kontrollo për përditësime + + + GUI Settings + Cilësimet e GUI-së + + + Title Music + Muzika e titullit + + + Disable Trophy Pop-ups + Çaktivizo njoftimet për Trofetë + + + Background Image + Imazhi i sfondit + + + Show Background Image + Shfaq imazhin e sfondit + + + Opacity + Tejdukshmëria + + + Play title music + Luaj muzikën e titullit + + + Update Compatibility Database On Startup + Përditëso bazën e të dhënave të përputhshmërisë gjatë nisjes + + + Game Compatibility + Përputhshmëria e lojës + + + Display Compatibility Data + Shfaq të dhënat e përputhshmërisë + + + Update Compatibility Database + Përditëso bazën e të dhënave të përputhshmërisë + + + Volume + Vëllimi i zërit + + + Save + Ruaj + + + Apply + Zbato + + + Restore Defaults + Rikthe paracaktimet + + + Close + Mbyll + + + Point your mouse at an option to display its description. + Vendos miun mbi një rregullim për të shfaqur përshkrimin e tij. + + + consoleLanguageGroupBox + Gjuha e konsolës:\nPërcakton gjuhën që përdor loja PS4.\nKëshillohet të caktosh një gjuhë që loja mbështet, e cila do të ndryshojë sipas rajonit. + + + emulatorLanguageGroupBox + Gjuha e emulatorit:\nPërcakton gjuhën e ndërfaqes së përdoruesit të emulatorit. + + + fullscreenCheckBox + Aktivizo ekranin e plotë:\nVendos automatikisht dritaren e lojës në mënyrën e ekranit të plotë.\nKjo mund të aktivizohet duke shtypur tastin F11. + + + separateUpdatesCheckBox + Aktivizo dosjen e ndarë të përditësimit:\nAktivizon instalimin e përditësimeve të lojërave në dosje të veçanta për menaxhim më të lehtë.\nKjo mund të krijohet manualisht duke shtuar përditësimin e shpaketuar në dosjen e lojës me emrin "CUSA00000-UPDATE" ku ID-ja CUSA përputhet me ID-në e lojës. + + + showSplashCheckBox + Shfaq ekranin e ngarkesës:\nShfaq ekranin e ngarkesës së lojës (një pamje e veçantë) gjatë fillimit të lojës. + + + discordRPCCheckbox + Aktivizo Discord Rich Presence:\nShfaq ikonën e emulatorit dhe informacionin përkatës në profilin tënd në Discord. + + + userName + Përdoruesi:\nPërcakton emrin e përdoruesit të llogarisë PS4, i cili mund të shfaqet nga disa lojra. + + + TrophyKey + Çelësi i Trofeve:\nÇelësi përdoret për të deshifruar trofetë. Duhet të merret nga konsola jote me jailbreak.\nDuhet të përmbajë vetëm karaktere hex. + + + logTypeGroupBox + Lloji i ditarit:\nPërcakton nëse të sinkronizohet dalja e dritares së ditarit për performancë. Mund të ketë efekte të këqija në emulim. + + + logFilter + Filtri i ditarit:\nFiltron ditarin për të shfaqur vetëm informacione specifike.\nShembuj: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Nivelet: Trace, Debug, Info, Warning, Error, Critical - në këtë rend, një nivel specifik hesht të gjitha nivelet përpara në listë dhe regjistron çdo nivel pas atij. + + + updaterGroupBox + Përditësimi:\nRelease: Versionet zyrtare të lëshuara çdo muaj që mund të jenë shumë të vjetra, por janë më të besueshme dhe të provuara.\nNightly: Versionet e zhvillimit që kanë të gjitha veçoritë dhe rregullimet më të fundit, por mund të përmbajnë gabime dhe janë më pak të qëndrueshme. + + + GUIBackgroundImageGroupBox + Imazhi i Sfondit:\nKontrollo tejdukshmërinë e imazhit të sfondit të lojës. + + + GUIMusicGroupBox + Luaj muzikën e titullit:\nNëse një lojë e mbështet, aktivizohet luajtja e muzikës të veçantë kur të zgjidhësh lojën në ndërfaqe. + + + disableTrophycheckBox + Çaktivizo njoftimet për Trofetë:\nÇaktivizo njoftimet për trofetë gjatë lojës. Përparimi i trofeve mund të ndiqet duke përdorur Shikuesin e Trofeve (kliko me të djathtën mbi lojën në dritaren kryesore). + + + hideCursorGroupBox + Fsheh kursorin:\nZgjidh kur do të fshihet kursori:\nKurrë: Do ta shohësh gjithmonë miun.\nJoaktiv: Vendos një kohë për ta fshehur pas mosveprimit.\nGjithmonë: nuk do ta shohësh kurrë miun. + + + idleTimeoutGroupBox + Koha për fshehjen e kursorit joaktiv:\nKohëzgjatja (në sekonda) pas së cilës kursori që nuk ka qënë në veprim fshihet. + + + backButtonBehaviorGroupBox + Sjellja e butonit mbrapa:\nLejon të përcaktohet se në cilën pjesë të tastierës prekëse do të imitojë një prekje butoni mprapa. + + + enableCompatibilityCheckBox + Shfaq të dhënat e përputhshmërisë:\nShfaq informacionin e përputhshmërisë së lojës në formë tabele. Aktivizo 'Përditëso përputhshmërinë gjatë nisjes' për të marrë informacion të përditësuar. + + + checkCompatibilityOnStartupCheckBox + Përditëso përputhshmërinë gjatë nisjes:\nPërditëson automatikisht bazën e të dhënave të përputhshmërisë kur shadPS4 niset. + + + updateCompatibilityButton + Përditëso bazën e të dhënave të përputhshmërisë:\nPërditëso menjëherë bazën e të dhënave të përputhshmërisë. + + + Never + Kurrë + + + Idle + Joaktiv + + + Always + Gjithmonë + + + Touchpad Left + Tastiera prekëse majtas + + + Touchpad Right + Tastiera prekëse djathtas + + + Touchpad Center + Tastiera prekëse në qendër + + + None + Asnjë + + + graphicsAdapterGroupBox + Pajisja grafike:\nNë sistemet me GPU të shumëfishta, zgjidh GPU-në që do të përdorë emulatori nga lista rënëse,\nose zgjidh "Auto Select" për ta përcaktuar automatikisht. + + + resolutionLayout + Gjerësia/Lartësia:\nPërcakton madhësinë e dritares së emulatorit në nisje, e cila mund të rregullohet gjatë lojës.\nKjo është ndryshe nga rezolucioni në lojë. + + + heightDivider + Ndarësi Vblank:\nFrekuenca pamore me të cilën rifreskohet emulatori shumëzohet me këtë numër. Ndryshimi i këtij mund të ketë efekte të këqija, si rritja e shpejtësisë së lojës ose prishja e punimit thelbësor të lojës që nuk e pret këtë ndryshim! + + + dumpShadersCheckBox + Aktivizo zbrazjen e shaders-ave:\nPër qëllime të korrigjimit teknik, ruan shaders-at e lojës në një dosje ndërsa ato pasqyrohen. + + + nullGpuCheckBox + Aktivizo GPU-në Null:\nPër qëllime të korrigjimit teknik, çaktivizon pasqyrimin e lojës sikur nuk ka një kartë grafike. + + + gameFoldersBox + Dosjet e lojërave:\nLista e dosjeve për të kontrolluar lojërat e instaluara. + + + addFolderButton + Shto:\nShto një dosje në listë. + + + removeFolderButton + Hiq:\nHiq një dosje nga lista. + + + debugDump + Aktivizo zbrazjen për korrigjim:\nRuan simbolet e importit dhe eksportit dhe informacionin e kreut të skedarit për aplikacionin PS4 që po ekzekutohet në një dosje. + + + vkValidationCheckBox + Aktivizo shtresat e vlefshmërisë Vulkan:\nAktivizon një sistem që vërteton gjendjen e pasqyruesit Vulkan dhe regjistron informacionin në lidhje me gjendjen e tij të brendshme. Kjo do të ul performancën dhe ndoshta do të ndryshojë sjelljen e emulimit. + + + vkSyncValidationCheckBox + Aktivizo vërtetimin e sinkronizimit Vulkan:\nAktivizon një sistem që vërteton kohën e detyrave të pasqyrimit Vulkan. Kjo do të ul performancën dhe ndoshta do të ndryshojë sjelljen e emulimit. + + + rdocCheckBox + Aktivizo korrigjimin RenderDoc:\nNëse aktivizohet, emulatori do të ofrojë pajtueshmëri me Renderdoc për të lejuar kapjen dhe analizën e pamjes të pasqyruar në moment. + + + collectShaderCheckBox + Mblidh Shader-at:\nDuhet ta aktivizosh këtë për të redaktuar shader-at me menynë e korrigjimit (Ctrl + F10). + + + crashDiagnosticsCheckBox + Diagnoza e rënies:\nKrijon një skedar .yaml me informacion rreth gjendjes së Vulkan-it në momentin e rënies.\nE dobishme për zgjidhjen e gabimeve 'Device lost'. Nëse e ke aktivizuar këtë, duhet të aktivizosh Shënjuesit e korrigjimit të host-it DHE të guest-it.\nNuk punon me GPU-t Intel.\nDuhet të kesh aktivizuar Shtresat e Vlefshmërisë Vulkan dhe Vulkan SDK që kjo të punojë. + + + copyGPUBuffersCheckBox + Kopjo buffer-ët e GPU-së:\nShmang kushtet e garës (race conditions) që lidhen me dërgimet e GPU-së.\nMund të ndihmojë, ose jo, në rast rëniesh të llojit PM4 0. + + + hostMarkersCheckBox + Shënjuesit e korrigjimit të host-it:\nShton informacion nga ana e emulatorit, si shënjues për komandat specifike AMDGPU rreth komandave Vulkan, si dhe jep burimeve emra korrigjimi.\nNëse e ke aktivizuar këtë, duhet të aktivizosh diagnozën e rënieve.\nE dobishme për programe si RenderDoc. + + + guestMarkersCheckBox + Shënjuesit e korrigjimit të guest-it:\nShton çdo shënjues për korrigjim që loja vetë ka shtuar në buffer-in e komandave.\nNëse e ke aktivizuar këtë, duhet të aktivizosh diagnozën e rënieve.\nE dobishme për programe si RenderDoc. + + + saveDataBox + Shtegu i Ruajtjes së të Dhënave:\nDosja ku do të ruhen të dhënat e ruajtjes së lojës. + + + browseButton + Shfleto:\nShfleto për të vendosur një dosje si shteg të ruajtjes së të dhënave. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Shfleto + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Dosja ku do instalohen lojërat + + + Directory to save data + + + + enableHDRCheckBox + + + + + TrophyViewer + + Trophy Viewer + Shikuesi i Trofeve + + + diff --git a/src/qt_gui/translations/sv.ts b/src/qt_gui/translations/sv_SE.ts similarity index 97% rename from src/qt_gui/translations/sv.ts rename to src/qt_gui/translations/sv_SE.ts index 60ebf5432..858bcd47c 100644 --- a/src/qt_gui/translations/sv.ts +++ b/src/qt_gui/translations/sv_SE.ts @@ -1,8 +1,8 @@ + - AboutDialog @@ -244,14 +244,6 @@ Can't apply cheats before the game is started Kan inte tillämpa fusk innan spelet är startat - - Error: - Fel: - - - ERROR - FEL - Close Stäng @@ -386,10 +378,6 @@ Unable to update compatibility data! Try again later. Kunde inte uppdatera kompatibilitetsdata! Försök igen senare. - - Unable to open compatibility.json for writing. - Kunde inte öppna compatibility.json för skrivning. - Unknown Okänt @@ -673,10 +661,6 @@ Game can be completed with playable performance and no major glitches Spelet kan spelas klart med spelbar prestanda och utan större problem - - Click to go to issue - Klicka för att gå till problem - Last updated Senast uppdaterad @@ -1196,14 +1180,66 @@ Open Folder Öppna mapp - - &File - &Arkiv - PKG ERROR PKG-FEL + + Name + Namn + + + Serial + Serienummer + + + Installed + + + + Size + Storlek + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Region + + + Flags + + + + Path + Sökväg + + + File + Arkiv + + + Unknown + Okänt + + + Package + + SettingsDialog @@ -1255,10 +1291,6 @@ Show Splash Visa startskärm - - ps4proCheckBox - Är PS4 Pro:\nGör att emulatorn agerar som en PS4 PRO, vilket kan aktivera speciella funktioner i spel som har stöd för det - Enable Discord Rich Presence Aktivera Discord Rich Presence @@ -1323,10 +1355,6 @@ Graphics Grafik - - Gui - Gränssnitt - User Användare @@ -1743,6 +1771,14 @@ GUIBackgroundImageGroupBox Bakgrundsbild:\nKontrollerar opaciteten för spelets bakgrundsbild + + Enable HDR + + + + enableHDRCheckBox + + TrophyViewer diff --git a/src/qt_gui/translations/tr_TR.ts b/src/qt_gui/translations/tr_TR.ts index 25878cb0f..7c8d078db 100644 --- a/src/qt_gui/translations/tr_TR.ts +++ b/src/qt_gui/translations/tr_TR.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - shadPS4 Hakkında - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4, PlayStation 4 için deneysel bir açık kaynak kodlu emülatördür. - - - This software should not be used to play games you have not legally obtained. - Bu yazılım, yasal olarak edinmediğiniz oyunları oynamak için kullanılmamalıdır. - - - - ElfViewer - - Open Folder - Klasörü Aç - - - - GameInfoClass - - Loading game list, please wait :3 - Oyun listesi yükleniyor, lütfen bekleyin :3 - - - Cancel - İptal - - - Loading... - Yükleniyor... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Klasörü Seç - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Klasörü Seç - - - Directory to install games - Oyunların yükleneceği klasör - - - Browse - Gözat - - - Error - Hata - - - The value for location to install games is not valid. - Oyunların yükleneceği konum için girilen klasör geçerli değil. - - - - GuiContextMenus - - Create Shortcut - Kısayol Oluştur - - - Cheats / Patches - Hileler / Yamanlar - - - SFO Viewer - SFO Görüntüleyici - - - Trophy Viewer - Kupa Görüntüleyici - - - Open Folder... - Klasörü Aç... - - - Open Game Folder - Oyun Klasörünü Aç - - - Open Save Data Folder - Kaydetme Verileri Klasörünü Aç - - - Open Log Folder - Log Klasörünü Aç - - - Copy info... - Bilgiyi Kopyala... - - - Copy Name - Adı Kopyala - - - Copy Serial - Seri Numarasını Kopyala - - - Copy All - Tümünü Kopyala - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Kısayol oluşturma - - - Shortcut created successfully! - Kısayol başarıyla oluşturuldu! - - - Error - Hata - - - Error creating shortcut! - Kısayol oluşturulurken hata oluştu! - - - Install PKG - PKG Yükle - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Elf Klasörünü Aç/Ekle - - - Install Packages (PKG) - Paketleri Kur (PKG) - - - Boot Game - Oyunu Başlat - - - Check for Updates - Güncellemeleri kontrol et - - - About shadPS4 - shadPS4 Hakkında - - - Configure... - Yapılandır... - - - Install application from a .pkg file - .pkg dosyasından uygulama yükle - - - Recent Games - Son Oyunlar - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Çıkış - - - Exit shadPS4 - shadPS4'ten Çık - - - Exit the application. - Uygulamadan çık. - - - Show Game List - Oyun Listesini Göster - - - Game List Refresh - Oyun Listesini Yenile - - - Tiny - Küçük - - - Small - Ufak - - - Medium - Orta - - - Large - Büyük - - - List View - Liste Görünümü - - - Grid View - Izgara Görünümü - - - Elf Viewer - Elf Görüntüleyici - - - Game Install Directory - Oyun Kurulum Klasörü - - - Download Cheats/Patches - Hileleri/Yamaları İndir - - - Dump Game List - Oyun Listesini Kaydet - - - PKG Viewer - PKG Görüntüleyici - - - Search... - Ara... - - - File - Dosya - - - View - Görünüm - - - Game List Icons - Oyun Listesi Simgeleri - - - Game List Mode - Oyun Listesi Modu - - - Settings - Ayarlar - - - Utils - Yardımcı Araçlar - - - Themes - Temalar - - - Help - Yardım - - - Dark - Koyu - - - Light - Açık - - - Green - Yeşil - - - Blue - Mavi - - - Violet - Mor - - - toolBar - Araç Çubuğu - - - Game List - Oyun Listesi - - - * Unsupported Vulkan Version - * Desteklenmeyen Vulkan Sürümü - - - Download Cheats For All Installed Games - Tüm Yüklenmiş Oyunlar İçin Hileleri İndir - - - Download Patches For All Games - Tüm Oyunlar İçin Yamaları İndir - - - Download Complete - İndirme Tamamlandı - - - You have downloaded cheats for all the games you have installed. - Yüklediğiniz tüm oyunlar için hileleri indirdiniz. - - - Patches Downloaded Successfully! - Yamalar Başarıyla İndirildi! - - - All Patches available for all games have been downloaded. - Tüm oyunlar için mevcut tüm yamalar indirildi. - - - Games: - Oyunlar: - - - PKG File (*.PKG) - PKG Dosyası (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF Dosyaları (*.bin *.elf *.oelf) - - - Game Boot - Oyun Başlatma - - - Only one file can be selected! - Sadece bir dosya seçilebilir! - - - PKG Extraction - PKG Çıkartma - - - Patch detected! - Yama tespit edildi! - - - PKG and Game versions match: - PKG ve oyun sürümleri uyumlu: - - - Would you like to overwrite? - Üzerine yazmak ister misiniz? - - - PKG Version %1 is older than installed version: - PKG Sürümü %1, kurulu sürümden daha eski: - - - Game is installed: - Oyun yüklendi: - - - Would you like to install Patch: - Yamanın yüklenmesini ister misiniz: - - - DLC Installation - DLC Yükleme - - - Would you like to install DLC: %1? - DLC'yi yüklemek ister misiniz: %1? - - - DLC already installed: - DLC zaten yüklü: - - - Game already installed - Oyun zaten yüklü - - - PKG is a patch, please install the game first! - PKG bir yama, lütfen önce oyunu yükleyin! - - - PKG ERROR - PKG HATASI - - - Extracting PKG %1/%2 - PKG Çıkarılıyor %1/%2 - - - Extraction Finished - Çıkarma Tamamlandı - - - Game successfully installed at %1 - Oyun başarıyla %1 konumuna yüklendi - - - File doesn't appear to be a valid PKG file - Dosya geçerli bir PKG dosyası gibi görünmüyor - - - - PKGViewer - - Open Folder - Klasörü Aç - - - - TrophyViewer - - Trophy Viewer - Kupa Görüntüleyici - - - - SettingsDialog - - Settings - Ayarlar - - - General - Genel - - - System - Sistem - - - Console Language - Konsol Dili - - - Emulator Language - Emülatör Dili - - - Emulator - Emülatör - - - Enable Fullscreen - Tam Ekranı Etkinleştir - - - Fullscreen Mode - Tam Ekran Modu - - - Enable Separate Update Folder - Ayrı Güncelleme Klasörünü Etkinleştir - - - Default tab when opening settings - Ayarlar açıldığında varsayılan sekme - - - Show Game Size In List - Oyun Boyutunu Listede Göster - - - Show Splash - Başlangıç Ekranını Göster - - - Is PS4 Pro - PS4 Pro - - - Enable Discord Rich Presence - Discord Rich Presence'i etkinleştir - - - Username - Kullanıcı Adı - - - Trophy Key - Kupa Anahtarı - - - Trophy - Kupa - - - Logger - Kayıt Tutucu - - - Log Type - Kayıt Türü - - - Log Filter - Kayıt Filtresi - - - Open Log Location - Günlük Konumunu Aç - - - Input - Girdi - - - Cursor - İmleç - - - Hide Cursor - İmleci Gizle - - - Hide Cursor Idle Timeout - İmleç İçin Hareketsizlik Zaman Aşımı - - - s - s - - - Controller - Kontrolcü - - - Back Button Behavior - Geri Dön Butonu Davranışı - - - Graphics - Grafikler - - - GUI - Arayüz - - - User - Kullanıcı - - - Graphics Device - Grafik Cihazı - - - Width - Genişlik - - - Height - Yükseklik - - - Vblank Divider - Vblank Bölücü - - - Advanced - Gelişmiş - - - Enable Shaders Dumping - Shader Kaydını Etkinleştir - - - Enable NULL GPU - NULL GPU'yu Etkinleştir - - - Paths - Yollar - - - Game Folders - Oyun Klasörleri - - - Add... - Ekle... - - - Remove - Kaldır - - - Debug - Hata Ayıklama - - - Enable Debug Dumping - Hata Ayıklama Dökümü Etkinleştir - - - Enable Vulkan Validation Layers - Vulkan Doğrulama Katmanlarını Etkinleştir - - - Enable Vulkan Synchronization Validation - Vulkan Senkronizasyon Doğrulamasını Etkinleştir - - - Enable RenderDoc Debugging - RenderDoc Hata Ayıklamayı Etkinleştir - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Güncelle - - - Check for Updates at Startup - Başlangıçta güncellemeleri kontrol et - - - Always Show Changelog - Her zaman değişiklik günlüğünü göster - - - Update Channel - Güncelleme Kanalı - - - Check for Updates - Güncellemeleri Kontrol Et - - - GUI Settings - GUI Ayarları - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Kupa Açılır Pencerelerini Devre Dışı Bırak - - - Play title music - Başlık müziğini çal - - - Update Compatibility Database On Startup - Başlangıçta Uyumluluk Veritabanını Güncelle - - - Game Compatibility - Oyun Uyumluluğu - - - Display Compatibility Data - Uyumluluk Verilerini Göster - - - Update Compatibility Database - Uyumluluk Veritabanını Güncelle - - - Volume - Ses Seviyesi - - - Audio Backend - Audio Backend - - - Save - Kaydet - - - Apply - Uygula - - - Restore Defaults - Varsayılanları Geri Yükle - - - Close - Kapat - - - Point your mouse at an option to display its description. - Seçenek üzerinde farenizi tutarak açıklamasını görüntüleyin. - - - consoleLanguageGroupBox - Konsol Dili:\nPS4 oyununun kullandığı dili ayarlar.\nBu seçeneği, oyunun desteklediği bir dilde ayarlamanız önerilir; bu durum bölgeye göre değişebilir. - - - emulatorLanguageGroupBox - Emülatör Dili:\nEmülatörün kullanıcı arayüzünün dilini ayarlar. - - - fullscreenCheckBox - Tam Ekranı Etkinleştir:\nOyun penceresini otomatik olarak tam ekran moduna alır.\nBu, F11 tuşuna basarak geçiş yapılabilir. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Açılış Ekranını Göster:\nOyun açılırken (özel bir görüntü) açılış ekranını gösterir. - - - ps4proCheckBox - PS4 Pro:\nEmülatörü bir PS4 PRO gibi çalıştırır; bu, bunu destekleyen oyunlarda özel özellikleri etkinleştirebilir. - - - discordRPCCheckbox - Discord Rich Presence'i etkinleştir:\nEmülatör simgesini ve Discord profilinizdeki ilgili bilgileri gösterir. - - - userName - Kullanıcı Adı:\nBazı oyunlar tarafından gösterilebilen PS4 hesabının kullanıcı adını ayarlar. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Günlük Türü:\nPerformans için günlük penceresi çıkışını senkronize etme durumunu ayarlar. Bu, emülasyonda olumsuz etkilere yol açabilir. - - - logFilter - Günlük Filtre:\nSadece belirli bilgileri yazdırmak için günlüğü filtreler.\nÖrnekler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Düzeyler: Trace, Debug, Info, Warning, Error, Critical - bu sırada, belirli bir seviye listede önceki tüm seviyeleri susturur ve sonraki tüm seviyeleri kaydeder. - - - updaterGroupBox - Güncelleme:\nRelease: Her ay yayınlanan resmi sürümler; çok eski olabilirler, ancak daha güvenilirdir ve test edilmiştir.\nNightly: Tüm en son özellikler ve düzeltmeler ile birlikte geliştirme sürümleri; hatalar içerebilir ve daha az kararlıdırlar. - - - GUIMusicGroupBox - Başlık Müziklerini Çal:\nEğer bir oyun bunu destekliyorsa, GUI'de oyunu seçtiğinizde özel müziklerin çalmasını etkinleştirir. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - İmleci gizle:\nİmlecin ne zaman kaybolacağını seçin:\nAsla: Fareyi her zaman göreceksiniz.\nPasif: Hareketsiz kaldıktan sonra kaybolması için bir süre belirleyin.\nHer zaman: fareyi asla göremeyeceksiniz. - - - idleTimeoutGroupBox - Hareket etmeden sonra imlecin kaybolacağı süreyi ayarlayın. - - - backButtonBehaviorGroupBox - Geri düğmesi davranışı:\nKontrol cihazındaki geri düğmesini, PS4'ün dokunmatik panelindeki belirlenen noktaya dokunmak için ayarlar. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Asla - - - Idle - Boşta - - - Always - Her zaman - - - Touchpad Left - Dokunmatik Yüzey Sol - - - Touchpad Right - Dokunmatik Yüzey Sağ - - - Touchpad Center - Dokunmatik Yüzey Orta - - - None - Yok - - - graphicsAdapterGroupBox - Grafik Aygıtı:\nBirden fazla GPU'ya sahip sistemlerde, emülatörün kullanacağı GPU'yu açılır listeden seçin,\nor "Auto Select" seçeneğini seçerek otomatik olarak belirlenmesini sağlayın. - - - resolutionLayout - Genişlik/Yükseklik:\nEmülatör penceresinin açılışta boyutunu ayarlar; bu, oyun sırasında yeniden boyutlandırılabilir.\nBu, oyundaki çözünürlükten farklıdır. - - - heightDivider - Vblank Bölücü:\nEmülatörün yenileme hızı bu sayı ile çarpılır. Bu değerin değiştirilmesi olumsuz etkilere yol açabilir; oyun hızını artırabilir veya oyunun beklemediği kritik işlevselliği bozabilir! - - - dumpShadersCheckBox - Shader'ları Dışa Aktarmayı Etkinleştir:\nTeknik hata ayıklama amacıyla, shader'ları render edildikçe bir klasöre kaydeder. - - - nullGpuCheckBox - Null GPU'yu Etkinleştir:\nTeknik hata ayıklama amacıyla, oyunun render edilmesini grafik kartı yokmuş gibi devre dışı bırakır. - - - gameFoldersBox - Oyun klasörleri:\nYüklenmiş oyunları kontrol etmek için klasörlerin listesi. - - - addFolderButton - Ekle:\nListeye bir klasör ekle. - - - removeFolderButton - Kaldır:\nListeden bir klasörü kaldır. - - - debugDump - Hata Ayıklama için Dışa Aktarmayı Etkinleştir:\nŞu anda çalışan PS4 uygulaması için içe aktarılan ve dışa aktarılan sembolleri ve dosya başlık bilgilerini bir dizine kaydedin. - - - vkValidationCheckBox - Vulkan Doğrulama Katmanlarını Etkinleştir:\nVulkan renderlayıcısının durumunu doğrulayan ve iç durum hakkında bilgi kaydeden bir sistemi etkinleştirir. Bu, performansı düşürür ve muhtemelen emülasyon davranışını değiştirir. - - - vkSyncValidationCheckBox - Vulkan Senkronizasyon Doğrulamasını Etkinleştir:\nVulkan renderlama görevlerinin senkronizasyonunu doğrulayan bir sistemi etkinleştirir. Bu, performansı düşürür ve muhtemelen emülasyon davranışını değiştirir. - - - rdocCheckBox - RenderDoc Hata Ayıklamayı Etkinleştir:\nEğer etkinleştirilirse, emülatör mevcut render edilmiş çerçeveyi yakalamak ve analiz etmek için Renderdoc ile uyumluluk sunar. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches deneysel niteliktedir.\nDikkatli kullanın.\n\nCheat'leri ayrı ayrı indirerek, depo seçerek ve indirme düğmesine tıklayarak indirin.\nPatches sekmesinde tüm patch'leri bir kerede indirebilir, hangi patch'leri kullanmak istediğinizi seçebilir ve seçiminizi kaydedebilirsiniz.\n\nCheats/Patches'i geliştirmediğimiz için,\nproblemleri cheat yazarına bildirin.\n\nYeni bir cheat mi oluşturduğunuz? Şu adresi ziyaret edin:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Görüntü Mevcut Değil - - - Serial: - Seri Numarası: - - - Version: - Sürüm: - - - Size: - Boyut: - - - Select Cheat File: - Hile Dosyasını Seçin: - - - Repository: - Depo: - - - Download Cheats - Hileleri İndir - - - Delete File - Dosyayı Sil - - - No files selected. - Hiçbir dosya seçilmedi. - - - You can delete the cheats you don't want after downloading them. - İndirdikten sonra istemediğiniz hileleri silebilirsiniz. - - - Do you want to delete the selected file?\n%1 - Seçilen dosyayı silmek istiyor musunuz?\n%1 - - - Select Patch File: - Yama Dosyasını Seçin: - - - Download Patches - Yamaları İndir - - - Save - Kaydet - - - Cheats - Hileler - - - Patches - Yamalar - - - Error - Hata - - - No patch selected. - Hiç yama seçilmedi. - - - Unable to open files.json for reading. - files.json dosyası okumak için açılamadı. - - - No patch file found for the current serial. - Mevcut seri numarası için hiç yama dosyası bulunamadı. - - - Unable to open the file for reading. - Dosya okumak için açılamadı. - - - Unable to open the file for writing. - Dosya yazmak için açılamadı. - - - Failed to parse XML: - XML ayrıştırılamadı: - - - Success - Başarı - - - Options saved successfully. - Ayarlar başarıyla kaydedildi. - - - Invalid Source - Geçersiz Kaynak - - - The selected source is invalid. - Seçilen kaynak geçersiz. - - - File Exists - Dosya Var - - - File already exists. Do you want to replace it? - Dosya zaten var. Üzerine yazmak ister misiniz? - - - Failed to save file: - Dosya kaydedilemedi: - - - Failed to download file: - Dosya indirilemedi: - - - Cheats Not Found - Hileler Bulunamadı - - - CheatsNotFound_MSG - Bu oyun için seçilen depoda hile bulunamadı.Başka bir depo veya oyun sürümü deneyin. - - - Cheats Downloaded Successfully - Hileler Başarıyla İndirildi - - - CheatsDownloadedSuccessfully_MSG - Bu oyun sürümü için hileleri başarıyla indirdiniz. Başka bir depodan indirmeyi deneyebilirsiniz. Eğer mevcutsa, listeden dosyayı seçerek de kullanılabilir. - - - Failed to save: - Kaydedilemedi: - - - Failed to download: - İndirilemedi: - - - Download Complete - İndirme Tamamlandı - - - DownloadComplete_MSG - Yamalar başarıyla indirildi! Tüm oyunlar için mevcut tüm yamalar indirildi, her oyun için ayrı ayrı indirme yapmanız gerekmez, hilelerle olduğu gibi. Yamanın görünmemesi durumunda, belirli seri numarası ve oyun sürümü için mevcut olmayabilir. - - - Failed to parse JSON data from HTML. - HTML'den JSON verileri ayrıştırılamadı. - - - Failed to retrieve HTML page. - HTML sayfası alınamadı. - - - The game is in version: %1 - Oyun sürümü: %1 - - - The downloaded patch only works on version: %1 - İndirilen yama sadece şu sürümde çalışıyor: %1 - - - You may need to update your game. - Oyunuzu güncellemeniz gerekebilir. - - - Incompatibility Notice - Uyumsuzluk Bildirimi - - - Failed to open file: - Dosya açılamadı: - - - XML ERROR: - XML HATASI: - - - Failed to open files.json for writing - files.json dosyası yazmak için açılamadı - - - Author: - Yazar: - - - Directory does not exist: - Klasör mevcut değil: - - - Failed to open files.json for reading. - files.json dosyası okumak için açılamadı. - - - Name: - İsim: - - - Can't apply cheats before the game is started - Hileleri oyuna başlamadan önce uygulayamazsınız. - - - - GameListFrame - - Icon - Simge - - - Name - Ad - - - Serial - Seri Numarası - - - Compatibility - Uyumluluk - - - Region - Bölge - - - Firmware - Yazılım - - - Size - Boyut - - - Version - Sürüm - - - Path - Yol - - - Play Time - Oynama Süresi - - - Never Played - Hiç Oynanmadı - - - h - sa - - - m - dk - - - s - sn - - - Compatibility is untested - Uyumluluk test edilmemiş - - - Game does not initialize properly / crashes the emulator - Oyun düzgün bir şekilde başlatılamıyor / emülatörü çökertiyor - - - Game boots, but only displays a blank screen - Oyun başlatılabiliyor ancak yalnızca boş bir ekran gösteriyor - - - Game displays an image but does not go past the menu - Oyun bir resim gösteriyor ancak menüleri geçemiyor - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Oyun, oynanabilir performansla tamamlanabilir ve büyük aksaklık yok - - - Click to see details on github - Detayları görmek için GitHub’a tıklayın - - - Last updated - Son güncelleme - - - - CheckUpdate - - Auto Updater - Otomatik Güncelleyici - - - Error - Hata - - - Network error: - Ağ hatası: - - - Error_Github_limit_MSG - Otomatik Güncelleyici, saat başına en fazla 60 güncelleme kontrolüne izin verir.\nBu sınıra ulaştınız. Lütfen daha sonra tekrar deneyin. - - - Failed to parse update information. - Güncelleme bilgilerini ayrıştırma başarısız oldu. - - - No pre-releases found. - Ön sürüm bulunamadı. - - - Invalid release data. - Geçersiz sürüm verisi. - - - No download URL found for the specified asset. - Belirtilen varlık için hiçbir indirme URL'si bulunamadı. - - - Your version is already up to date! - Sürümünüz zaten güncel! - - - Update Available - Güncelleme Mevcut - - - Update Channel - Güncelleme Kanalı - - - Current Version - Mevcut Sürüm - - - Latest Version - Son Sürüm - - - Do you want to update? - Güncellemek istiyor musunuz? - - - Show Changelog - Değişiklik Günlüğünü Göster - - - Check for Updates at Startup - Başlangıçta güncellemeleri kontrol et - - - Update - Güncelle - - - No - Hayır - - - Hide Changelog - Değişiklik Günlüğünü Gizle - - - Changes - Değişiklikler - - - Network error occurred while trying to access the URL - URL'ye erişmeye çalışırken bir ağ hatası oluştu - - - Download Complete - İndirme Tamamlandı - - - The update has been downloaded, press OK to install. - Güncelleme indirildi, yüklemek için Tamam'a basın. - - - Failed to save the update file at - Güncelleme dosyası kaydedilemedi - - - Starting Update... - Güncelleme Başlatılıyor... - - - Failed to create the update script file - Güncelleme komut dosyası oluşturulamadı - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Uyumluluk verileri alınıyor, lütfen bekleyin - - - Cancel - İptal - - - Loading... - Yükleniyor... - - - Error - Hata - - - Unable to update compatibility data! Try again later. - Uyumluluk verileri güncellenemedi! Lütfen daha sonra tekrar deneyin. - - - Unable to open compatibility_data.json for writing. - compatibility_data.json dosyasını yazmak için açamadık. - - - Unknown - Bilinmeyen - - - Nothing - Hiçbir şey - - - Boots - Botlar - - - Menus - Menüler - - - Ingame - Oyunda - - - Playable - Oynanabilir - - + + AboutDialog + + About shadPS4 + shadPS4 Hakkında + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4, PlayStation 4 için deneysel bir açık kaynak kodlu emülatördür. + + + This software should not be used to play games you have not legally obtained. + Bu yazılım, yasal olarak edinmediğiniz oyunları oynamak için kullanılmamalıdır. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches deneysel niteliktedir.\nDikkatli kullanın.\n\nCheat'leri ayrı ayrı indirerek, depo seçerek ve indirme düğmesine tıklayarak indirin.\nPatches sekmesinde tüm patch'leri bir kerede indirebilir, hangi patch'leri kullanmak istediğinizi seçebilir ve seçiminizi kaydedebilirsiniz.\n\nCheats/Patches'i geliştirmediğimiz için,\nproblemleri cheat yazarına bildirin.\n\nYeni bir cheat mi oluşturduğunuz? Şu adresi ziyaret edin:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Görüntü Mevcut Değil + + + Serial: + Seri Numarası: + + + Version: + Sürüm: + + + Size: + Boyut: + + + Select Cheat File: + Hile Dosyasını Seçin: + + + Repository: + Depo: + + + Download Cheats + Hileleri İndir + + + Delete File + Dosyayı Sil + + + No files selected. + Hiçbir dosya seçilmedi. + + + You can delete the cheats you don't want after downloading them. + İndirdikten sonra istemediğiniz hileleri silebilirsiniz. + + + Do you want to delete the selected file?\n%1 + Seçilen dosyayı silmek istiyor musunuz?\n%1 + + + Select Patch File: + Yama Dosyasını Seçin: + + + Download Patches + Yamaları İndir + + + Save + Kaydet + + + Cheats + Hileler + + + Patches + Yamalar + + + Error + Hata + + + No patch selected. + Hiç yama seçilmedi. + + + Unable to open files.json for reading. + files.json dosyası okumak için açılamadı. + + + No patch file found for the current serial. + Mevcut seri numarası için hiç yama dosyası bulunamadı. + + + Unable to open the file for reading. + Dosya okumak için açılamadı. + + + Unable to open the file for writing. + Dosya yazmak için açılamadı. + + + Failed to parse XML: + XML ayrıştırılamadı: + + + Success + Başarı + + + Options saved successfully. + Ayarlar başarıyla kaydedildi. + + + Invalid Source + Geçersiz Kaynak + + + The selected source is invalid. + Seçilen kaynak geçersiz. + + + File Exists + Dosya Var + + + File already exists. Do you want to replace it? + Dosya zaten var. Üzerine yazmak ister misiniz? + + + Failed to save file: + Dosya kaydedilemedi: + + + Failed to download file: + Dosya indirilemedi: + + + Cheats Not Found + Hileler Bulunamadı + + + CheatsNotFound_MSG + Bu oyun için seçilen depoda hile bulunamadı.Başka bir depo veya oyun sürümü deneyin. + + + Cheats Downloaded Successfully + Hileler Başarıyla İndirildi + + + CheatsDownloadedSuccessfully_MSG + Bu oyun sürümü için hileleri başarıyla indirdiniz. Başka bir depodan indirmeyi deneyebilirsiniz. Eğer mevcutsa, listeden dosyayı seçerek de kullanılabilir. + + + Failed to save: + Kaydedilemedi: + + + Failed to download: + İndirilemedi: + + + Download Complete + İndirme Tamamlandı + + + DownloadComplete_MSG + Yamalar başarıyla indirildi! Tüm oyunlar için mevcut tüm yamalar indirildi, her oyun için ayrı ayrı indirme yapmanız gerekmez, hilelerle olduğu gibi. Yamanın görünmemesi durumunda, belirli seri numarası ve oyun sürümü için mevcut olmayabilir. + + + Failed to parse JSON data from HTML. + HTML'den JSON verileri ayrıştırılamadı. + + + Failed to retrieve HTML page. + HTML sayfası alınamadı. + + + The game is in version: %1 + Oyun sürümü: %1 + + + The downloaded patch only works on version: %1 + İndirilen yama sadece şu sürümde çalışıyor: %1 + + + You may need to update your game. + Oyunuzu güncellemeniz gerekebilir. + + + Incompatibility Notice + Uyumsuzluk Bildirimi + + + Failed to open file: + Dosya açılamadı: + + + XML ERROR: + XML HATASI: + + + Failed to open files.json for writing + files.json dosyası yazmak için açılamadı + + + Author: + Yazar: + + + Directory does not exist: + Klasör mevcut değil: + + + Failed to open files.json for reading. + files.json dosyası okumak için açılamadı. + + + Name: + İsim: + + + Can't apply cheats before the game is started + Hileleri oyuna başlamadan önce uygulayamazsınız. + + + Close + Kapat + + + + CheckUpdate + + Auto Updater + Otomatik Güncelleyici + + + Error + Hata + + + Network error: + Ağ hatası: + + + Error_Github_limit_MSG + Otomatik Güncelleyici, saat başına en fazla 60 güncelleme kontrolüne izin verir.\nBu sınıra ulaştınız. Lütfen daha sonra tekrar deneyin. + + + Failed to parse update information. + Güncelleme bilgilerini ayrıştırma başarısız oldu. + + + No pre-releases found. + Ön sürüm bulunamadı. + + + Invalid release data. + Geçersiz sürüm verisi. + + + No download URL found for the specified asset. + Belirtilen varlık için hiçbir indirme URL'si bulunamadı. + + + Your version is already up to date! + Sürümünüz zaten güncel! + + + Update Available + Güncelleme Mevcut + + + Update Channel + Güncelleme Kanalı + + + Current Version + Mevcut Sürüm + + + Latest Version + Son Sürüm + + + Do you want to update? + Güncellemek istiyor musunuz? + + + Show Changelog + Değişiklik Günlüğünü Göster + + + Check for Updates at Startup + Başlangıçta güncellemeleri kontrol et + + + Update + Güncelle + + + No + Hayır + + + Hide Changelog + Değişiklik Günlüğünü Gizle + + + Changes + Değişiklikler + + + Network error occurred while trying to access the URL + URL'ye erişmeye çalışırken bir ağ hatası oluştu + + + Download Complete + İndirme Tamamlandı + + + The update has been downloaded, press OK to install. + Güncelleme indirildi, yüklemek için Tamam'a basın. + + + Failed to save the update file at + Güncelleme dosyası kaydedilemedi + + + Starting Update... + Güncelleme Başlatılıyor... + + + Failed to create the update script file + Güncelleme komut dosyası oluşturulamadı + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Uyumluluk verileri alınıyor, lütfen bekleyin + + + Cancel + İptal + + + Loading... + Yükleniyor... + + + Error + Hata + + + Unable to update compatibility data! Try again later. + Uyumluluk verileri güncellenemedi! Lütfen daha sonra tekrar deneyin. + + + Unable to open compatibility_data.json for writing. + compatibility_data.json dosyasını yazmak için açamadık. + + + Unknown + Bilinmeyen + + + Nothing + Hiçbir şey + + + Boots + Botlar + + + Menus + Menüler + + + Ingame + Oyunda + + + Playable + Oynanabilir + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Klasörü Aç + + + + GameInfoClass + + Loading game list, please wait :3 + Oyun listesi yükleniyor, lütfen bekleyin :3 + + + Cancel + İptal + + + Loading... + Yükleniyor... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Klasörü Seç + + + Directory to install games + Oyunların yükleneceği klasör + + + Browse + Gözat + + + Error + Hata + + + Directory to install DLC + + + + + GameListFrame + + Icon + Simge + + + Name + Ad + + + Serial + Seri Numarası + + + Compatibility + Uyumluluk + + + Region + Bölge + + + Firmware + Yazılım + + + Size + Boyut + + + Version + Sürüm + + + Path + Yol + + + Play Time + Oynama Süresi + + + Never Played + Hiç Oynanmadı + + + h + sa + + + m + dk + + + s + sn + + + Compatibility is untested + Uyumluluk test edilmemiş + + + Game does not initialize properly / crashes the emulator + Oyun düzgün bir şekilde başlatılamıyor / emülatörü çökertiyor + + + Game boots, but only displays a blank screen + Oyun başlatılabiliyor ancak yalnızca boş bir ekran gösteriyor + + + Game displays an image but does not go past the menu + Oyun bir resim gösteriyor ancak menüleri geçemiyor + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Oyun, oynanabilir performansla tamamlanabilir ve büyük aksaklık yok + + + Click to see details on github + Detayları görmek için GitHub’a tıklayın + + + Last updated + Son güncelleme + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Kısayol Oluştur + + + Cheats / Patches + Hileler / Yamanlar + + + SFO Viewer + SFO Görüntüleyici + + + Trophy Viewer + Kupa Görüntüleyici + + + Open Folder... + Klasörü Aç... + + + Open Game Folder + Oyun Klasörünü Aç + + + Open Save Data Folder + Kaydetme Verileri Klasörünü Aç + + + Open Log Folder + Log Klasörünü Aç + + + Copy info... + Bilgiyi Kopyala... + + + Copy Name + Adı Kopyala + + + Copy Serial + Seri Numarasını Kopyala + + + Copy All + Tümünü Kopyala + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Kısayol oluşturma + + + Shortcut created successfully! + Kısayol başarıyla oluşturuldu! + + + Error + Hata + + + Error creating shortcut! + Kısayol oluşturulurken hata oluştu! + + + Install PKG + PKG Yükle + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Klasörü Seç + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Elf Klasörünü Aç/Ekle + + + Install Packages (PKG) + Paketleri Kur (PKG) + + + Boot Game + Oyunu Başlat + + + Check for Updates + Güncellemeleri kontrol et + + + About shadPS4 + shadPS4 Hakkında + + + Configure... + Yapılandır... + + + Install application from a .pkg file + .pkg dosyasından uygulama yükle + + + Recent Games + Son Oyunlar + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Çıkış + + + Exit shadPS4 + shadPS4'ten Çık + + + Exit the application. + Uygulamadan çık. + + + Show Game List + Oyun Listesini Göster + + + Game List Refresh + Oyun Listesini Yenile + + + Tiny + Küçük + + + Small + Ufak + + + Medium + Orta + + + Large + Büyük + + + List View + Liste Görünümü + + + Grid View + Izgara Görünümü + + + Elf Viewer + Elf Görüntüleyici + + + Game Install Directory + Oyun Kurulum Klasörü + + + Download Cheats/Patches + Hileleri/Yamaları İndir + + + Dump Game List + Oyun Listesini Kaydet + + + PKG Viewer + PKG Görüntüleyici + + + Search... + Ara... + + + File + Dosya + + + View + Görünüm + + + Game List Icons + Oyun Listesi Simgeleri + + + Game List Mode + Oyun Listesi Modu + + + Settings + Ayarlar + + + Utils + Yardımcı Araçlar + + + Themes + Temalar + + + Help + Yardım + + + Dark + Koyu + + + Light + Açık + + + Green + Yeşil + + + Blue + Mavi + + + Violet + Mor + + + toolBar + Araç Çubuğu + + + Game List + Oyun Listesi + + + * Unsupported Vulkan Version + * Desteklenmeyen Vulkan Sürümü + + + Download Cheats For All Installed Games + Tüm Yüklenmiş Oyunlar İçin Hileleri İndir + + + Download Patches For All Games + Tüm Oyunlar İçin Yamaları İndir + + + Download Complete + İndirme Tamamlandı + + + You have downloaded cheats for all the games you have installed. + Yüklediğiniz tüm oyunlar için hileleri indirdiniz. + + + Patches Downloaded Successfully! + Yamalar Başarıyla İndirildi! + + + All Patches available for all games have been downloaded. + Tüm oyunlar için mevcut tüm yamalar indirildi. + + + Games: + Oyunlar: + + + ELF files (*.bin *.elf *.oelf) + ELF Dosyaları (*.bin *.elf *.oelf) + + + Game Boot + Oyun Başlatma + + + Only one file can be selected! + Sadece bir dosya seçilebilir! + + + PKG Extraction + PKG Çıkartma + + + Patch detected! + Yama tespit edildi! + + + PKG and Game versions match: + PKG ve oyun sürümleri uyumlu: + + + Would you like to overwrite? + Üzerine yazmak ister misiniz? + + + PKG Version %1 is older than installed version: + PKG Sürümü %1, kurulu sürümden daha eski: + + + Game is installed: + Oyun yüklendi: + + + Would you like to install Patch: + Yamanın yüklenmesini ister misiniz: + + + DLC Installation + DLC Yükleme + + + Would you like to install DLC: %1? + DLC'yi yüklemek ister misiniz: %1? + + + DLC already installed: + DLC zaten yüklü: + + + Game already installed + Oyun zaten yüklü + + + PKG ERROR + PKG HATASI + + + Extracting PKG %1/%2 + PKG Çıkarılıyor %1/%2 + + + Extraction Finished + Çıkarma Tamamlandı + + + Game successfully installed at %1 + Oyun başarıyla %1 konumuna yüklendi + + + File doesn't appear to be a valid PKG file + Dosya geçerli bir PKG dosyası gibi görünmüyor + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Klasörü Aç + + + Name + Ad + + + Serial + Seri Numarası + + + Installed + + + + Size + Boyut + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Bölge + + + Flags + + + + Path + Yol + + + File + Dosya + + + PKG ERROR + PKG HATASI + + + Unknown + Bilinmeyen + + + Package + + + + + SettingsDialog + + Settings + Ayarlar + + + General + Genel + + + System + Sistem + + + Console Language + Konsol Dili + + + Emulator Language + Emülatör Dili + + + Emulator + Emülatör + + + Enable Fullscreen + Tam Ekranı Etkinleştir + + + Fullscreen Mode + Tam Ekran Modu + + + Enable Separate Update Folder + Ayrı Güncelleme Klasörünü Etkinleştir + + + Default tab when opening settings + Ayarlar açıldığında varsayılan sekme + + + Show Game Size In List + Oyun Boyutunu Listede Göster + + + Show Splash + Başlangıç Ekranını Göster + + + Enable Discord Rich Presence + Discord Rich Presence'i etkinleştir + + + Username + Kullanıcı Adı + + + Trophy Key + Kupa Anahtarı + + + Trophy + Kupa + + + Logger + Kayıt Tutucu + + + Log Type + Kayıt Türü + + + Log Filter + Kayıt Filtresi + + + Open Log Location + Günlük Konumunu Aç + + + Input + Girdi + + + Cursor + İmleç + + + Hide Cursor + İmleci Gizle + + + Hide Cursor Idle Timeout + İmleç İçin Hareketsizlik Zaman Aşımı + + + s + s + + + Controller + Kontrolcü + + + Back Button Behavior + Geri Dön Butonu Davranışı + + + Graphics + Grafikler + + + GUI + Arayüz + + + User + Kullanıcı + + + Graphics Device + Grafik Cihazı + + + Width + Genişlik + + + Height + Yükseklik + + + Vblank Divider + Vblank Bölücü + + + Advanced + Gelişmiş + + + Enable Shaders Dumping + Shader Kaydını Etkinleştir + + + Enable NULL GPU + NULL GPU'yu Etkinleştir + + + Paths + Yollar + + + Game Folders + Oyun Klasörleri + + + Add... + Ekle... + + + Remove + Kaldır + + + Debug + Hata Ayıklama + + + Enable Debug Dumping + Hata Ayıklama Dökümü Etkinleştir + + + Enable Vulkan Validation Layers + Vulkan Doğrulama Katmanlarını Etkinleştir + + + Enable Vulkan Synchronization Validation + Vulkan Senkronizasyon Doğrulamasını Etkinleştir + + + Enable RenderDoc Debugging + RenderDoc Hata Ayıklamayı Etkinleştir + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Güncelle + + + Check for Updates at Startup + Başlangıçta güncellemeleri kontrol et + + + Always Show Changelog + Her zaman değişiklik günlüğünü göster + + + Update Channel + Güncelleme Kanalı + + + Check for Updates + Güncellemeleri Kontrol Et + + + GUI Settings + GUI Ayarları + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Kupa Açılır Pencerelerini Devre Dışı Bırak + + + Play title music + Başlık müziğini çal + + + Update Compatibility Database On Startup + Başlangıçta Uyumluluk Veritabanını Güncelle + + + Game Compatibility + Oyun Uyumluluğu + + + Display Compatibility Data + Uyumluluk Verilerini Göster + + + Update Compatibility Database + Uyumluluk Veritabanını Güncelle + + + Volume + Ses Seviyesi + + + Save + Kaydet + + + Apply + Uygula + + + Restore Defaults + Varsayılanları Geri Yükle + + + Close + Kapat + + + Point your mouse at an option to display its description. + Seçenek üzerinde farenizi tutarak açıklamasını görüntüleyin. + + + consoleLanguageGroupBox + Konsol Dili:\nPS4 oyununun kullandığı dili ayarlar.\nBu seçeneği, oyunun desteklediği bir dilde ayarlamanız önerilir; bu durum bölgeye göre değişebilir. + + + emulatorLanguageGroupBox + Emülatör Dili:\nEmülatörün kullanıcı arayüzünün dilini ayarlar. + + + fullscreenCheckBox + Tam Ekranı Etkinleştir:\nOyun penceresini otomatik olarak tam ekran moduna alır.\nBu, F11 tuşuna basarak geçiş yapılabilir. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Açılış Ekranını Göster:\nOyun açılırken (özel bir görüntü) açılış ekranını gösterir. + + + discordRPCCheckbox + Discord Rich Presence'i etkinleştir:\nEmülatör simgesini ve Discord profilinizdeki ilgili bilgileri gösterir. + + + userName + Kullanıcı Adı:\nBazı oyunlar tarafından gösterilebilen PS4 hesabının kullanıcı adını ayarlar. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Günlük Türü:\nPerformans için günlük penceresi çıkışını senkronize etme durumunu ayarlar. Bu, emülasyonda olumsuz etkilere yol açabilir. + + + logFilter + Günlük Filtre:\nSadece belirli bilgileri yazdırmak için günlüğü filtreler.\nÖrnekler: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Düzeyler: Trace, Debug, Info, Warning, Error, Critical - bu sırada, belirli bir seviye listede önceki tüm seviyeleri susturur ve sonraki tüm seviyeleri kaydeder. + + + updaterGroupBox + Güncelleme:\nRelease: Her ay yayınlanan resmi sürümler; çok eski olabilirler, ancak daha güvenilirdir ve test edilmiştir.\nNightly: Tüm en son özellikler ve düzeltmeler ile birlikte geliştirme sürümleri; hatalar içerebilir ve daha az kararlıdırlar. + + + GUIMusicGroupBox + Başlık Müziklerini Çal:\nEğer bir oyun bunu destekliyorsa, GUI'de oyunu seçtiğinizde özel müziklerin çalmasını etkinleştirir. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + İmleci gizle:\nİmlecin ne zaman kaybolacağını seçin:\nAsla: Fareyi her zaman göreceksiniz.\nPasif: Hareketsiz kaldıktan sonra kaybolması için bir süre belirleyin.\nHer zaman: fareyi asla göremeyeceksiniz. + + + idleTimeoutGroupBox + Hareket etmeden sonra imlecin kaybolacağı süreyi ayarlayın. + + + backButtonBehaviorGroupBox + Geri düğmesi davranışı:\nKontrol cihazındaki geri düğmesini, PS4'ün dokunmatik panelindeki belirlenen noktaya dokunmak için ayarlar. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Asla + + + Idle + Boşta + + + Always + Her zaman + + + Touchpad Left + Dokunmatik Yüzey Sol + + + Touchpad Right + Dokunmatik Yüzey Sağ + + + Touchpad Center + Dokunmatik Yüzey Orta + + + None + Yok + + + graphicsAdapterGroupBox + Grafik Aygıtı:\nBirden fazla GPU'ya sahip sistemlerde, emülatörün kullanacağı GPU'yu açılır listeden seçin,\nor "Auto Select" seçeneğini seçerek otomatik olarak belirlenmesini sağlayın. + + + resolutionLayout + Genişlik/Yükseklik:\nEmülatör penceresinin açılışta boyutunu ayarlar; bu, oyun sırasında yeniden boyutlandırılabilir.\nBu, oyundaki çözünürlükten farklıdır. + + + heightDivider + Vblank Bölücü:\nEmülatörün yenileme hızı bu sayı ile çarpılır. Bu değerin değiştirilmesi olumsuz etkilere yol açabilir; oyun hızını artırabilir veya oyunun beklemediği kritik işlevselliği bozabilir! + + + dumpShadersCheckBox + Shader'ları Dışa Aktarmayı Etkinleştir:\nTeknik hata ayıklama amacıyla, shader'ları render edildikçe bir klasöre kaydeder. + + + nullGpuCheckBox + Null GPU'yu Etkinleştir:\nTeknik hata ayıklama amacıyla, oyunun render edilmesini grafik kartı yokmuş gibi devre dışı bırakır. + + + gameFoldersBox + Oyun klasörleri:\nYüklenmiş oyunları kontrol etmek için klasörlerin listesi. + + + addFolderButton + Ekle:\nListeye bir klasör ekle. + + + removeFolderButton + Kaldır:\nListeden bir klasörü kaldır. + + + debugDump + Hata Ayıklama için Dışa Aktarmayı Etkinleştir:\nŞu anda çalışan PS4 uygulaması için içe aktarılan ve dışa aktarılan sembolleri ve dosya başlık bilgilerini bir dizine kaydedin. + + + vkValidationCheckBox + Vulkan Doğrulama Katmanlarını Etkinleştir:\nVulkan renderlayıcısının durumunu doğrulayan ve iç durum hakkında bilgi kaydeden bir sistemi etkinleştirir. Bu, performansı düşürür ve muhtemelen emülasyon davranışını değiştirir. + + + vkSyncValidationCheckBox + Vulkan Senkronizasyon Doğrulamasını Etkinleştir:\nVulkan renderlama görevlerinin senkronizasyonunu doğrulayan bir sistemi etkinleştirir. Bu, performansı düşürür ve muhtemelen emülasyon davranışını değiştirir. + + + rdocCheckBox + RenderDoc Hata Ayıklamayı Etkinleştir:\nEğer etkinleştirilirse, emülatör mevcut render edilmiş çerçeveyi yakalamak ve analiz etmek için Renderdoc ile uyumluluk sunar. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Gözat + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Oyunların yükleneceği klasör + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Kupa Görüntüleyici + + diff --git a/src/qt_gui/translations/uk_UA.ts b/src/qt_gui/translations/uk_UA.ts index 3b880b9ab..e1b2e2fa3 100644 --- a/src/qt_gui/translations/uk_UA.ts +++ b/src/qt_gui/translations/uk_UA.ts @@ -1,1572 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - Про shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 - це експериментальний емулятор з відкритим вихідним кодом для PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - Це програмне забезпечення не повинно використовуватися для запуску ігор, котрі ви отримали не легально. - - - - ElfViewer - - Open Folder - Відкрити папку - - - - GameInfoClass - - Loading game list, please wait :3 - Завантажуємо список ігор, будь ласка, зачекайте :3 - - - Cancel - Відмінити - - - Loading... - Завантаження... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Виберіть папку - - - Select which directory you want to install to. - Виберіть папку, до якої ви хочете встановити. - - - Install All Queued to Selected Folder - Встановити все з черги до вибраної папки - - - Delete PKG File on Install - Видалити файл PKG під час встановлення - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Виберіть папку - - - Directory to install games - Папка для встановлення ігор - - - Browse - Обрати - - - Error - Помилка - - - The value for location to install games is not valid. - Не коректне значення розташування для встановлення ігор. - - - - GuiContextMenus - - Create Shortcut - Створити Ярлик - - - Cheats / Patches - Чити та Патчі - - - SFO Viewer - Перегляд SFO - - - Trophy Viewer - Перегляд трофеїв - - - Open Folder... - Відкрити Папку... - - - Open Game Folder - Відкрити папку гри - - - Open Update Folder - Відкрити папку оновлень - - - Open Save Data Folder - Відкрити папку збережень гри - - - Open Log Folder - Відкрити папку логів - - - Copy info... - Копіювати інформацію... - - - Copy Name - Копіювати назву гри - - - Copy Serial - Копіювати серійний номер - - - Copy Version - Копіювати версію - - - Copy Size - Копіювати розмір - - - Copy All - Копіювати все - - - Delete... - Видалити... - - - Delete Game - Видалити гру - - - Delete Update - Видалити оновлення - - - Delete Save Data - Видалити збереження - - - Delete DLC - Видалити DLC - - - Compatibility... - Сумісність... - - - Update database - Оновити базу даних - - - View report - Переглянути звіт - - - Submit a report - Створити звіт - - - Shortcut creation - Створення ярлика - - - Shortcut created successfully! - Ярлик створений успішно! - - - Error - Помилка - - - Error creating shortcut! - Помилка при створенні ярлика! - - - Install PKG - Встановити PKG - - - Game - гри - - - requiresEnableSeparateUpdateFolder_MSG - Ця функція потребує увімкнути опцію 'Окрема папка оновлень'. Якщо ви хочете використовувати цю функцію, будь ласка, увімкніть її. - - - This game has no update to delete! - Ця гра не має оновлень для видалення! - - - This game has no update folder to open! - Ця гра не має папки оновленнь, щоб відкрити її! - - - Update - Оновлення - - - This game has no save data to delete! - Ця гра не містить збережень, які можна видалити! - - - Save Data - Збереження - - - This game has no DLC to delete! - Ця гра не має DLC для видалення! - - - DLC - DLC - - - Delete %1 - Видалення %1 - - - Are you sure you want to delete %1's %2 directory? - Ви впевнені, що хочете видалити %1 з папки %2? - - - - MainWindow - - Open/Add Elf Folder - Відкрити/Додати папку Elf - - - Install Packages (PKG) - Встановити пакети (PKG) - - - Boot Game - Запустити гру - - - Check for Updates - Перевірити наявність оновлень - - - About shadPS4 - Про shadPS4 - - - Configure... - Налаштувати... - - - Install application from a .pkg file - Встановити додаток з файлу .pkg - - - Recent Games - Нещодавні ігри - - - Open shadPS4 Folder - Відкрити папку shadPS4 - - - Exit - Вихід - - - Exit shadPS4 - Вийти з shadPS4 - - - Exit the application. - Вийти з додатку. - - - Show Game List - Показати список ігор - - - Game List Refresh - Оновити список ігор - - - Tiny - Крихітний - - - Small - Маленький - - - Medium - Середній - - - Large - Великий - - - List View - Список - - - Grid View - Сітка - - - Elf Viewer - Виконуваний файл - - - Game Install Directory - Каталоги встановлення ігор та оновлень - - - Download Cheats/Patches - Завантажити Чити/Патчі - - - Dump Game List - Дамп списку ігор - - - PKG Viewer - Перегляд PKG - - - Search... - Пошук... - - - File - Файл - - - View - Вид - - - Game List Icons - Розмір значків списку ігор - - - Game List Mode - Вид списку ігор - - - Settings - Налаштування - - - Utils - Утиліти - - - Themes - Теми - - - Help - Допомога - - - Dark - Темна - - - Light - Світла - - - Green - Зелена - - - Blue - Синя - - - Violet - Фіолетова - - - toolBar - Панель інструментів - - - Game List - Список ігор - - - * Unsupported Vulkan Version - * Непідтримувана версія Vulkan - - - Download Cheats For All Installed Games - Завантажити чити для усіх встановлених ігор - - - Download Patches For All Games - Завантажити патчі для всіх ігор - - - Download Complete - Завантаження завершено - - - You have downloaded cheats for all the games you have installed. - Ви завантажили чити для усіх встановлених ігор. - - - Patches Downloaded Successfully! - Патчі успішно завантажено! - - - All Patches available for all games have been downloaded. - Завантажено всі доступні патчі для всіх ігор. - - - Games: - Ігри: - - - PKG File (*.PKG) - Файл PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Файли ELF (*.bin *.elf *.oelf) - - - Game Boot - Запуск гри - - - Only one file can be selected! - Можна вибрати лише один файл! - - - PKG Extraction - Розпакування PKG - - - Patch detected! - Виявлено патч! - - - PKG and Game versions match: - Версії PKG та гри збігаються: - - - Would you like to overwrite? - Бажаєте перезаписати? - - - PKG Version %1 is older than installed version: - Версія PKG %1 старіша за встановлену версію: - - - Game is installed: - Встановлена гра: - - - Would you like to install Patch: - Бажаєте встановити патч: - - - DLC Installation - Встановлення DLC - - - Would you like to install DLC: %1? - Ви бажаєте встановити DLC: %1? - - - DLC already installed: - DLC вже встановлено: - - - Game already installed - Гра вже встановлена - - - PKG is a patch, please install the game first! - PKG - це патч, будь ласка, спочатку встановіть гру! - - - PKG ERROR - ПОМИЛКА PKG - - - Extracting PKG %1/%2 - Витягування PKG %1/%2 - - - Extraction Finished - Розпакування завершено - - - Game successfully installed at %1 - Гру успішно встановлено у %1 - - - File doesn't appear to be a valid PKG file - Файл не є дійсним PKG-файлом - - - - PKGViewer - - Open Folder - Відкрити папку - - - - TrophyViewer - - Trophy Viewer - Трофеї - - - - SettingsDialog - - Settings - Налаштування - - - General - Загальні - - - System - Система - - - Console Language - Мова консолі - - - Emulator Language - Мова емулятора - - - Emulator - Емулятор - - - Enable Fullscreen - Увімкнути повноекранний режим - - - Fullscreen Mode - Тип повноекранного режиму - - - Borderless - Без рамок - - - True - Повний екран - - - Enable Separate Update Folder - Увімкнути окрему папку оновлень - - - Default tab when opening settings - Вкладка за замовчуванням при відкритті налаштувань - - - Show Game Size In List - Показати розмір гри у списку - - - Show Splash - Показувати заставку - - - Is PS4 Pro - Режим PS4 Pro - - - Enable Discord Rich Presence - Увімкнути Discord Rich Presence - - - Username - Ім'я користувача - - - Trophy Key - Ключ трофеїв - - - Trophy - Трофеї - - - Logger - Логування - - - Log Type - Тип логів - - - async - Асинхронний - - - sync - Синхронний - - - Log Filter - Фільтр логів - - - Open Log Location - Відкрити місце розташування журналу - - - Input - Введення - - - Cursor - Курсор миші - - - Hide Cursor - Приховати курсор - - - Hide Cursor Idle Timeout - Тайм-аут приховування курсора при бездіяльності - - - s - сек - - - Controller - Контролер - - - Back Button Behavior - Перепризначення кнопки назад - - - Enable Motion Controls - Увімкнути керування рухом - - - Graphics - Графіка - - - GUI - Інтерфейс - - - User - Користувач - - - Graphics Device - Графічний пристрій - - - Width - Ширина - - - Height - Висота - - - Vblank Divider - Розділювач Vblank - - - Advanced - Розширені - - - Enable Shaders Dumping - Увімкнути дамп шейдерів - - - Auto Select - Автовибір - - - Enable NULL GPU - Увімкнути NULL GPU - - - Paths - Шляхи - - - Game Folders - Ігрові папки - - - Add... - Додати... - - - Remove - Вилучити - - - Save Data Path - Шлях до файлів збережень - - - Debug - Налагодження - - - Enable Debug Dumping - Увімкнути налагоджувальні дампи - - - Enable Vulkan Validation Layers - Увімкнути шари валідації Vulkan - - - Enable Vulkan Synchronization Validation - Увімкнути валідацію синхронізації Vulkan - - - Enable RenderDoc Debugging - Увімкнути налагодження RenderDoc - - - Enable Crash Diagnostics - Увімкнути діагностику збоїв - - - Collect Shaders - Збирати шейдери - - - Copy GPU Buffers - Копіювати буфери GPU - - - Host Debug Markers - Хостові маркери налагодження - - - Guest Debug Markers - Гостьові маркери налагодження - - - - Update - Оновлення - - - Check for Updates at Startup - Перевіряти оновлення під час запуску - - - Always Show Changelog - Завжди показувати журнал змін - - - Update Channel - Канал оновлення - - - Release - Релізний - - - Nightly - Тестовий - - - Check for Updates - Перевірити оновлення - - - GUI Settings - Інтерфейс - - - Title Music - Титульна музика - - - Disable Trophy Pop-ups - Вимкнути спливаючі вікна трофеїв - - - Background Image - Фонове зображення - - - Show Background Image - Показувати фонове зображення - - - Opacity - Непрозорість - - - Play title music - Програвати титульну музику - - - Update Compatibility Database On Startup - Оновлення даних ігрової сумісності під час запуску - - - Game Compatibility - Сумісність з іграми - - - Display Compatibility Data - Відображати данні ігрової сумістністі - - - Update Compatibility Database - Оновити данні ігрової сумістності - - - Volume - Гучність - - - Audio Backend - Аудіосистема - - - Save - Зберегти - - - Apply - Застосувати - - - Restore Defaults - За замовчуванням - - - Close - Закрити - - - Point your mouse at an option to display its description. - Наведіть курсор миші на опцію, щоб відобразити її опис. - - - consoleLanguageGroupBox - Мова консолі:\nВстановіть мову, яка буде використовуватись у іграх PS4.\nРекомендується встановити мову котра підтримується грою, оскільки вона може відрізнятися в залежності від регіону. - - - emulatorLanguageGroupBox - Мова емулятора:\nВстановіть мову користувацького інтерфейсу емулятора. - - - fullscreenCheckBox - Повноекранний режим:\nАвтоматично переводить вікно гри у повноекранний режим.\nВи можете відключити це, натиснувши клавішу F11. - - - separateUpdatesCheckBox - Окрема папка для оновлень:\nДає змогу встановлювати оновлення гри в окрему папку для зручності. - - - showSplashCheckBox - Показувати заставку:\nВідображає заставку гри (спеціальне зображення) під час запуску гри. - - - ps4proCheckBox - Режим PS4 Pro:\nЗмушує емулятор працювати як PS4 Pro, що може ввімкнути спеціальні функції в іграх, які підтримують це. - - - discordRPCCheckbox - Увімкнути Discord Rich Presence:\nВідображає значок емулятора та відповідну інформацію у вашому профілі Discord. - - - userName - Ім'я користувача:\nВстановіть ім'я користувача акаунта PS4. Воно може відображатися в деяких іграх. - - - TrophyKey - Ключ трофеїв:\nКлюч для розшифровки трофеїв. Може бути отриманий зі зламаної консолі.\nПовинен містити лише шістнадцяткові символи. - - - logTypeGroupBox - Тип логів:\nВстановіть, чи синхронізувати виведення вікна логів заради продуктивності. Це може негативно вплинути на емуляцію. - - - logFilter - Фільтр логів:\nФільтрує логи, щоб показувати тільки певну інформацію.\nПриклади: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Рівні: Trace, Debug, Info, Warning, Error, Critical - у цьому порядку, конкретний рівень глушить усі попередні рівні у списку і показує всі наступні рівні. - - - updaterGroupBox - Оновлення:\nРелізний: Офіційні версії, які випускаються щомісяця і можуть бути дуже старими, але вони більш надійні та перевірені.\nТестовий: Версії для розробників, які мають усі найновіші функції та виправлення, але можуть містити помилки та є менш стабільними. - - - GUIBackgroundImageGroupBox - Фонове зображення:\nКерує непрозорістю фонового зображення гри. - - - GUIMusicGroupBox - Грати титульну музику:\nВмикає відтворення спеціальної музики під час вибору гри в списку, якщо вона це підтримує. - - - disableTrophycheckBox - Вимкнути спливаючі вікна трофеїв:\nВимикає сповіщення про ігрові трофеї. Прогрес трофея все ще можна відстежувати за допомогою "Перегляд трофеїв" (клацніть правою кнопкою миші на грі у головному вікні). - - - hideCursorGroupBox - Приховувати курсор:\nВиберіть, коли курсор зникатиме:\nНіколи: Курсор миші завжди буде видимий.\nПри бездіяльності: Встановіть час, через який курсор зникне в разі бездіяльності.\nЗавжди: Курсор миші завжди буде прихований. - - - idleTimeoutGroupBox - Встановіть час, через який курсор зникне в разі бездіяльності. - - - backButtonBehaviorGroupBox - Перепризначення кнопки «Назад»:\nНалаштовує кнопку «Назад» контролера на емуляцію натискання на зазначену область на сенсорній панелі контролера PS4. - - - enableCompatibilityCheckBox - Відображати данні ігрової сумістністі:\nВідображає інформацію про сумісність ігор у вигляді таблиці. Увімкніть "Оновлення даних ігрової сумісності під час запуску" для отримання актуальної інформації. - - - checkCompatibilityOnStartupCheckBox - Оновлення даних ігрової сумісності під час запуску:\nАвтоматично оновлює базу даних ігрової сумісності під час запуску shadPS4. - - - updateCompatibilityButton - Оновити данні ігрової сумістності:\nНегайно оновить базу даних ігрової сумісності. - - - Never - Ніколи - - - Idle - При бездіяльності - - - Always - Завжди - - - Touchpad Left - Ліва сторона тачпаду - - - Touchpad Right - Права сторона тачпаду - - - Touchpad Center - Середина тачпаду - - - None - Без змін - - - graphicsAdapterGroupBox - Графічний пристрій:\nУ системах із кількома GPU виберіть з випадаючого списку GPU, який буде використовувати емулятор,\nабо виберіть "Автовибір", щоб визначити його автоматично. - - - resolutionLayout - Ширина/Висота:\nВстановіть розмір вікна емулятора під час запуску, який може бути змінений під час гри.\nЦе відрізняється від роздільної здатності в грі. - - - heightDivider - Розділювач Vblank:\nЧастота кадрів, з якою оновлюється емулятор, множиться на це число. Зміна цього параметра може мати негативні наслідки, такі як збільшення швидкості гри або порушення критичних функцій гри, які цього не очікують! - - - dumpShadersCheckBox - Увімкнути дамп шейдерів:\nДля технічного налагодження зберігає шейдери ігор у папку під час рендерингу. - - - nullGpuCheckBox - Увімкнути NULL GPU:\nДля технічного налагодження відключає рендеринг гри так, ніби графічної карти немає. - - - gameFoldersBox - Ігрові папки:\nСписок папок, що скануватимуться для виявлення ігор. - - - addFolderButton - Додати:\nДодати папку в список. - - - removeFolderButton - Вилучити:\nВилучити папку зі списку. - - - debugDump - Увімкнути налагоджувальні дампи:\nЗберігає символи імпорту, експорту та інформацію про заголовок файлу поточної виконуваної програми PS4 у папку. - - - vkValidationCheckBox - Увімкнути шари валідації Vulkan:\nВключає систему, яка перевіряє стан рендерера Vulkan і логує інформацію про його внутрішній стан. Це знизить продуктивність і, ймовірно, змінить поведінку емуляції. - - - vkSyncValidationCheckBox - Увімкнути валідацію синхронізації Vulkan:\nВключає систему, яка перевіряє таймінг завдань рендерингу Vulkan. Це знизить продуктивність і, ймовірно, змінить поведінку емуляції. - - - rdocCheckBox - Увімкнути налагодження RenderDoc:\nЯкщо увімкнено, емулятор забезпечить сумісність із Renderdoc, даючи змогу захоплювати й аналізувати поточні кадри під час рендерингу. - - - collectShaderCheckBox - Збирати шейдери:\nВам потрібно увімкнути цю опцію, щоб редагувати шейдери за допомогою меню налагодження (Ctrl + F10). - - - crashDiagnosticsCheckBox - Діагностика збоїв:\nСтворює .yaml файл з інформацією про стан Vulkan на момент збою.\nКорисно для налагодження помилок 'Device lost'. Якщо у вас увімкнено цей параметр, вам слід увімкнути маркери налагодження Хоста ТА Гостя.\nНе працює на графічних процесорах Intel.\nДля цього вам потрібно увімкнути шари валідації Vulkan і мати Vulkan SDK. - - - copyGPUBuffersCheckBox - Копіювати буфери GPU:\nДозволяє обійти проблеми синхронізації, пов'язані з відправленням даних на GPU\nМоже як допомогти, так і не вплинути на збої типу PM4 (тип 0). - - - hostMarkersCheckBox - Хостові маркери налагодження:\nДодає інформацію емулятора, наприклад маркери для конкретних команд AMDGPU у Vulkan, також присвоює ресурсам налагоджувані назви.\nЯкщо ця опція увімкнена, рекомендується також активувати діагностику збоїв.\nКорисно для програм на кшталт RenderDoc. - - - guestMarkersCheckBox - Гостьові маркери налагодження:\nВставляє налагоджувані маркери, які сама гра додала до командного буфера.\nЯкщо ця опція увімкнена, рекомендується також активувати діагностику збоїв.\nКорисно для програм на кшталт RenderDoc. - - - saveDataBox - Шлях до файлів збережень:\nПапка, де будуть зберігатися ігрові збереження. - - - browseButton - Вибрати:\nВиберіть папку для ігрових збережень. - - - - CheatsPatches - - Cheats / Patches for - Чити та Патчі для - - - defaultTextEdit_MSG - Чити та Патчі є експериментальними.\nВикористовуйте з обережністю.\n\nЗавантажуйте чити окремо, вибравши репозиторій і натиснувши кнопку завантаження.\nУ вкладці "Патчі" ви можете завантажити всі патчі відразу, вибрати, які з них ви хочете використовувати, і зберегти свій вибір.\n\nОскільки ми не займаємося розробкою читів/патчів,\nбудь ласка, повідомляйте про проблеми автору чита/патча.\n\nСтворили новий чит? Відвідайте:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Зображення відсутнє - - - Serial: - Серійний номер: - - - Version: - Версія: - - - Size: - Розмір: - - - Select Cheat File: - Виберіть файл читу: - - - Repository: - Репозиторій: - - - Download Cheats - Завантажити чити - - - Delete File - Видалити файл - - - No files selected. - Файли не вибрані. - - - You can delete the cheats you don't want after downloading them. - Ви можете видалити непотрібні чити після їх завантаження. - - - Do you want to delete the selected file?\n%1 - Ви хочете видалити вибраний файл?\n%1 - - - Select Patch File: - Виберіть файл патчу: - - - Download Patches - Завантажити патчі - - - Save - Зберегти - - - Cheats - Чити - - - Patches - Патчі - - - Error - Помилка - - - No patch selected. - Патч не вибрано. - - - Unable to open files.json for reading. - Не вдалось відкрити files.json для читання. - - - No patch file found for the current serial. - Файл патча для поточного серійного номера не знайдено. - - - Unable to open the file for reading. - Не вдалося відкрити файл для читання. - - - Unable to open the file for writing. - Не вдалось відкрити файл для запису. - - - Failed to parse XML: - Не вдалося розібрати XML: - - - Success - Успіх - - - Options saved successfully. - Параметри успішно збережено. - - - Invalid Source - Неправильне джерело - - - The selected source is invalid. - Вибране джерело є недійсним. - - - File Exists - Файл існує - - - File already exists. Do you want to replace it? - Файл вже існує. Ви хочете замінити його? - - - Failed to save file: - Не вдалося зберегти файл: - - - Failed to download file: - Не вдалося завантажити файл: - - - Cheats Not Found - Читів не знайдено - - - CheatsNotFound_MSG - У вибраному репозиторії не знайдено Читів для цієї гри, спробуйте інший репозиторій або іншу версію гри. - - - Cheats Downloaded Successfully - Чити успішно завантажено - - - CheatsDownloadedSuccessfully_MSG - Ви успішно завантажили чити для цієї версії гри з обраного репозиторія. Ви можете спробувати завантажити з іншого репозиторія, якщо він буде доступним, ви також зможете скористатися ним, вибравши файл зі списку. - - - Failed to save: - Не вдалося зберегти: - - - Failed to download: - Не вдалося завантажити: - - - Download Complete - Заватнаження завершено - - - DownloadComplete_MSG - Патчі успішно завантажено! Всі доступні патчі для усіх ігор, завантажено, немає необхідності завантажувати їх окремо для кожної гри, як це відбувається у випадку з читами. Якщо патч не з’являється, можливо, його не існує для конкретного серійного номера та версії гри. Можливо, необхідно оновити гру. - - - Failed to parse JSON data from HTML. - Не вдалося розібрати JSON-дані з HTML. - - - Failed to retrieve HTML page. - Не вдалося отримати HTML-сторінку. - - - The game is in version: %1 - Версія гри: %1 - - - The downloaded patch only works on version: %1 - Завантажений патч працює лише на версії: %1 - - - You may need to update your game. - Можливо, вам потрібно оновити гру. - - - Incompatibility Notice - Повідомлення про несумісність - - - Failed to open file: - Не вдалося відкрити файл: - - - XML ERROR: - ПОМИЛКА XML: - - - Failed to open files.json for writing - Не вдалося відкрити files.json для запису - - - Author: - Автор: - - - Directory does not exist: - Каталогу не існує: - - - Failed to open files.json for reading. - Не вдалося відкрити files.json для читання. - - - Name: - Назва: - - - Can't apply cheats before the game is started - Неможливо застосовувати чити до початку гри. - - - - GameListFrame - - Icon - Значок - - - Name - Назва - - - Serial - Серійний номер - - - Compatibility - Сумісність - - - Region - Регіон - - - Firmware - Прошивка - - - Size - Розмір - - - Version - Версія - - - Path - Шлях - - - Play Time - Час у грі - - - Never Played - Ніколи не запускалась - - - h - год - - - m - хв - - - s - сек - - - Compatibility is untested - Сумісність не перевірена - - - Game does not initialize properly / crashes the emulator - Гра не ініціалізується належним чином або спричиняє збій емулятора. - - - Game boots, but only displays a blank screen - Гра запускається, але відображає лише чорний екран. - - - Game displays an image but does not go past the menu - Гра відображає зображення, але не проходить далі меню. - - - Game has game-breaking glitches or unplayable performance - У грі є критичні баги або погана продуктивність - - - Game can be completed with playable performance and no major glitches - Гру можна пройти з хорошою продуктивністю та без серйозних глюків. - - - Click to see details on github - Натисніть, щоб переглянути деталі на GitHub - - - Last updated - Останнє оновлення - - - - CheckUpdate - - Auto Updater - Автооновлення - - - Error - Помилка - - - Network error: - Мережева помилка: - - - Error_Github_limit_MSG - Автооновлення дозволяє до 60 перевірок оновлень на годину.\nВи досягли цього ліміту. Будь ласка, спробуйте пізніше. - - - Failed to parse update information. - Не вдалося розібрати інформацію про оновлення. - - - No pre-releases found. - Попередніх версій не знайдено. - - - Invalid release data. - Некоректні дані про випуск. - - - No download URL found for the specified asset. - Не знайдено URL для завантаження зазначеного ресурсу. - - - Your version is already up to date! - У вас актуальна версія! - - - Update Available - Доступне оновлення - - - Update Channel - Канал оновлення - - - Current Version - Поточна версія - - - Latest Version - Остання версія - - - Do you want to update? - Ви хочете оновитися? - - - Show Changelog - Показати журнал змін - - - Check for Updates at Startup - Перевірка оновлень під час запуску - - - Update - Оновитись - - - No - Ні - - - Hide Changelog - Приховати журнал змін - - - Changes - Журнал змін - - - Network error occurred while trying to access the URL - Сталася мережева помилка під час спроби доступу до URL - - - Download Complete - Завантаження завершено - - - The update has been downloaded, press OK to install. - Оновлення завантажено, натисніть OK для встановлення. - - - Failed to save the update file at - Не вдалося зберегти файл оновлення в - - - Starting Update... - Початок оновлення... - - - Failed to create the update script file - Не вдалося створити файл скрипта оновлення - - - - GameListUtils - - B - Б - - - KB - КБ - - - MB - - - - GB - ГБ - - - TB - ТБ - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Отримання даних про сумісність. Будь ласка, зачекайте - - - Cancel - Відмінити - - - Loading... - Завантаження... - - - Error - Помилка - - - Unable to update compatibility data! Try again later. - Не вдалося оновити дані про сумісність! Спробуйте ще раз пізніше. - - - Unable to open compatibility_data.json for writing. - Не вдалося відкрити файл compatibility_data.json для запису. - - - Unknown - Невідомо - - - Nothing - Не працює - - - Boots - Запускається - - - Menus - У меню - - - Ingame - У грі - - - Playable - Іграбельно - - + + AboutDialog + + About shadPS4 + Про shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 - це експериментальний емулятор з відкритим вихідним кодом для PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + Це програмне забезпечення не повинно використовуватися для запуску ігор, котрі ви отримали не легально. + + + + CheatsPatches + + Cheats / Patches for + Чити та Патчі для + + + defaultTextEdit_MSG + Чити та Патчі є експериментальними.\nВикористовуйте з обережністю.\n\nЗавантажуйте чити окремо, вибравши репозиторій і натиснувши кнопку завантаження.\nУ вкладці "Патчі" ви можете завантажити всі патчі відразу, вибрати, які з них ви хочете використовувати, і зберегти свій вибір.\n\nОскільки ми не займаємося розробкою читів/патчів,\nбудь ласка, повідомляйте про проблеми автору чита/патча.\n\nСтворили новий чит? Відвідайте:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Зображення відсутнє + + + Serial: + Серійний номер: + + + Version: + Версія: + + + Size: + Розмір: + + + Select Cheat File: + Виберіть файл читу: + + + Repository: + Репозиторій: + + + Download Cheats + Завантажити чити + + + Delete File + Видалити файл + + + No files selected. + Файли не вибрані. + + + You can delete the cheats you don't want after downloading them. + Ви можете видалити непотрібні чити після їх завантаження. + + + Do you want to delete the selected file?\n%1 + Ви хочете видалити вибраний файл?\n%1 + + + Select Patch File: + Виберіть файл патчу: + + + Download Patches + Завантажити патчі + + + Save + Зберегти + + + Cheats + Чити + + + Patches + Патчі + + + Error + Помилка + + + No patch selected. + Патч не вибрано. + + + Unable to open files.json for reading. + Не вдалось відкрити files.json для читання. + + + No patch file found for the current serial. + Файл патча для поточного серійного номера не знайдено. + + + Unable to open the file for reading. + Не вдалося відкрити файл для читання. + + + Unable to open the file for writing. + Не вдалось відкрити файл для запису. + + + Failed to parse XML: + Не вдалося розібрати XML: + + + Success + Успіх + + + Options saved successfully. + Параметри успішно збережено. + + + Invalid Source + Неправильне джерело + + + The selected source is invalid. + Вибране джерело є недійсним. + + + File Exists + Файл існує + + + File already exists. Do you want to replace it? + Файл вже існує. Ви хочете замінити його? + + + Failed to save file: + Не вдалося зберегти файл: + + + Failed to download file: + Не вдалося завантажити файл: + + + Cheats Not Found + Читів не знайдено + + + CheatsNotFound_MSG + У вибраному репозиторії не знайдено Читів для цієї гри, спробуйте інший репозиторій або іншу версію гри. + + + Cheats Downloaded Successfully + Чити успішно завантажено + + + CheatsDownloadedSuccessfully_MSG + Ви успішно завантажили чити для цієї версії гри з обраного репозиторія. Ви можете спробувати завантажити з іншого репозиторія, якщо він буде доступним, ви також зможете скористатися ним, вибравши файл зі списку. + + + Failed to save: + Не вдалося зберегти: + + + Failed to download: + Не вдалося завантажити: + + + Download Complete + Заватнаження завершено + + + DownloadComplete_MSG + Патчі успішно завантажено! Всі доступні патчі для усіх ігор, завантажено, немає необхідності завантажувати їх окремо для кожної гри, як це відбувається у випадку з читами. Якщо патч не з’являється, можливо, його не існує для конкретного серійного номера та версії гри. Можливо, необхідно оновити гру. + + + Failed to parse JSON data from HTML. + Не вдалося розібрати JSON-дані з HTML. + + + Failed to retrieve HTML page. + Не вдалося отримати HTML-сторінку. + + + The game is in version: %1 + Версія гри: %1 + + + The downloaded patch only works on version: %1 + Завантажений патч працює лише на версії: %1 + + + You may need to update your game. + Можливо, вам потрібно оновити гру. + + + Incompatibility Notice + Повідомлення про несумісність + + + Failed to open file: + Не вдалося відкрити файл: + + + XML ERROR: + ПОМИЛКА XML: + + + Failed to open files.json for writing + Не вдалося відкрити files.json для запису + + + Author: + Автор: + + + Directory does not exist: + Каталогу не існує: + + + Failed to open files.json for reading. + Не вдалося відкрити files.json для читання. + + + Name: + Назва: + + + Can't apply cheats before the game is started + Неможливо застосовувати чити до початку гри. + + + Close + Закрити + + + + CheckUpdate + + Auto Updater + Автооновлення + + + Error + Помилка + + + Network error: + Мережева помилка: + + + Error_Github_limit_MSG + Автооновлення дозволяє до 60 перевірок оновлень на годину.\nВи досягли цього ліміту. Будь ласка, спробуйте пізніше. + + + Failed to parse update information. + Не вдалося розібрати інформацію про оновлення. + + + No pre-releases found. + Попередніх версій не знайдено. + + + Invalid release data. + Некоректні дані про випуск. + + + No download URL found for the specified asset. + Не знайдено URL для завантаження зазначеного ресурсу. + + + Your version is already up to date! + У вас актуальна версія! + + + Update Available + Доступне оновлення + + + Update Channel + Канал оновлення + + + Current Version + Поточна версія + + + Latest Version + Остання версія + + + Do you want to update? + Ви хочете оновитися? + + + Show Changelog + Показати журнал змін + + + Check for Updates at Startup + Перевірка оновлень під час запуску + + + Update + Оновитись + + + No + Ні + + + Hide Changelog + Приховати журнал змін + + + Changes + Журнал змін + + + Network error occurred while trying to access the URL + Сталася мережева помилка під час спроби доступу до URL + + + Download Complete + Завантаження завершено + + + The update has been downloaded, press OK to install. + Оновлення завантажено, натисніть OK для встановлення. + + + Failed to save the update file at + Не вдалося зберегти файл оновлення в + + + Starting Update... + Початок оновлення... + + + Failed to create the update script file + Не вдалося створити файл скрипта оновлення + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Отримання даних про сумісність. Будь ласка, зачекайте + + + Cancel + Відмінити + + + Loading... + Завантаження... + + + Error + Помилка + + + Unable to update compatibility data! Try again later. + Не вдалося оновити дані про сумісність! Спробуйте ще раз пізніше. + + + Unable to open compatibility_data.json for writing. + Не вдалося відкрити файл compatibility_data.json для запису. + + + Unknown + Невідомо + + + Nothing + Не працює + + + Boots + Запускається + + + Menus + У меню + + + Ingame + У грі + + + Playable + Іграбельно + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Відкрити папку + + + + GameInfoClass + + Loading game list, please wait :3 + Завантажуємо список ігор, будь ласка, зачекайте :3 + + + Cancel + Відмінити + + + Loading... + Завантаження... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Виберіть папку + + + Directory to install games + Папка для встановлення ігор + + + Browse + Обрати + + + Error + Помилка + + + Directory to install DLC + + + + + GameListFrame + + Icon + Значок + + + Name + Назва + + + Serial + Серійний номер + + + Compatibility + Сумісність + + + Region + Регіон + + + Firmware + Прошивка + + + Size + Розмір + + + Version + Версія + + + Path + Шлях + + + Play Time + Час у грі + + + Never Played + Ніколи не запускалась + + + h + год + + + m + хв + + + s + сек + + + Compatibility is untested + Сумісність не перевірена + + + Game does not initialize properly / crashes the emulator + Гра не ініціалізується належним чином або спричиняє збій емулятора. + + + Game boots, but only displays a blank screen + Гра запускається, але відображає лише чорний екран. + + + Game displays an image but does not go past the menu + Гра відображає зображення, але не проходить далі меню. + + + Game has game-breaking glitches or unplayable performance + У грі є критичні баги або погана продуктивність + + + Game can be completed with playable performance and no major glitches + Гру можна пройти з хорошою продуктивністю та без серйозних глюків. + + + Click to see details on github + Натисніть, щоб переглянути деталі на GitHub + + + Last updated + Останнє оновлення + + + + GameListUtils + + B + Б + + + KB + КБ + + + MB + + + + GB + ГБ + + + TB + ТБ + + + + GuiContextMenus + + Create Shortcut + Створити Ярлик + + + Cheats / Patches + Чити та Патчі + + + SFO Viewer + Перегляд SFO + + + Trophy Viewer + Перегляд трофеїв + + + Open Folder... + Відкрити Папку... + + + Open Game Folder + Відкрити папку гри + + + Open Update Folder + Відкрити папку оновлень + + + Open Save Data Folder + Відкрити папку збережень гри + + + Open Log Folder + Відкрити папку логів + + + Copy info... + Копіювати інформацію... + + + Copy Name + Копіювати назву гри + + + Copy Serial + Копіювати серійний номер + + + Copy Version + Копіювати версію + + + Copy Size + Копіювати розмір + + + Copy All + Копіювати все + + + Delete... + Видалити... + + + Delete Game + Видалити гру + + + Delete Update + Видалити оновлення + + + Delete Save Data + Видалити збереження + + + Delete DLC + Видалити DLC + + + Compatibility... + Сумісність... + + + Update database + Оновити базу даних + + + View report + Переглянути звіт + + + Submit a report + Створити звіт + + + Shortcut creation + Створення ярлика + + + Shortcut created successfully! + Ярлик створений успішно! + + + Error + Помилка + + + Error creating shortcut! + Помилка при створенні ярлика! + + + Install PKG + Встановити PKG + + + Game + гри + + + This game has no update to delete! + Ця гра не має оновлень для видалення! + + + This game has no update folder to open! + Ця гра не має папки оновленнь, щоб відкрити її! + + + Update + Оновлення + + + This game has no save data to delete! + Ця гра не містить збережень, які можна видалити! + + + Save Data + Збереження + + + This game has no DLC to delete! + Ця гра не має DLC для видалення! + + + DLC + DLC + + + Delete %1 + Видалення %1 + + + Are you sure you want to delete %1's %2 directory? + Ви впевнені, що хочете видалити %1 з папки %2? + + + Failed to convert icon. + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Виберіть папку + + + Select which directory you want to install to. + Виберіть папку, до якої ви хочете встановити. + + + Install All Queued to Selected Folder + Встановити все з черги до вибраної папки + + + Delete PKG File on Install + Видалити файл PKG під час встановлення + + + + MainWindow + + Open/Add Elf Folder + Відкрити/Додати папку Elf + + + Install Packages (PKG) + Встановити пакети (PKG) + + + Boot Game + Запустити гру + + + Check for Updates + Перевірити наявність оновлень + + + About shadPS4 + Про shadPS4 + + + Configure... + Налаштувати... + + + Install application from a .pkg file + Встановити додаток з файлу .pkg + + + Recent Games + Нещодавні ігри + + + Open shadPS4 Folder + Відкрити папку shadPS4 + + + Exit + Вихід + + + Exit shadPS4 + Вийти з shadPS4 + + + Exit the application. + Вийти з додатку. + + + Show Game List + Показати список ігор + + + Game List Refresh + Оновити список ігор + + + Tiny + Крихітний + + + Small + Маленький + + + Medium + Середній + + + Large + Великий + + + List View + Список + + + Grid View + Сітка + + + Elf Viewer + Виконуваний файл + + + Game Install Directory + Каталоги встановлення ігор та оновлень + + + Download Cheats/Patches + Завантажити Чити/Патчі + + + Dump Game List + Дамп списку ігор + + + PKG Viewer + Перегляд PKG + + + Search... + Пошук... + + + File + Файл + + + View + Вид + + + Game List Icons + Розмір значків списку ігор + + + Game List Mode + Вид списку ігор + + + Settings + Налаштування + + + Utils + Утиліти + + + Themes + Теми + + + Help + Допомога + + + Dark + Темна + + + Light + Світла + + + Green + Зелена + + + Blue + Синя + + + Violet + Фіолетова + + + toolBar + Панель інструментів + + + Game List + Список ігор + + + * Unsupported Vulkan Version + * Непідтримувана версія Vulkan + + + Download Cheats For All Installed Games + Завантажити чити для усіх встановлених ігор + + + Download Patches For All Games + Завантажити патчі для всіх ігор + + + Download Complete + Завантаження завершено + + + You have downloaded cheats for all the games you have installed. + Ви завантажили чити для усіх встановлених ігор. + + + Patches Downloaded Successfully! + Патчі успішно завантажено! + + + All Patches available for all games have been downloaded. + Завантажено всі доступні патчі для всіх ігор. + + + Games: + Ігри: + + + ELF files (*.bin *.elf *.oelf) + Файли ELF (*.bin *.elf *.oelf) + + + Game Boot + Запуск гри + + + Only one file can be selected! + Можна вибрати лише один файл! + + + PKG Extraction + Розпакування PKG + + + Patch detected! + Виявлено патч! + + + PKG and Game versions match: + Версії PKG та гри збігаються: + + + Would you like to overwrite? + Бажаєте перезаписати? + + + PKG Version %1 is older than installed version: + Версія PKG %1 старіша за встановлену версію: + + + Game is installed: + Встановлена гра: + + + Would you like to install Patch: + Бажаєте встановити патч: + + + DLC Installation + Встановлення DLC + + + Would you like to install DLC: %1? + Ви бажаєте встановити DLC: %1? + + + DLC already installed: + DLC вже встановлено: + + + Game already installed + Гра вже встановлена + + + PKG ERROR + ПОМИЛКА PKG + + + Extracting PKG %1/%2 + Витягування PKG %1/%2 + + + Extraction Finished + Розпакування завершено + + + Game successfully installed at %1 + Гру успішно встановлено у %1 + + + File doesn't appear to be a valid PKG file + Файл не є дійсним PKG-файлом + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Відкрити папку + + + Name + Назва + + + Serial + Серійний номер + + + Installed + + + + Size + Розмір + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Регіон + + + Flags + + + + Path + Шлях + + + File + Файл + + + PKG ERROR + ПОМИЛКА PKG + + + Unknown + Невідомо + + + Package + + + + + SettingsDialog + + Settings + Налаштування + + + General + Загальні + + + System + Система + + + Console Language + Мова консолі + + + Emulator Language + Мова емулятора + + + Emulator + Емулятор + + + Enable Fullscreen + Увімкнути повноекранний режим + + + Fullscreen Mode + Тип повноекранного режиму + + + Borderless + Без рамок + + + True + Повний екран + + + Enable Separate Update Folder + Увімкнути окрему папку оновлень + + + Default tab when opening settings + Вкладка за замовчуванням при відкритті налаштувань + + + Show Game Size In List + Показати розмір гри у списку + + + Show Splash + Показувати заставку + + + Enable Discord Rich Presence + Увімкнути Discord Rich Presence + + + Username + Ім'я користувача + + + Trophy Key + Ключ трофеїв + + + Trophy + Трофеї + + + Logger + Логування + + + Log Type + Тип логів + + + async + Асинхронний + + + sync + Синхронний + + + Log Filter + Фільтр логів + + + Open Log Location + Відкрити місце розташування журналу + + + Input + Введення + + + Cursor + Курсор миші + + + Hide Cursor + Приховати курсор + + + Hide Cursor Idle Timeout + Тайм-аут приховування курсора при бездіяльності + + + s + сек + + + Controller + Контролер + + + Back Button Behavior + Перепризначення кнопки назад + + + Enable Motion Controls + Увімкнути керування рухом + + + Graphics + Графіка + + + GUI + Інтерфейс + + + User + Користувач + + + Graphics Device + Графічний пристрій + + + Width + Ширина + + + Height + Висота + + + Vblank Divider + Розділювач Vblank + + + Advanced + Розширені + + + Enable Shaders Dumping + Увімкнути дамп шейдерів + + + Auto Select + Автовибір + + + Enable NULL GPU + Увімкнути NULL GPU + + + Paths + Шляхи + + + Game Folders + Ігрові папки + + + Add... + Додати... + + + Remove + Вилучити + + + Save Data Path + Шлях до файлів збережень + + + Debug + Налагодження + + + Enable Debug Dumping + Увімкнути налагоджувальні дампи + + + Enable Vulkan Validation Layers + Увімкнути шари валідації Vulkan + + + Enable Vulkan Synchronization Validation + Увімкнути валідацію синхронізації Vulkan + + + Enable RenderDoc Debugging + Увімкнути налагодження RenderDoc + + + Enable Crash Diagnostics + Увімкнути діагностику збоїв + + + Collect Shaders + Збирати шейдери + + + Copy GPU Buffers + Копіювати буфери GPU + + + Host Debug Markers + Хостові маркери налагодження + + + Guest Debug Markers + Гостьові маркери налагодження + + + Update + Оновлення + + + Check for Updates at Startup + Перевіряти оновлення під час запуску + + + Always Show Changelog + Завжди показувати журнал змін + + + Update Channel + Канал оновлення + + + Release + Релізний + + + Nightly + Тестовий + + + Check for Updates + Перевірити оновлення + + + GUI Settings + Інтерфейс + + + Title Music + Титульна музика + + + Disable Trophy Pop-ups + Вимкнути спливаючі вікна трофеїв + + + Background Image + Фонове зображення + + + Show Background Image + Показувати фонове зображення + + + Opacity + Непрозорість + + + Play title music + Програвати титульну музику + + + Update Compatibility Database On Startup + Оновлення даних ігрової сумісності під час запуску + + + Game Compatibility + Сумісність з іграми + + + Display Compatibility Data + Відображати данні ігрової сумістністі + + + Update Compatibility Database + Оновити данні ігрової сумістності + + + Volume + Гучність + + + Save + Зберегти + + + Apply + Застосувати + + + Restore Defaults + За замовчуванням + + + Close + Закрити + + + Point your mouse at an option to display its description. + Наведіть курсор миші на опцію, щоб відобразити її опис. + + + consoleLanguageGroupBox + Мова консолі:\nВстановіть мову, яка буде використовуватись у іграх PS4.\nРекомендується встановити мову котра підтримується грою, оскільки вона може відрізнятися в залежності від регіону. + + + emulatorLanguageGroupBox + Мова емулятора:\nВстановіть мову користувацького інтерфейсу емулятора. + + + fullscreenCheckBox + Повноекранний режим:\nАвтоматично переводить вікно гри у повноекранний режим.\nВи можете відключити це, натиснувши клавішу F11. + + + separateUpdatesCheckBox + Окрема папка для оновлень:\nДає змогу встановлювати оновлення гри в окрему папку для зручності. + + + showSplashCheckBox + Показувати заставку:\nВідображає заставку гри (спеціальне зображення) під час запуску гри. + + + discordRPCCheckbox + Увімкнути Discord Rich Presence:\nВідображає значок емулятора та відповідну інформацію у вашому профілі Discord. + + + userName + Ім'я користувача:\nВстановіть ім'я користувача акаунта PS4. Воно може відображатися в деяких іграх. + + + TrophyKey + Ключ трофеїв:\nКлюч для розшифровки трофеїв. Може бути отриманий зі зламаної консолі.\nПовинен містити лише шістнадцяткові символи. + + + logTypeGroupBox + Тип логів:\nВстановіть, чи синхронізувати виведення вікна логів заради продуктивності. Це може негативно вплинути на емуляцію. + + + logFilter + Фільтр логів:\nФільтрує логи, щоб показувати тільки певну інформацію.\nПриклади: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Рівні: Trace, Debug, Info, Warning, Error, Critical - у цьому порядку, конкретний рівень глушить усі попередні рівні у списку і показує всі наступні рівні. + + + updaterGroupBox + Оновлення:\nРелізний: Офіційні версії, які випускаються щомісяця і можуть бути дуже старими, але вони більш надійні та перевірені.\nТестовий: Версії для розробників, які мають усі найновіші функції та виправлення, але можуть містити помилки та є менш стабільними. + + + GUIBackgroundImageGroupBox + Фонове зображення:\nКерує непрозорістю фонового зображення гри. + + + GUIMusicGroupBox + Грати титульну музику:\nВмикає відтворення спеціальної музики під час вибору гри в списку, якщо вона це підтримує. + + + disableTrophycheckBox + Вимкнути спливаючі вікна трофеїв:\nВимикає сповіщення про ігрові трофеї. Прогрес трофея все ще можна відстежувати за допомогою "Перегляд трофеїв" (клацніть правою кнопкою миші на грі у головному вікні). + + + hideCursorGroupBox + Приховувати курсор:\nВиберіть, коли курсор зникатиме:\nНіколи: Курсор миші завжди буде видимий.\nПри бездіяльності: Встановіть час, через який курсор зникне в разі бездіяльності.\nЗавжди: Курсор миші завжди буде прихований. + + + idleTimeoutGroupBox + Встановіть час, через який курсор зникне в разі бездіяльності. + + + backButtonBehaviorGroupBox + Перепризначення кнопки «Назад»:\nНалаштовує кнопку «Назад» контролера на емуляцію натискання на зазначену область на сенсорній панелі контролера PS4. + + + enableCompatibilityCheckBox + Відображати данні ігрової сумістністі:\nВідображає інформацію про сумісність ігор у вигляді таблиці. Увімкніть "Оновлення даних ігрової сумісності під час запуску" для отримання актуальної інформації. + + + checkCompatibilityOnStartupCheckBox + Оновлення даних ігрової сумісності під час запуску:\nАвтоматично оновлює базу даних ігрової сумісності під час запуску shadPS4. + + + updateCompatibilityButton + Оновити данні ігрової сумістності:\nНегайно оновить базу даних ігрової сумісності. + + + Never + Ніколи + + + Idle + При бездіяльності + + + Always + Завжди + + + Touchpad Left + Ліва сторона тачпаду + + + Touchpad Right + Права сторона тачпаду + + + Touchpad Center + Середина тачпаду + + + None + Без змін + + + graphicsAdapterGroupBox + Графічний пристрій:\nУ системах із кількома GPU виберіть з випадаючого списку GPU, який буде використовувати емулятор,\nабо виберіть "Автовибір", щоб визначити його автоматично. + + + resolutionLayout + Ширина/Висота:\nВстановіть розмір вікна емулятора під час запуску, який може бути змінений під час гри.\nЦе відрізняється від роздільної здатності в грі. + + + heightDivider + Розділювач Vblank:\nЧастота кадрів, з якою оновлюється емулятор, множиться на це число. Зміна цього параметра може мати негативні наслідки, такі як збільшення швидкості гри або порушення критичних функцій гри, які цього не очікують! + + + dumpShadersCheckBox + Увімкнути дамп шейдерів:\nДля технічного налагодження зберігає шейдери ігор у папку під час рендерингу. + + + nullGpuCheckBox + Увімкнути NULL GPU:\nДля технічного налагодження відключає рендеринг гри так, ніби графічної карти немає. + + + gameFoldersBox + Ігрові папки:\nСписок папок, що скануватимуться для виявлення ігор. + + + addFolderButton + Додати:\nДодати папку в список. + + + removeFolderButton + Вилучити:\nВилучити папку зі списку. + + + debugDump + Увімкнути налагоджувальні дампи:\nЗберігає символи імпорту, експорту та інформацію про заголовок файлу поточної виконуваної програми PS4 у папку. + + + vkValidationCheckBox + Увімкнути шари валідації Vulkan:\nВключає систему, яка перевіряє стан рендерера Vulkan і логує інформацію про його внутрішній стан. Це знизить продуктивність і, ймовірно, змінить поведінку емуляції. + + + vkSyncValidationCheckBox + Увімкнути валідацію синхронізації Vulkan:\nВключає систему, яка перевіряє таймінг завдань рендерингу Vulkan. Це знизить продуктивність і, ймовірно, змінить поведінку емуляції. + + + rdocCheckBox + Увімкнути налагодження RenderDoc:\nЯкщо увімкнено, емулятор забезпечить сумісність із Renderdoc, даючи змогу захоплювати й аналізувати поточні кадри під час рендерингу. + + + collectShaderCheckBox + Збирати шейдери:\nВам потрібно увімкнути цю опцію, щоб редагувати шейдери за допомогою меню налагодження (Ctrl + F10). + + + crashDiagnosticsCheckBox + Діагностика збоїв:\nСтворює .yaml файл з інформацією про стан Vulkan на момент збою.\nКорисно для налагодження помилок 'Device lost'. Якщо у вас увімкнено цей параметр, вам слід увімкнути маркери налагодження Хоста ТА Гостя.\nНе працює на графічних процесорах Intel.\nДля цього вам потрібно увімкнути шари валідації Vulkan і мати Vulkan SDK. + + + copyGPUBuffersCheckBox + Копіювати буфери GPU:\nДозволяє обійти проблеми синхронізації, пов'язані з відправленням даних на GPU\nМоже як допомогти, так і не вплинути на збої типу PM4 (тип 0). + + + hostMarkersCheckBox + Хостові маркери налагодження:\nДодає інформацію емулятора, наприклад маркери для конкретних команд AMDGPU у Vulkan, також присвоює ресурсам налагоджувані назви.\nЯкщо ця опція увімкнена, рекомендується також активувати діагностику збоїв.\nКорисно для програм на кшталт RenderDoc. + + + guestMarkersCheckBox + Гостьові маркери налагодження:\nВставляє налагоджувані маркери, які сама гра додала до командного буфера.\nЯкщо ця опція увімкнена, рекомендується також активувати діагностику збоїв.\nКорисно для програм на кшталт RenderDoc. + + + saveDataBox + Шлях до файлів збережень:\nПапка, де будуть зберігатися ігрові збереження. + + + browseButton + Вибрати:\nВиберіть папку для ігрових збережень. + + + Enable HDR + + + + Set the volume of the background music. + + + + Browse + Обрати + + + Directory to install games + Папка для встановлення ігор + + + Directory to save data + + + + enableHDRCheckBox + + + + + TrophyViewer + + Trophy Viewer + Трофеї + + diff --git a/src/qt_gui/translations/vi_VN.ts b/src/qt_gui/translations/vi_VN.ts index a85f5b2c8..dddc7bfe0 100644 --- a/src/qt_gui/translations/vi_VN.ts +++ b/src/qt_gui/translations/vi_VN.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Mẹo / Bản vá - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - Mở Thư Mục... - - - Open Game Folder - Mở Thư Mục Trò Chơi - - - Open Save Data Folder - Mở Thư Mục Dữ Liệu Lưu - - - Open Log Folder - Mở Thư Mục Nhật Ký - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - Kiểm tra bản cập nhật - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Tải Mẹo / Bản vá - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - Giúp đỡ - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - Danh sách trò chơi - - - * Unsupported Vulkan Version - * Phiên bản Vulkan không được hỗ trợ - - - Download Cheats For All Installed Games - Tải xuống cheat cho tất cả các trò chơi đã cài đặt - - - Download Patches For All Games - Tải xuống bản vá cho tất cả các trò chơi - - - Download Complete - Tải xuống hoàn tất - - - You have downloaded cheats for all the games you have installed. - Bạn đã tải xuống cheat cho tất cả các trò chơi mà bạn đã cài đặt. - - - Patches Downloaded Successfully! - Bản vá đã tải xuống thành công! - - - All Patches available for all games have been downloaded. - Tất cả các bản vá có sẵn cho tất cả các trò chơi đã được tải xuống. - - - Games: - Trò chơi: - - - PKG File (*.PKG) - Tệp PKG (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - Tệp ELF (*.bin *.elf *.oelf) - - - Game Boot - Khởi động trò chơi - - - Only one file can be selected! - Chỉ có thể chọn một tệp duy nhất! - - - PKG Extraction - Giải nén PKG - - - Patch detected! - Đã phát hiện bản vá! - - - PKG and Game versions match: - Các phiên bản PKG và trò chơi khớp nhau: - - - Would you like to overwrite? - Bạn có muốn ghi đè không? - - - PKG Version %1 is older than installed version: - Phiên bản PKG %1 cũ hơn phiên bản đã cài đặt: - - - Game is installed: - Trò chơi đã được cài đặt: - - - Would you like to install Patch: - Bạn có muốn cài đặt bản vá: - - - DLC Installation - Cài đặt DLC - - - Would you like to install DLC: %1? - Bạn có muốn cài đặt DLC: %1? - - - DLC already installed: - DLC đã được cài đặt: - - - Game already installed - Trò chơi đã được cài đặt - - - PKG is a patch, please install the game first! - PKG là bản vá, vui lòng cài đặt trò chơi trước! - - - PKG ERROR - LOI PKG - - - Extracting PKG %1/%2 - Đang giải nén PKG %1/%2 - - - Extraction Finished - Giải nén hoàn tất - - - Game successfully installed at %1 - Trò chơi đã được cài đặt thành công tại %1 - - - File doesn't appear to be a valid PKG file - Tệp không có vẻ là tệp PKG hợp lệ - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - Chế độ Toàn màn hình - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - Tab mặc định khi mở cài đặt - - - Show Game Size In List - Hiển thị Kích thước Game trong Danh sách - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - Bật Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - Mở vị trí nhật ký - - - Input - Đầu vào - - - Cursor - Con trỏ - - - Hide Cursor - Ẩn con trỏ - - - Hide Cursor Idle Timeout - Thời gian chờ ẩn con trỏ - - - s - s - - - Controller - Điều khiển - - - Back Button Behavior - Hành vi nút quay lại - - - Graphics - Graphics - - - GUI - Giao diện - - - User - Người dùng - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - Đường dẫn - - - Game Folders - Thư mục trò chơi - - - Add... - Thêm... - - - Remove - Xóa - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - Cập nhật - - - Check for Updates at Startup - Kiểm tra cập nhật khi khởi động - - - Always Show Changelog - Luôn hiển thị nhật ký thay đổi - - - Update Channel - Kênh Cập Nhật - - - Check for Updates - Kiểm tra cập nhật - - - GUI Settings - Cài đặt GUI - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - Phát nhạc tiêu đề - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - Âm lượng - - - Audio Backend - Audio Backend - - - Save - Lưu - - - Apply - Áp dụng - - - Restore Defaults - Khôi phục cài đặt mặc định - - - Close - Đóng - - - Point your mouse at an option to display its description. - Di chuyển chuột đến tùy chọn để hiển thị mô tả của nó. - - - consoleLanguageGroupBox - Ngôn ngữ console:\nChọn ngôn ngữ mà trò chơi PS4 sẽ sử dụng.\nKhuyên bạn nên đặt tùy chọn này thành một ngôn ngữ mà trò chơi hỗ trợ, có thể thay đổi tùy theo vùng. - - - emulatorLanguageGroupBox - Ngôn ngữ của trình giả lập:\nChọn ngôn ngữ của giao diện người dùng của trình giả lập. - - - fullscreenCheckBox - Bật chế độ toàn màn hình:\nTự động đặt cửa sổ trò chơi ở chế độ toàn màn hình.\nĐiều này có thể bị vô hiệu hóa bằng cách nhấn phím F11. - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - Hiển thị màn hình khởi động:\nHiển thị màn hình khởi động của trò chơi (một hình ảnh đặc biệt) trong khi trò chơi khởi động. - - - ps4proCheckBox - Là PS4 Pro:\nKhiến trình giả lập hoạt động như một PS4 PRO, điều này có thể kích hoạt các tính năng đặc biệt trong các trò chơi hỗ trợ điều này. - - - discordRPCCheckbox - Bật Discord Rich Presence:\nHiển thị biểu tượng trình giả lập và thông tin liên quan trên hồ sơ Discord của bạn. - - - userName - Tên người dùng:\nChọn tên người dùng của tài khoản PS4, có thể được một số trò chơi hiển thị. - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - Loại nhật ký:\nChọn xem có đồng bộ hóa đầu ra cửa sổ nhật ký cho hiệu suất hay không. Điều này có thể có tác động tiêu cực đến việc giả lập. - - - logFilter - Bộ lọc nhật ký:\nLọc nhật ký để in chỉ thông tin cụ thể.\nVí dụ: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Các mức: Trace, Debug, Info, Warning, Error, Critical - theo thứ tự này, một mức cụ thể làm tắt tất cả các mức trước trong danh sách và ghi lại tất cả các mức sau đó. - - - updaterGroupBox - Cập nhật:\nRelease: Các phiên bản chính thức được phát hành hàng tháng; có thể khá cũ nhưng đáng tin cậy hơn và đã được thử nghiệm.\nNightly: Các phiên bản phát triển có tất cả các tính năng và sửa lỗi mới nhất; có thể có lỗi và ít ổn định hơn. - - - GUIMusicGroupBox - Phát nhạc tiêu đề trò chơi:\nNếu một trò chơi hỗ trợ điều này, hãy kích hoạt phát nhạc đặc biệt khi bạn chọn trò chơi trong GUI. - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - Ẩn con trỏ:\nChọn khi nào con trỏ sẽ biến mất:\nKhông bao giờ: Bạn sẽ luôn thấy chuột.\nKhông hoạt động: Đặt một khoảng thời gian để nó biến mất sau khi không hoạt động.\nLuôn luôn: bạn sẽ không bao giờ thấy chuột. - - - idleTimeoutGroupBox - Đặt thời gian để chuột biến mất sau khi không hoạt động. - - - backButtonBehaviorGroupBox - Hành vi nút quay lại:\nĐặt nút quay lại của tay cầm để mô phỏng việc chạm vào vị trí đã chỉ định trên touchpad của PS4. - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - Không bao giờ - - - Idle - Nhàn rỗi - - - Always - Luôn luôn - - - Touchpad Left - Touchpad Trái - - - Touchpad Right - Touchpad Phải - - - Touchpad Center - Giữa Touchpad - - - None - Không có - - - graphicsAdapterGroupBox - Thiết bị đồ họa:\nTrên các hệ thống có GPU đa năng, hãy chọn GPU mà trình giả lập sẽ sử dụng từ danh sách thả xuống,\hoặc chọn "Auto Select" để tự động xác định. - - - resolutionLayout - Chiều rộng/Cao:\nChọn kích thước cửa sổ của trình giả lập khi khởi động, có thể điều chỉnh trong quá trình chơi.\nĐiều này khác với độ phân giải trong trò chơi. - - - heightDivider - Bộ chia Vblank:\nTốc độ khung hình mà trình giả lập làm mới được nhân với số này. Thay đổi này có thể có tác động tiêu cực như tăng tốc độ trò chơi hoặc làm hỏng chức năng quan trọng mà trò chơi không mong đợi thay đổi điều này! - - - dumpShadersCheckBox - Bật xuất shader:\nĐể mục đích gỡ lỗi kỹ thuật, lưu shader của trò chơi vào một thư mục khi chúng được kết xuất. - - - nullGpuCheckBox - Bật GPU Null:\nĐể mục đích gỡ lỗi kỹ thuật, vô hiệu hóa việc kết xuất trò chơi như thể không có card đồ họa. - - - gameFoldersBox - Thư mục trò chơi:\nDanh sách các thư mục để kiểm tra các trò chơi đã cài đặt. - - - addFolderButton - Thêm:\nThêm một thư mục vào danh sách. - - - removeFolderButton - Xóa:\nXóa một thư mục khỏi danh sách. - - - debugDump - Bật xuất gỡ lỗi:\nLưu biểu tượng nhập và xuất và thông tin tiêu đề tệp cho ứng dụng PS4 hiện đang chạy vào một thư mục. - - - vkValidationCheckBox - Bật lớp xác thực Vulkan:\nKích hoạt một hệ thống xác thực trạng thái của bộ kết xuất Vulkan và ghi lại thông tin về trạng thái nội bộ của nó. Điều này sẽ giảm hiệu suất và có thể thay đổi hành vi của việc giả lập. - - - vkSyncValidationCheckBox - Bật xác thực đồng bộ Vulkan:\nKích hoạt một hệ thống xác thực thời gian của nhiệm vụ kết xuất Vulkan. Điều này sẽ giảm hiệu suất và có thể thay đổi hành vi của việc giả lập. - - - rdocCheckBox - Bật gỡ lỗi RenderDoc:\nNếu được kích hoạt, trình giả lập sẽ cung cấp tính tương thích với Renderdoc để cho phép bắt và phân tích khung hình hiện tại đang được kết xuất. - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - Cheats/Patches là các tính năng thử nghiệm.\nHãy sử dụng cẩn thận.\n\nTải xuống các cheat riêng lẻ bằng cách chọn kho lưu trữ và nhấp vào nút tải xuống.\nTại tab Patches, bạn có thể tải xuống tất cả các patch cùng một lúc, chọn cái nào bạn muốn sử dụng và lưu lựa chọn của mình.\n\nVì chúng tôi không phát triển Cheats/Patches,\nxin vui lòng báo cáo các vấn đề cho tác giả cheat.\n\nBạn đã tạo ra một cheat mới? Truy cập:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - Không có hình ảnh - - - Serial: - Số seri: - - - Version: - Phiên bản: - - - Size: - Kích thước: - - - Select Cheat File: - Chọn tệp Cheat: - - - Repository: - Kho lưu trữ: - - - Download Cheats - Tải xuống Cheat - - - Delete File - Xóa tệp - - - No files selected. - Không có tệp nào được chọn. - - - You can delete the cheats you don't want after downloading them. - Bạn có thể xóa các cheat không muốn sau khi tải xuống. - - - Do you want to delete the selected file?\n%1 - Bạn có muốn xóa tệp đã chọn?\n%1 - - - Select Patch File: - Chọn tệp Bản vá: - - - Download Patches - Tải xuống Bản vá - - - Save - Lưu - - - Cheats - Cheat - - - Patches - Bản vá - - - Error - Lỗi - - - No patch selected. - Không có bản vá nào được chọn. - - - Unable to open files.json for reading. - Không thể mở files.json để đọc. - - - No patch file found for the current serial. - Không tìm thấy tệp bản vá cho số seri hiện tại. - - - Unable to open the file for reading. - Không thể mở tệp để đọc. - - - Unable to open the file for writing. - Không thể mở tệp để ghi. - - - Failed to parse XML: - Không thể phân tích XML: - - - Success - Thành công - - - Options saved successfully. - Các tùy chọn đã được lưu thành công. - - - Invalid Source - Nguồn không hợp lệ - - - The selected source is invalid. - Nguồn đã chọn không hợp lệ. - - - File Exists - Tệp đã tồn tại - - - File already exists. Do you want to replace it? - Tệp đã tồn tại. Bạn có muốn thay thế nó không? - - - Failed to save file: - Không thể lưu tệp: - - - Failed to download file: - Không thể tải xuống tệp: - - - Cheats Not Found - Không tìm thấy Cheat - - - CheatsNotFound_MSG - Không tìm thấy Cheat cho trò chơi này trong phiên bản kho lưu trữ đã chọn,hãy thử kho lưu trữ khác hoặc phiên bản khác của trò chơi. - - - Cheats Downloaded Successfully - Cheat đã tải xuống thành công - - - CheatsDownloadedSuccessfully_MSG - Bạn đã tải xuống các cheat thành công. Cho phiên bản trò chơi này từ kho lưu trữ đã chọn. Bạn có thể thử tải xuống từ kho lưu trữ khác, nếu có, bạn cũng có thể sử dụng bằng cách chọn tệp từ danh sách. - - - Failed to save: - Không thể lưu: - - - Failed to download: - Không thể tải xuống: - - - Download Complete - Tải xuống hoàn tất - - - DownloadComplete_MSG - Bản vá đã tải xuống thành công! Tất cả các bản vá có sẵn cho tất cả các trò chơi đã được tải xuống, không cần tải xuống riêng lẻ cho mỗi trò chơi như trong Cheat. Nếu bản vá không xuất hiện, có thể là nó không tồn tại cho số seri và phiên bản cụ thể của trò chơi. - - - Failed to parse JSON data from HTML. - Không thể phân tích dữ liệu JSON từ HTML. - - - Failed to retrieve HTML page. - Không thể lấy trang HTML. - - - The game is in version: %1 - Trò chơi đang ở phiên bản: %1 - - - The downloaded patch only works on version: %1 - Patch đã tải về chỉ hoạt động trên phiên bản: %1 - - - You may need to update your game. - Bạn có thể cần cập nhật trò chơi của mình. - - - Incompatibility Notice - Thông báo không tương thích - - - Failed to open file: - Không thể mở tệp: - - - XML ERROR: - LỖI XML: - - - Failed to open files.json for writing - Không thể mở files.json để ghi - - - Author: - Tác giả: - - - Directory does not exist: - Thư mục không tồn tại: - - - Failed to open files.json for reading. - Không thể mở files.json để đọc. - - - Name: - Tên: - - - Can't apply cheats before the game is started - Không thể áp dụng cheat trước khi trò chơi bắt đầu. - - - - GameListFrame - - Icon - Biểu tượng - - - Name - Tên - - - Serial - Số seri - - - Compatibility - Compatibility - - - Region - Khu vực - - - Firmware - Phần mềm - - - Size - Kích thước - - - Version - Phiên bản - - - Path - Đường dẫn - - - Play Time - Thời gian chơi - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - Nhấp để xem chi tiết trên GitHub - - - Last updated - Cập nhật lần cuối - - - - CheckUpdate - - Auto Updater - Trình cập nhật tự động - - - Error - Lỗi - - - Network error: - Lỗi mạng: - - - Error_Github_limit_MSG - Trình cập nhật tự động cho phép tối đa 60 lần kiểm tra cập nhật mỗi giờ.\nBạn đã đạt đến giới hạn này. Vui lòng thử lại sau. - - - Failed to parse update information. - Không thể phân tích thông tin cập nhật. - - - No pre-releases found. - Không tìm thấy bản phát hành trước. - - - Invalid release data. - Dữ liệu bản phát hành không hợp lệ. - - - No download URL found for the specified asset. - Không tìm thấy URL tải xuống cho tài sản đã chỉ định. - - - Your version is already up to date! - Phiên bản của bạn đã được cập nhật! - - - Update Available - Có bản cập nhật - - - Update Channel - Kênh Cập Nhật - - - Current Version - Phiên bản hiện tại - - - Latest Version - Phiên bản mới nhất - - - Do you want to update? - Bạn có muốn cập nhật không? - - - Show Changelog - Hiện nhật ký thay đổi - - - Check for Updates at Startup - Kiểm tra cập nhật khi khởi động - - - Update - Cập nhật - - - No - Không - - - Hide Changelog - Ẩn nhật ký thay đổi - - - Changes - Thay đổi - - - Network error occurred while trying to access the URL - Xảy ra lỗi mạng khi cố gắng truy cập URL - - - Download Complete - Tải xuống hoàn tất - - - The update has been downloaded, press OK to install. - Bản cập nhật đã được tải xuống, nhấn OK để cài đặt. - - - Failed to save the update file at - Không thể lưu tệp cập nhật tại - - - Starting Update... - Đang bắt đầu cập nhật... - - - Failed to create the update script file - Không thể tạo tệp kịch bản cập nhật - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - Đang tải dữ liệu tương thích, vui lòng chờ - - - Cancel - Hủy bỏ - - - Loading... - Đang tải... - - - Error - Lỗi - - - Unable to update compatibility data! Try again later. - Không thể cập nhật dữ liệu tương thích! Vui lòng thử lại sau. - - - Unable to open compatibility_data.json for writing. - Không thể mở compatibility_data.json để ghi. - - - Unknown - Không xác định - - - Nothing - Không có gì - - - Boots - Giày ủng - - - Menus - Menu - - - Ingame - Trong game - - - Playable - Có thể chơi - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + Cheats/Patches là các tính năng thử nghiệm.\nHãy sử dụng cẩn thận.\n\nTải xuống các cheat riêng lẻ bằng cách chọn kho lưu trữ và nhấp vào nút tải xuống.\nTại tab Patches, bạn có thể tải xuống tất cả các patch cùng một lúc, chọn cái nào bạn muốn sử dụng và lưu lựa chọn của mình.\n\nVì chúng tôi không phát triển Cheats/Patches,\nxin vui lòng báo cáo các vấn đề cho tác giả cheat.\n\nBạn đã tạo ra một cheat mới? Truy cập:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + Không có hình ảnh + + + Serial: + Số seri: + + + Version: + Phiên bản: + + + Size: + Kích thước: + + + Select Cheat File: + Chọn tệp Cheat: + + + Repository: + Kho lưu trữ: + + + Download Cheats + Tải xuống Cheat + + + Delete File + Xóa tệp + + + No files selected. + Không có tệp nào được chọn. + + + You can delete the cheats you don't want after downloading them. + Bạn có thể xóa các cheat không muốn sau khi tải xuống. + + + Do you want to delete the selected file?\n%1 + Bạn có muốn xóa tệp đã chọn?\n%1 + + + Select Patch File: + Chọn tệp Bản vá: + + + Download Patches + Tải xuống Bản vá + + + Save + Lưu + + + Cheats + Cheat + + + Patches + Bản vá + + + Error + Lỗi + + + No patch selected. + Không có bản vá nào được chọn. + + + Unable to open files.json for reading. + Không thể mở files.json để đọc. + + + No patch file found for the current serial. + Không tìm thấy tệp bản vá cho số seri hiện tại. + + + Unable to open the file for reading. + Không thể mở tệp để đọc. + + + Unable to open the file for writing. + Không thể mở tệp để ghi. + + + Failed to parse XML: + Không thể phân tích XML: + + + Success + Thành công + + + Options saved successfully. + Các tùy chọn đã được lưu thành công. + + + Invalid Source + Nguồn không hợp lệ + + + The selected source is invalid. + Nguồn đã chọn không hợp lệ. + + + File Exists + Tệp đã tồn tại + + + File already exists. Do you want to replace it? + Tệp đã tồn tại. Bạn có muốn thay thế nó không? + + + Failed to save file: + Không thể lưu tệp: + + + Failed to download file: + Không thể tải xuống tệp: + + + Cheats Not Found + Không tìm thấy Cheat + + + CheatsNotFound_MSG + Không tìm thấy Cheat cho trò chơi này trong phiên bản kho lưu trữ đã chọn,hãy thử kho lưu trữ khác hoặc phiên bản khác của trò chơi. + + + Cheats Downloaded Successfully + Cheat đã tải xuống thành công + + + CheatsDownloadedSuccessfully_MSG + Bạn đã tải xuống các cheat thành công. Cho phiên bản trò chơi này từ kho lưu trữ đã chọn. Bạn có thể thử tải xuống từ kho lưu trữ khác, nếu có, bạn cũng có thể sử dụng bằng cách chọn tệp từ danh sách. + + + Failed to save: + Không thể lưu: + + + Failed to download: + Không thể tải xuống: + + + Download Complete + Tải xuống hoàn tất + + + DownloadComplete_MSG + Bản vá đã tải xuống thành công! Tất cả các bản vá có sẵn cho tất cả các trò chơi đã được tải xuống, không cần tải xuống riêng lẻ cho mỗi trò chơi như trong Cheat. Nếu bản vá không xuất hiện, có thể là nó không tồn tại cho số seri và phiên bản cụ thể của trò chơi. + + + Failed to parse JSON data from HTML. + Không thể phân tích dữ liệu JSON từ HTML. + + + Failed to retrieve HTML page. + Không thể lấy trang HTML. + + + The game is in version: %1 + Trò chơi đang ở phiên bản: %1 + + + The downloaded patch only works on version: %1 + Patch đã tải về chỉ hoạt động trên phiên bản: %1 + + + You may need to update your game. + Bạn có thể cần cập nhật trò chơi của mình. + + + Incompatibility Notice + Thông báo không tương thích + + + Failed to open file: + Không thể mở tệp: + + + XML ERROR: + LỖI XML: + + + Failed to open files.json for writing + Không thể mở files.json để ghi + + + Author: + Tác giả: + + + Directory does not exist: + Thư mục không tồn tại: + + + Failed to open files.json for reading. + Không thể mở files.json để đọc. + + + Name: + Tên: + + + Can't apply cheats before the game is started + Không thể áp dụng cheat trước khi trò chơi bắt đầu. + + + Close + Đóng + + + + CheckUpdate + + Auto Updater + Trình cập nhật tự động + + + Error + Lỗi + + + Network error: + Lỗi mạng: + + + Error_Github_limit_MSG + Trình cập nhật tự động cho phép tối đa 60 lần kiểm tra cập nhật mỗi giờ.\nBạn đã đạt đến giới hạn này. Vui lòng thử lại sau. + + + Failed to parse update information. + Không thể phân tích thông tin cập nhật. + + + No pre-releases found. + Không tìm thấy bản phát hành trước. + + + Invalid release data. + Dữ liệu bản phát hành không hợp lệ. + + + No download URL found for the specified asset. + Không tìm thấy URL tải xuống cho tài sản đã chỉ định. + + + Your version is already up to date! + Phiên bản của bạn đã được cập nhật! + + + Update Available + Có bản cập nhật + + + Update Channel + Kênh Cập Nhật + + + Current Version + Phiên bản hiện tại + + + Latest Version + Phiên bản mới nhất + + + Do you want to update? + Bạn có muốn cập nhật không? + + + Show Changelog + Hiện nhật ký thay đổi + + + Check for Updates at Startup + Kiểm tra cập nhật khi khởi động + + + Update + Cập nhật + + + No + Không + + + Hide Changelog + Ẩn nhật ký thay đổi + + + Changes + Thay đổi + + + Network error occurred while trying to access the URL + Xảy ra lỗi mạng khi cố gắng truy cập URL + + + Download Complete + Tải xuống hoàn tất + + + The update has been downloaded, press OK to install. + Bản cập nhật đã được tải xuống, nhấn OK để cài đặt. + + + Failed to save the update file at + Không thể lưu tệp cập nhật tại + + + Starting Update... + Đang bắt đầu cập nhật... + + + Failed to create the update script file + Không thể tạo tệp kịch bản cập nhật + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + Đang tải dữ liệu tương thích, vui lòng chờ + + + Cancel + Hủy bỏ + + + Loading... + Đang tải... + + + Error + Lỗi + + + Unable to update compatibility data! Try again later. + Không thể cập nhật dữ liệu tương thích! Vui lòng thử lại sau. + + + Unable to open compatibility_data.json for writing. + Không thể mở compatibility_data.json để ghi. + + + Unknown + Không xác định + + + Nothing + Không có gì + + + Boots + Giày ủng + + + Menus + Menu + + + Ingame + Trong game + + + Playable + Có thể chơi + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + Biểu tượng + + + Name + Tên + + + Serial + Số seri + + + Compatibility + Compatibility + + + Region + Khu vực + + + Firmware + Phần mềm + + + Size + Kích thước + + + Version + Phiên bản + + + Path + Đường dẫn + + + Play Time + Thời gian chơi + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + Nhấp để xem chi tiết trên GitHub + + + Last updated + Cập nhật lần cuối + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Mẹo / Bản vá + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + Mở Thư Mục... + + + Open Game Folder + Mở Thư Mục Trò Chơi + + + Open Save Data Folder + Mở Thư Mục Dữ Liệu Lưu + + + Open Log Folder + Mở Thư Mục Nhật Ký + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + Kiểm tra bản cập nhật + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Tải Mẹo / Bản vá + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + Giúp đỡ + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + Danh sách trò chơi + + + * Unsupported Vulkan Version + * Phiên bản Vulkan không được hỗ trợ + + + Download Cheats For All Installed Games + Tải xuống cheat cho tất cả các trò chơi đã cài đặt + + + Download Patches For All Games + Tải xuống bản vá cho tất cả các trò chơi + + + Download Complete + Tải xuống hoàn tất + + + You have downloaded cheats for all the games you have installed. + Bạn đã tải xuống cheat cho tất cả các trò chơi mà bạn đã cài đặt. + + + Patches Downloaded Successfully! + Bản vá đã tải xuống thành công! + + + All Patches available for all games have been downloaded. + Tất cả các bản vá có sẵn cho tất cả các trò chơi đã được tải xuống. + + + Games: + Trò chơi: + + + ELF files (*.bin *.elf *.oelf) + Tệp ELF (*.bin *.elf *.oelf) + + + Game Boot + Khởi động trò chơi + + + Only one file can be selected! + Chỉ có thể chọn một tệp duy nhất! + + + PKG Extraction + Giải nén PKG + + + Patch detected! + Đã phát hiện bản vá! + + + PKG and Game versions match: + Các phiên bản PKG và trò chơi khớp nhau: + + + Would you like to overwrite? + Bạn có muốn ghi đè không? + + + PKG Version %1 is older than installed version: + Phiên bản PKG %1 cũ hơn phiên bản đã cài đặt: + + + Game is installed: + Trò chơi đã được cài đặt: + + + Would you like to install Patch: + Bạn có muốn cài đặt bản vá: + + + DLC Installation + Cài đặt DLC + + + Would you like to install DLC: %1? + Bạn có muốn cài đặt DLC: %1? + + + DLC already installed: + DLC đã được cài đặt: + + + Game already installed + Trò chơi đã được cài đặt + + + PKG ERROR + LOI PKG + + + Extracting PKG %1/%2 + Đang giải nén PKG %1/%2 + + + Extraction Finished + Giải nén hoàn tất + + + Game successfully installed at %1 + Trò chơi đã được cài đặt thành công tại %1 + + + File doesn't appear to be a valid PKG file + Tệp không có vẻ là tệp PKG hợp lệ + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + Tên + + + Serial + Số seri + + + Installed + + + + Size + Kích thước + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + Khu vực + + + Flags + + + + Path + Đường dẫn + + + File + File + + + PKG ERROR + LOI PKG + + + Unknown + Không xác định + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + Chế độ Toàn màn hình + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + Tab mặc định khi mở cài đặt + + + Show Game Size In List + Hiển thị Kích thước Game trong Danh sách + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + Bật Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + Mở vị trí nhật ký + + + Input + Đầu vào + + + Cursor + Con trỏ + + + Hide Cursor + Ẩn con trỏ + + + Hide Cursor Idle Timeout + Thời gian chờ ẩn con trỏ + + + s + s + + + Controller + Điều khiển + + + Back Button Behavior + Hành vi nút quay lại + + + Graphics + Graphics + + + GUI + Giao diện + + + User + Người dùng + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + Đường dẫn + + + Game Folders + Thư mục trò chơi + + + Add... + Thêm... + + + Remove + Xóa + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + Cập nhật + + + Check for Updates at Startup + Kiểm tra cập nhật khi khởi động + + + Always Show Changelog + Luôn hiển thị nhật ký thay đổi + + + Update Channel + Kênh Cập Nhật + + + Check for Updates + Kiểm tra cập nhật + + + GUI Settings + Cài đặt GUI + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + Phát nhạc tiêu đề + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + Âm lượng + + + Save + Lưu + + + Apply + Áp dụng + + + Restore Defaults + Khôi phục cài đặt mặc định + + + Close + Đóng + + + Point your mouse at an option to display its description. + Di chuyển chuột đến tùy chọn để hiển thị mô tả của nó. + + + consoleLanguageGroupBox + Ngôn ngữ console:\nChọn ngôn ngữ mà trò chơi PS4 sẽ sử dụng.\nKhuyên bạn nên đặt tùy chọn này thành một ngôn ngữ mà trò chơi hỗ trợ, có thể thay đổi tùy theo vùng. + + + emulatorLanguageGroupBox + Ngôn ngữ của trình giả lập:\nChọn ngôn ngữ của giao diện người dùng của trình giả lập. + + + fullscreenCheckBox + Bật chế độ toàn màn hình:\nTự động đặt cửa sổ trò chơi ở chế độ toàn màn hình.\nĐiều này có thể bị vô hiệu hóa bằng cách nhấn phím F11. + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + Hiển thị màn hình khởi động:\nHiển thị màn hình khởi động của trò chơi (một hình ảnh đặc biệt) trong khi trò chơi khởi động. + + + discordRPCCheckbox + Bật Discord Rich Presence:\nHiển thị biểu tượng trình giả lập và thông tin liên quan trên hồ sơ Discord của bạn. + + + userName + Tên người dùng:\nChọn tên người dùng của tài khoản PS4, có thể được một số trò chơi hiển thị. + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + Loại nhật ký:\nChọn xem có đồng bộ hóa đầu ra cửa sổ nhật ký cho hiệu suất hay không. Điều này có thể có tác động tiêu cực đến việc giả lập. + + + logFilter + Bộ lọc nhật ký:\nLọc nhật ký để in chỉ thông tin cụ thể.\nVí dụ: "Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" Các mức: Trace, Debug, Info, Warning, Error, Critical - theo thứ tự này, một mức cụ thể làm tắt tất cả các mức trước trong danh sách và ghi lại tất cả các mức sau đó. + + + updaterGroupBox + Cập nhật:\nRelease: Các phiên bản chính thức được phát hành hàng tháng; có thể khá cũ nhưng đáng tin cậy hơn và đã được thử nghiệm.\nNightly: Các phiên bản phát triển có tất cả các tính năng và sửa lỗi mới nhất; có thể có lỗi và ít ổn định hơn. + + + GUIMusicGroupBox + Phát nhạc tiêu đề trò chơi:\nNếu một trò chơi hỗ trợ điều này, hãy kích hoạt phát nhạc đặc biệt khi bạn chọn trò chơi trong GUI. + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + Ẩn con trỏ:\nChọn khi nào con trỏ sẽ biến mất:\nKhông bao giờ: Bạn sẽ luôn thấy chuột.\nKhông hoạt động: Đặt một khoảng thời gian để nó biến mất sau khi không hoạt động.\nLuôn luôn: bạn sẽ không bao giờ thấy chuột. + + + idleTimeoutGroupBox + Đặt thời gian để chuột biến mất sau khi không hoạt động. + + + backButtonBehaviorGroupBox + Hành vi nút quay lại:\nĐặt nút quay lại của tay cầm để mô phỏng việc chạm vào vị trí đã chỉ định trên touchpad của PS4. + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + Không bao giờ + + + Idle + Nhàn rỗi + + + Always + Luôn luôn + + + Touchpad Left + Touchpad Trái + + + Touchpad Right + Touchpad Phải + + + Touchpad Center + Giữa Touchpad + + + None + Không có + + + graphicsAdapterGroupBox + Thiết bị đồ họa:\nTrên các hệ thống có GPU đa năng, hãy chọn GPU mà trình giả lập sẽ sử dụng từ danh sách thả xuống,\hoặc chọn "Auto Select" để tự động xác định. + + + resolutionLayout + Chiều rộng/Cao:\nChọn kích thước cửa sổ của trình giả lập khi khởi động, có thể điều chỉnh trong quá trình chơi.\nĐiều này khác với độ phân giải trong trò chơi. + + + heightDivider + Bộ chia Vblank:\nTốc độ khung hình mà trình giả lập làm mới được nhân với số này. Thay đổi này có thể có tác động tiêu cực như tăng tốc độ trò chơi hoặc làm hỏng chức năng quan trọng mà trò chơi không mong đợi thay đổi điều này! + + + dumpShadersCheckBox + Bật xuất shader:\nĐể mục đích gỡ lỗi kỹ thuật, lưu shader của trò chơi vào một thư mục khi chúng được kết xuất. + + + nullGpuCheckBox + Bật GPU Null:\nĐể mục đích gỡ lỗi kỹ thuật, vô hiệu hóa việc kết xuất trò chơi như thể không có card đồ họa. + + + gameFoldersBox + Thư mục trò chơi:\nDanh sách các thư mục để kiểm tra các trò chơi đã cài đặt. + + + addFolderButton + Thêm:\nThêm một thư mục vào danh sách. + + + removeFolderButton + Xóa:\nXóa một thư mục khỏi danh sách. + + + debugDump + Bật xuất gỡ lỗi:\nLưu biểu tượng nhập và xuất và thông tin tiêu đề tệp cho ứng dụng PS4 hiện đang chạy vào một thư mục. + + + vkValidationCheckBox + Bật lớp xác thực Vulkan:\nKích hoạt một hệ thống xác thực trạng thái của bộ kết xuất Vulkan và ghi lại thông tin về trạng thái nội bộ của nó. Điều này sẽ giảm hiệu suất và có thể thay đổi hành vi của việc giả lập. + + + vkSyncValidationCheckBox + Bật xác thực đồng bộ Vulkan:\nKích hoạt một hệ thống xác thực thời gian của nhiệm vụ kết xuất Vulkan. Điều này sẽ giảm hiệu suất và có thể thay đổi hành vi của việc giả lập. + + + rdocCheckBox + Bật gỡ lỗi RenderDoc:\nNếu được kích hoạt, trình giả lập sẽ cung cấp tính tương thích với Renderdoc để cho phép bắt và phân tích khung hình hiện tại đang được kết xuất. + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + + diff --git a/src/qt_gui/translations/zh_CN.ts b/src/qt_gui/translations/zh_CN.ts index 6d1f52c5d..8bc8d16a3 100644 --- a/src/qt_gui/translations/zh_CN.ts +++ b/src/qt_gui/translations/zh_CN.ts @@ -1,1507 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - 关于 shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 是一款实验性质的开源 PlayStation 4 模拟器软件。 - - - This software should not be used to play games you have not legally obtained. - 本软件不得用于运行未经合法授权而获得的游戏。 - - - - ElfViewer - - Open Folder - 打开文件夹 - - - - GameInfoClass - - Loading game list, please wait :3 - 加载游戏列表中, 请稍等 :3 - - - Cancel - 取消 - - - Loading... - 加载中... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - 选择文件目录 - - - Select which directory you want to install to. - 选择您想要安装到的目录。 - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - 选择文件目录 - - - Directory to install games - 要安装游戏的目录 - - - Browse - 浏览 - - - Error - 错误 - - - The value for location to install games is not valid. - 游戏安装位置无效。 - - - - GuiContextMenus - - Create Shortcut - 创建快捷方式 - - - Cheats / Patches - 作弊码/补丁 - - - SFO Viewer - SFO 查看器 - - - Trophy Viewer - 奖杯查看器 - - - Open Folder... - 打开文件夹... - - - Open Game Folder - 打开游戏文件夹 - - - Open Save Data Folder - 打开存档数据文件夹 - - - Open Log Folder - 打开日志文件夹 - - - Copy info... - 复制信息... - - - Copy Name - 复制名称 - - - Copy Serial - 复制序列号 - - - Copy Version - 复制版本 - - - Copy Size - 复制大小 - - - Copy All - 复制全部 - - - Delete... - 删除... - - - Delete Game - 删除游戏 - - - Delete Update - 删除更新 - - - Delete DLC - 删除 DLC - - - Compatibility... - 兼容性... - - - Update database - 更新数据库 - - - View report - 查看报告 - - - Submit a report - 提交报告 - - - Shortcut creation - 创建快捷方式 - - - Shortcut created successfully! - 创建快捷方式成功! - - - Error - 错误 - - - Error creating shortcut! - 创建快捷方式出错! - - - Install PKG - 安装 PKG - - - Game - 游戏 - - - requiresEnableSeparateUpdateFolder_MSG - 这个功能需要“启用单独的更新目录”配置选项才能正常运行,如果您想要使用这个功能,请启用它。 - - - This game has no update to delete! - 这个游戏没有更新可以删除! - - - Update - 更新 - - - This game has no DLC to delete! - 这个游戏没有 DLC 可以删除! - - - DLC - DLC - - - Delete %1 - 删除 %1 - - - Are you sure you want to delete %1's %2 directory? - 您确定要删除 %1 的%2目录? - - - - MainWindow - - Open/Add Elf Folder - 打开/添加 Elf 文件夹 - - - Install Packages (PKG) - 安装 Packages (PKG) - - - Boot Game - 启动游戏 - - - Check for Updates - 检查更新 - - - About shadPS4 - 关于 shadPS4 - - - Configure... - 设置... - - - Install application from a .pkg file - 从 .pkg 文件安装应用程序 - - - Recent Games - 最近启动的游戏 - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - 退出 - - - Exit shadPS4 - 退出 shadPS4 - - - Exit the application. - 退出应用程序。 - - - Show Game List - 显示游戏列表 - - - Game List Refresh - 刷新游戏列表 - - - Tiny - 微小 - - - Small - - - - Medium - - - - Large - - - - List View - 列表视图 - - - Grid View - 表格视图 - - - Elf Viewer - Elf 查看器 - - - Game Install Directory - 游戏安装目录 - - - Download Cheats/Patches - 下载作弊码/补丁 - - - Dump Game List - 导出游戏列表 - - - PKG Viewer - PKG 查看器 - - - Search... - 搜索... - - - File - 文件 - - - View - 显示 - - - Game List Icons - 游戏列表图标 - - - Game List Mode - 游戏列表模式 - - - Settings - 设置 - - - Utils - 工具 - - - Themes - 主题 - - - Help - 帮助 - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - 工具栏 - - - Game List - 游戏列表 - - - * Unsupported Vulkan Version - * 不支持的 Vulkan 版本 - - - Download Cheats For All Installed Games - 下载所有已安装游戏的作弊码 - - - Download Patches For All Games - 下载所有游戏的补丁 - - - Download Complete - 下载完成 - - - You have downloaded cheats for all the games you have installed. - 您已下载了所有已安装游戏的作弊码。 - - - Patches Downloaded Successfully! - 补丁下载成功! - - - All Patches available for all games have been downloaded. - 所有游戏的可用补丁都已下载。 - - - Games: - 游戏: - - - PKG File (*.PKG) - PKG 文件 (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF 文件 (*.bin *.elf *.oelf) - - - Game Boot - 启动游戏 - - - Only one file can be selected! - 只能选择一个文件! - - - PKG Extraction - PKG 解压 - - - Patch detected! - 检测到补丁! - - - PKG and Game versions match: - PKG 和游戏版本匹配: - - - Would you like to overwrite? - 您想要覆盖吗? - - - PKG Version %1 is older than installed version: - PKG 版本 %1 比已安装版本更旧: - - - Game is installed: - 游戏已安装: - - - Would you like to install Patch: - 您想安装补丁吗: - - - DLC Installation - DLC 安装 - - - Would you like to install DLC: %1? - 您想安装 DLC:%1 吗? - - - DLC already installed: - DLC 已经安装: - - - Game already installed - 游戏已经安装 - - - PKG is a patch, please install the game first! - PKG 是一个补丁,请先安装游戏! - - - PKG ERROR - PKG 错误 - - - Extracting PKG %1/%2 - 正在解压 PKG %1/%2 - - - Extraction Finished - 解压完成 - - - Game successfully installed at %1 - 游戏成功安装在 %1 - - - File doesn't appear to be a valid PKG file - 文件似乎不是有效的 PKG 文件 - - - - PKGViewer - - Open Folder - 打开文件夹 - - - - TrophyViewer - - Trophy Viewer - 奖杯查看器 - - - - SettingsDialog - - Settings - 设置 - - - General - 常规 - - - System - 系统 - - - Console Language - 主机语言 - - - Emulator Language - 模拟器语言 - - - Emulator - 模拟器 - - - Enable Fullscreen - 启用全屏 - - - Fullscreen Mode - 全屏模式 - - - Enable Separate Update Folder - 启用单独的更新目录 - - - Default tab when opening settings - 打开设置时的默认选项卡 - - - Show Game Size In List - 在列表中显示游戏大小 - - - Show Splash - 显示启动画面 - - - Is PS4 Pro - 模拟 PS4 Pro - - - Enable Discord Rich Presence - 启用 Discord Rich Presence - - - Username - 用户名 - - - Trophy Key - 奖杯密钥 - - - Trophy - 奖杯 - - - Logger - 日志 - - - Log Type - 日志类型 - - - Log Filter - 日志过滤 - - - Open Log Location - 打开日志位置 - - - Input - 输入 - - - Cursor - 光标 - - - Hide Cursor - 隐藏光标 - - - Hide Cursor Idle Timeout - 光标隐藏闲置时长 - - - s - - - - Controller - 手柄 - - - Back Button Behavior - 返回按钮行为 - - - Graphics - 图像 - - - GUI - 界面 - - - User - 用户 - - - Graphics Device - 图形设备 - - - Width - 宽度 - - - Height - 高度 - - - Vblank Divider - Vblank Divider - - - Advanced - 高级 - - - Enable Shaders Dumping - 启用着色器转储 - - - Enable NULL GPU - 启用 NULL GPU - - - Paths - 路径 - - - Game Folders - 游戏文件夹 - - - Add... - 添加... - - - Remove - 删除 - - - Debug - 调试 - - - Enable Debug Dumping - 启用调试转储 - - - Enable Vulkan Validation Layers - 启用 Vulkan 验证层 - - - Enable Vulkan Synchronization Validation - 启用 Vulkan 同步验证 - - - Enable RenderDoc Debugging - 启用 RenderDoc 调试 - - - Enable Crash Diagnostics - 启用崩溃诊断 - - - Collect Shaders - 收集着色器 - - - Copy GPU Buffers - 复制 GPU 缓冲区 - - - Host Debug Markers - Host 调试标记 - - - Guest Debug Markers - Geust 调试标记 - - - Update - 更新 - - - Check for Updates at Startup - 启动时检查更新 - - - Always Show Changelog - 始终显示变更日志 - - - Update Channel - 更新频道 - - - Check for Updates - 检查更新 - - - GUI Settings - 界面设置 - - - Title Music - 标题音乐 - - - Disable Trophy Pop-ups - 禁止弹出奖杯 - - - Background Image - 背景图片 - - - Show Background Image - 显示背景图片 - - - Opacity - 可见度 - - - Play title music - 播放标题音乐 - - - Update Compatibility Database On Startup - 启动时更新兼容性数据库 - - - Game Compatibility - 游戏兼容性 - - - Display Compatibility Data - 显示兼容性数据 - - - Update Compatibility Database - 更新兼容性数据库 - - - Volume - 音量 - - - Audio Backend - 音频后端 - - - Save - 保存 - - - Apply - 应用 - - - Restore Defaults - 恢复默认 - - - Close - 关闭 - - - Point your mouse at an option to display its description. - 将鼠标指针指向选项以显示其描述。 - - - consoleLanguageGroupBox - 主机语言:\n设置 PS4 游戏中使用的语言。\n建议设置为支持的语言,这将因地区而异。 - - - emulatorLanguageGroupBox - 模拟器语言:\n设置模拟器用户界面的语言。 - - - fullscreenCheckBox - 启用全屏:\n以全屏模式启动游戏。\n您可以按 F11 键切换回窗口模式。 - - - separateUpdatesCheckBox - 启用单独的更新目录:\n启用安装游戏更新到一个单独的目录中以更便于管理。 - - - showSplashCheckBox - 显示启动画面:\n在游戏启动时显示游戏的启动画面(特殊图像)。 - - - ps4proCheckBox - 模拟 PS4 Pro:\n使模拟器作为 PS4 Pro 运行,可以在支持的游戏中激活特殊功能。 - - - discordRPCCheckbox - 启用 Discord Rich Presence:\n在您的 Discord 个人资料上显示模拟器图标和相关信息。 - - - userName - 用户名:\n设置 PS4 帐户的用户名,某些游戏中可能会显示此名称。 - - - TrophyKey - 奖杯密钥:\n用于解密奖杯的密钥。必须从您的越狱主机中获得。\n仅包含十六进制字符。 - - - logTypeGroupBox - 日志类型:\n设置日志窗口输出的同步方式以提高性能。可能会对模拟产生不良影响。 - - - logFilter - 日志过滤器:\n过滤日志,仅打印特定信息。\n例如:"Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" 级别: Trace, Debug, Info, Warning, Error, Critical - 按此顺序,特定级别将静默列表中所有先前的级别,并记录所有后续级别。 - - - updaterGroupBox - 更新:\nRelease:每月发布的官方版本可能非常过时,但更可靠且经过测试。\nNightly:包含所有最新功能和修复的开发版本,但可能包含错误且稳定性较低。 - - - GUIBackgroundImageGroupBox - 背景图片:\n控制游戏背景图片的可见度。 - - - GUIMusicGroupBox - 播放标题音乐:\n如果游戏支持,在图形界面选择游戏时播放特殊音乐。 - - - disableTrophycheckBox - 禁止弹出奖杯:\n禁用游戏内奖杯通知。可以在奖杯查看器中继续跟踪奖杯进度(在主窗口中右键点击游戏)。 - - - hideCursorGroupBox - 隐藏光标:\n选择光标何时消失:\n从不: 从不隐藏光标。\n闲置:光标在闲置若干秒后消失。\n始终:始终隐藏光标。 - - - idleTimeoutGroupBox - 光标隐藏闲置时长:\n光标自动隐藏之前的闲置时长。 - - - backButtonBehaviorGroupBox - 返回按钮行为:\n设置手柄的返回按钮模拟在 PS4 触控板上指定位置的点击。 - - - enableCompatibilityCheckBox - 显示兼容性数据:\n在列表视图中显示游戏兼容性信息。启用“启动时更新兼容性数据库”以获取最新信息。 - - - checkCompatibilityOnStartupCheckBox - 启动时更新兼容性数据库:\n当 shadPS4 启动时自动更新兼容性数据库。 - - - updateCompatibilityButton - 更新兼容性数据库:\n立即更新兼容性数据库。 - - - Never - 从不 - - - Idle - 闲置 - - - Always - 始终 - - - Touchpad Left - 触控板左侧 - - - Touchpad Right - 触控板右侧 - - - Touchpad Center - 触控板中间 - - - None - - - - graphicsAdapterGroupBox - 图形设备:\n在具有多个 GPU 的系统中,从下拉列表中选择要使用的 GPU,\n或者选择“自动选择”由模拟器决定。 - - - resolutionLayout - 宽度/高度:\n设置启动游戏时的窗口大小,游戏过程中可以调整。\n这与游戏内的分辨率不同。 - - - heightDivider - Vblank Divider:\n模拟器刷新的帧率会乘以此数字。改变此项可能会导致游戏速度加快,或破坏游戏中不期望此变化的关键功能! - - - dumpShadersCheckBox - 启用着色器转储:\n用于技术调试,在渲染期间将游戏着色器保存到文件夹中。 - - - nullGpuCheckBox - 启用 NULL GPU:\n用于技术调试,禁用游戏渲染,就像没有显卡一样。 - - - gameFoldersBox - 游戏文件夹:\n检查已安装游戏的文件夹列表。 - - - addFolderButton - 添加:\n将文件夹添加到列表。 - - - removeFolderButton - 移除:\n从列表中移除文件夹。 - - - debugDump - 启用调试转储:\n将当前正在运行的 PS4 程序的导入和导出符号及文件头信息保存到目录中。 - - - vkValidationCheckBox - 启用 Vulkan 验证层:\n启用一个系统来验证 Vulkan 渲染器的状态并记录其内部状态的信息。\n这将降低性能并可能改变模拟的行为。 - - - vkSyncValidationCheckBox - 启用 Vulkan 同步验证:\n启用一个系统来验证 Vulkan 渲染任务的时间。\n这将降低性能并可能改变模拟的行为。 - - - rdocCheckBox - 启用 RenderDoc 调试:\n启用后模拟器将提供与 Renderdoc 的兼容性,允许在渲染过程中捕获和分析当前渲染的帧。 - - - collectShaderCheckBox - 收集着色器:\n您需要启用此功能才能使用调试菜单(Ctrl + F10)编辑着色器。 - - - crashDiagnosticsCheckBox - 崩溃诊断:\n创建一个包含崩溃时 Vulkan 状态的 .yaml 文件。\n对于调试“Device lost”错误很有用。如果您启用了此功能,您应该同时启用 Host 和 Guest 调试标记。\n此功能在 Intel 显卡上不可用。\n您需要启用 Vulkan 验证层并安装 Vulkan SDK 才能使用此功能。 - - - copyGPUBuffersCheckBox - 复制 GPU 缓冲区:\n绕过涉及 GPU 提交的竞态条件。\n对于 PM4 type 0 崩溃可能有帮助,也可能没有帮助。 - - - hostMarkersCheckBox - Host 调试标记:\n在 Vulkan 命令周围插入模拟器端信息,如特定 AMD GPU 命令的标记,以及为资源提供调试名称。\n如果您已启用此功能,应同时启用崩溃诊断。\n对 RenderDoc 等程序很有用。 - - - guestMarkersCheckBox - Guest 调试标记:\n在命令缓冲区中插入游戏本身添加的任何调试标记。\n如果您已启用此功能,应同时启用崩溃诊断。\n对 RenderDoc 等程序很有用。 - - - saveDataBox - 存档数据路径:\n保存游戏存档数据的目录。 - - - browseButton - 浏览:\n选择一个目录保存游戏存档数据。 - - - - CheatsPatches - - Cheats / Patches for - 作弊码/补丁: - - - defaultTextEdit_MSG - 作弊码/补丁是实验性的。\n请小心使用。\n\n通过选择存储库并点击下载按钮,下载该游戏的作弊码。\n在“补丁”选项卡中,您可以一次性下载所有补丁,选择要使用的补丁并保存选择。\n\n由于我们不开发作弊码/补丁,\n请将问题报告给作弊码/补丁的作者。\n\n创建了新的作弊码/补丁?欢迎提交到我们的仓库:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - 没有可用的图片 - - - Serial: - 序列号: - - - Version: - 版本: - - - Size: - 大小: - - - Select Cheat File: - 选择作弊码文件: - - - Repository: - 存储库: - - - Download Cheats - 下载作弊码 - - - Delete File - 删除文件 - - - No files selected. - 没有选择文件。 - - - You can delete the cheats you don't want after downloading them. - 您可以在下载后删除不想要的作弊码。 - - - Do you want to delete the selected file?\n%1 - 您要删除选中的文件吗?\n%1 - - - Select Patch File: - 选择补丁文件: - - - Download Patches - 下载补丁 - - - Save - 保存 - - - Cheats - 作弊码 - - - Patches - 补丁 - - - Error - 错误 - - - No patch selected. - 没有选择补丁。 - - - Unable to open files.json for reading. - 无法打开 files.json 进行读取。 - - - No patch file found for the current serial. - 未找到当前序列号的补丁文件。 - - - Unable to open the file for reading. - 无法打开文件进行读取。 - - - Unable to open the file for writing. - 无法打开文件进行写入。 - - - Failed to parse XML: - 解析 XML 失败: - - - Success - 成功 - - - Options saved successfully. - 选项已成功保存。 - - - Invalid Source - 无效的来源 - - - The selected source is invalid. - 选择的来源无效。 - - - File Exists - 文件已存在 - - - File already exists. Do you want to replace it? - 文件已存在,您要替换它吗? - - - Failed to save file: - 保存文件失败: - - - Failed to download file: - 下载文件失败: - - - Cheats Not Found - 未找到作弊码 - - - CheatsNotFound_MSG - 在所选存储库的版本中找不到该游戏的作弊码,请尝试其他存储库或游戏版本。 - - - Cheats Downloaded Successfully - 作弊码下载成功 - - - CheatsDownloadedSuccessfully_MSG - 您已从所选存储库中成功下载了该游戏版本的作弊码。您还可以尝试从其他存储库下载,或通过从列表中选择文件来使用它们。 - - - Failed to save: - 保存失败: - - - Failed to download: - 下载失败: - - - Download Complete - 下载完成 - - - DownloadComplete_MSG - 补丁下载成功!所有可用的补丁已下载完成,无需像作弊码那样单独下载每个游戏的补丁。如果补丁没有出现,可能是该补丁不适用于当前游戏的序列号和版本。 - - - Failed to parse JSON data from HTML. - 无法解析 HTML 中的 JSON 数据。 - - - Failed to retrieve HTML page. - 无法获取 HTML 页面。 - - - The game is in version: %1 - 游戏版本:%1 - - - The downloaded patch only works on version: %1 - 下载的补丁仅适用于版本:%1 - - - You may need to update your game. - 您可能需要更新您的游戏。 - - - Incompatibility Notice - 不兼容通知 - - - Failed to open file: - 无法打开文件: - - - XML ERROR: - XML 错误: - - - Failed to open files.json for writing - 无法打开 files.json 进行写入 - - - Author: - 作者: - - - Directory does not exist: - 目录不存在: - - - Failed to open files.json for reading. - 无法打开 files.json 进行读取。 - - - Name: - 名称: - - - Can't apply cheats before the game is started - 在游戏启动之前无法应用作弊码。 - - - - GameListFrame - - Icon - 图标 - - - Name - 名称 - - - Serial - 序列号 - - - Compatibility - 兼容性 - - - Region - 区域 - - - Firmware - 固件 - - - Size - 大小 - - - Version - 版本 - - - Path - 路径 - - - Play Time - 游戏时间 - - - Never Played - 未玩过 - - - h - 小时 - - - m - 分钟 - - - s - - - - Compatibility is untested - 兼容性未经测试 - - - Game does not initialize properly / crashes the emulator - 游戏无法正确初始化/模拟器崩溃 - - - Game boots, but only displays a blank screen - 游戏启动,但只显示白屏 - - - Game displays an image but does not go past the menu - 游戏显示图像但无法通过菜单页面 - - - Game has game-breaking glitches or unplayable performance - 游戏有严重的 Bug 或太卡无法游玩 - - - Game can be completed with playable performance and no major glitches - 游戏能在可玩的性能下通关且没有重大 Bug - - - Click to see details on github - 点击查看 GitHub 上的详细信息 - - - Last updated - 最后更新 - - - - CheckUpdate - - Auto Updater - 自动更新程序 - - - Error - 错误 - - - Network error: - 网络错误: - - - Error_Github_limit_MSG - 自动更新程序每小时最多允许 60 次更新检查。\n您已达到此限制。请稍后再试。 - - - Failed to parse update information. - 无法解析更新信息。 - - - No pre-releases found. - 未找到预发布版本。 - - - Invalid release data. - 无效的发布数据。 - - - No download URL found for the specified asset. - 未找到指定资源的下载地址。 - - - Your version is already up to date! - 您的版本已经是最新的! - - - Update Available - 可用更新 - - - Update Channel - 更新频道 - - - Current Version - 当前版本 - - - Latest Version - 最新版本 - - - Do you want to update? - 您想要更新吗? - - - Show Changelog - 显示更新日志 - - - Check for Updates at Startup - 启动时检查更新 - - - Update - 更新 - - - No - - - - Hide Changelog - 隐藏更新日志 - - - Changes - 更新日志 - - - Network error occurred while trying to access the URL - 尝试访问网址时发生网络错误 - - - Download Complete - 下载完成 - - - The update has been downloaded, press OK to install. - 更新已下载,请按 OK 安装。 - - - Failed to save the update file at - 无法保存更新文件到 - - - Starting Update... - 正在开始更新... - - - Failed to create the update script file - 无法创建更新脚本文件 - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - 正在获取兼容性数据,请稍等 - - - Cancel - 取消 - - - Loading... - 加载中... - - - Error - 错误 - - - Unable to update compatibility data! Try again later. - 无法更新兼容性数据!稍后再试。 - - - Unable to open compatibility_data.json for writing. - 无法打开 compatibility_data.json 进行写入。 - - - Unknown - 未知 - - - Nothing - 无法启动 - - - Boots - 可启动 - - - Menus - 可进入菜单 - - - Ingame - 可进入游戏内 - - - Playable - 可通关 - - + + AboutDialog + + About shadPS4 + 关于 shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 是一款实验性质的开源 PlayStation 4 模拟器软件。 + + + This software should not be used to play games you have not legally obtained. + 本软件不得用于运行未经合法授权而获得的游戏。 + + + + CheatsPatches + + Cheats / Patches for + 作弊码/补丁: + + + defaultTextEdit_MSG + 作弊码/补丁是实验性的。\n请小心使用。\n\n通过选择存储库并点击下载按钮,下载该游戏的作弊码。\n在“补丁”选项卡中,您可以一次性下载所有补丁,选择要使用的补丁并保存选择。\n\n由于我们不开发作弊码/补丁,\n请将问题报告给作弊码/补丁的作者。\n\n创建了新的作弊码/补丁?欢迎提交到我们的仓库:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + 没有可用的图片 + + + Serial: + 序列号: + + + Version: + 版本: + + + Size: + 大小: + + + Select Cheat File: + 选择作弊码文件: + + + Repository: + 存储库: + + + Download Cheats + 下载作弊码 + + + Delete File + 删除文件 + + + No files selected. + 没有选择文件。 + + + You can delete the cheats you don't want after downloading them. + 您可以在下载后删除不想要的作弊码。 + + + Do you want to delete the selected file?\n%1 + 您要删除选中的文件吗?\n%1 + + + Select Patch File: + 选择补丁文件: + + + Download Patches + 下载补丁 + + + Save + 保存 + + + Cheats + 作弊码 + + + Patches + 补丁 + + + Error + 错误 + + + No patch selected. + 没有选择补丁。 + + + Unable to open files.json for reading. + 无法打开 files.json 进行读取。 + + + No patch file found for the current serial. + 未找到当前序列号的补丁文件。 + + + Unable to open the file for reading. + 无法打开文件进行读取。 + + + Unable to open the file for writing. + 无法打开文件进行写入。 + + + Failed to parse XML: + 解析 XML 失败: + + + Success + 成功 + + + Options saved successfully. + 选项已成功保存。 + + + Invalid Source + 无效的来源 + + + The selected source is invalid. + 选择的来源无效。 + + + File Exists + 文件已存在 + + + File already exists. Do you want to replace it? + 文件已存在,您要替换它吗? + + + Failed to save file: + 保存文件失败: + + + Failed to download file: + 下载文件失败: + + + Cheats Not Found + 未找到作弊码 + + + CheatsNotFound_MSG + 在所选存储库的版本中找不到该游戏的作弊码,请尝试其他存储库或游戏版本。 + + + Cheats Downloaded Successfully + 作弊码下载成功 + + + CheatsDownloadedSuccessfully_MSG + 您已从所选存储库中成功下载了该游戏版本的作弊码。您还可以尝试从其他存储库下载,或通过从列表中选择文件来使用它们。 + + + Failed to save: + 保存失败: + + + Failed to download: + 下载失败: + + + Download Complete + 下载完成 + + + DownloadComplete_MSG + 补丁下载成功!所有可用的补丁已下载完成,无需像作弊码那样单独下载每个游戏的补丁。如果补丁没有出现,可能是该补丁不适用于当前游戏的序列号和版本。 + + + Failed to parse JSON data from HTML. + 无法解析 HTML 中的 JSON 数据。 + + + Failed to retrieve HTML page. + 无法获取 HTML 页面。 + + + The game is in version: %1 + 游戏版本:%1 + + + The downloaded patch only works on version: %1 + 下载的补丁仅适用于版本:%1 + + + You may need to update your game. + 您可能需要更新您的游戏。 + + + Incompatibility Notice + 不兼容通知 + + + Failed to open file: + 无法打开文件: + + + XML ERROR: + XML 错误: + + + Failed to open files.json for writing + 无法打开 files.json 进行写入 + + + Author: + 作者: + + + Directory does not exist: + 目录不存在: + + + Failed to open files.json for reading. + 无法打开 files.json 进行读取。 + + + Name: + 名称: + + + Can't apply cheats before the game is started + 在游戏启动之前无法应用作弊码。 + + + Close + 关闭 + + + + CheckUpdate + + Auto Updater + 自动更新程序 + + + Error + 错误 + + + Network error: + 网络错误: + + + Error_Github_limit_MSG + 自动更新程序每小时最多允许 60 次更新检查。\n您已达到此限制。请稍后再试。 + + + Failed to parse update information. + 无法解析更新信息。 + + + No pre-releases found. + 未找到预发布版本。 + + + Invalid release data. + 无效的发布数据。 + + + No download URL found for the specified asset. + 未找到指定资源的下载地址。 + + + Your version is already up to date! + 您的版本已经是最新的! + + + Update Available + 可用更新 + + + Update Channel + 更新频道 + + + Current Version + 当前版本 + + + Latest Version + 最新版本 + + + Do you want to update? + 您想要更新吗? + + + Show Changelog + 显示更新日志 + + + Check for Updates at Startup + 启动时检查更新 + + + Update + 更新 + + + No + + + + Hide Changelog + 隐藏更新日志 + + + Changes + 更新日志 + + + Network error occurred while trying to access the URL + 尝试访问网址时发生网络错误 + + + Download Complete + 下载完成 + + + The update has been downloaded, press OK to install. + 更新已下载,请按 OK 安装。 + + + Failed to save the update file at + 无法保存更新文件到 + + + Starting Update... + 正在开始更新... + + + Failed to create the update script file + 无法创建更新脚本文件 + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + 正在获取兼容性数据,请稍等 + + + Cancel + 取消 + + + Loading... + 加载中... + + + Error + 错误 + + + Unable to update compatibility data! Try again later. + 无法更新兼容性数据!稍后再试。 + + + Unable to open compatibility_data.json for writing. + 无法打开 compatibility_data.json 进行写入。 + + + Unknown + 未知 + + + Nothing + 无法启动 + + + Boots + 可启动 + + + Menus + 可进入菜单 + + + Ingame + 可进入游戏内 + + + Playable + 可通关 + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + 打开文件夹 + + + + GameInfoClass + + Loading game list, please wait :3 + 加载游戏列表中, 请稍等 :3 + + + Cancel + 取消 + + + Loading... + 加载中... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - 选择文件目录 + + + Directory to install games + 要安装游戏的目录 + + + Browse + 浏览 + + + Error + 错误 + + + Directory to install DLC + + + + + GameListFrame + + Icon + 图标 + + + Name + 名称 + + + Serial + 序列号 + + + Compatibility + 兼容性 + + + Region + 区域 + + + Firmware + 固件 + + + Size + 大小 + + + Version + 版本 + + + Path + 路径 + + + Play Time + 游戏时间 + + + Never Played + 未玩过 + + + h + 小时 + + + m + 分钟 + + + s + + + + Compatibility is untested + 兼容性未经测试 + + + Game does not initialize properly / crashes the emulator + 游戏无法正确初始化/模拟器崩溃 + + + Game boots, but only displays a blank screen + 游戏启动,但只显示白屏 + + + Game displays an image but does not go past the menu + 游戏显示图像但无法通过菜单页面 + + + Game has game-breaking glitches or unplayable performance + 游戏有严重的 Bug 或太卡无法游玩 + + + Game can be completed with playable performance and no major glitches + 游戏能在可玩的性能下通关且没有重大 Bug + + + Click to see details on github + 点击查看 GitHub 上的详细信息 + + + Last updated + 最后更新 + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + 创建快捷方式 + + + Cheats / Patches + 作弊码/补丁 + + + SFO Viewer + SFO 查看器 + + + Trophy Viewer + 奖杯查看器 + + + Open Folder... + 打开文件夹... + + + Open Game Folder + 打开游戏文件夹 + + + Open Save Data Folder + 打开存档数据文件夹 + + + Open Log Folder + 打开日志文件夹 + + + Copy info... + 复制信息... + + + Copy Name + 复制名称 + + + Copy Serial + 复制序列号 + + + Copy Version + 复制版本 + + + Copy Size + 复制大小 + + + Copy All + 复制全部 + + + Delete... + 删除... + + + Delete Game + 删除游戏 + + + Delete Update + 删除更新 + + + Delete DLC + 删除 DLC + + + Compatibility... + 兼容性... + + + Update database + 更新数据库 + + + View report + 查看报告 + + + Submit a report + 提交报告 + + + Shortcut creation + 创建快捷方式 + + + Shortcut created successfully! + 创建快捷方式成功! + + + Error + 错误 + + + Error creating shortcut! + 创建快捷方式出错! + + + Install PKG + 安装 PKG + + + Game + 游戏 + + + This game has no update to delete! + 这个游戏没有更新可以删除! + + + Update + 更新 + + + This game has no DLC to delete! + 这个游戏没有 DLC 可以删除! + + + DLC + DLC + + + Delete %1 + 删除 %1 + + + Are you sure you want to delete %1's %2 directory? + 您确定要删除 %1 的%2目录? + + + Open Update Folder + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - 选择文件目录 + + + Select which directory you want to install to. + 选择您想要安装到的目录。 + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + 打开/添加 Elf 文件夹 + + + Install Packages (PKG) + 安装 Packages (PKG) + + + Boot Game + 启动游戏 + + + Check for Updates + 检查更新 + + + About shadPS4 + 关于 shadPS4 + + + Configure... + 设置... + + + Install application from a .pkg file + 从 .pkg 文件安装应用程序 + + + Recent Games + 最近启动的游戏 + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + 退出 + + + Exit shadPS4 + 退出 shadPS4 + + + Exit the application. + 退出应用程序。 + + + Show Game List + 显示游戏列表 + + + Game List Refresh + 刷新游戏列表 + + + Tiny + 微小 + + + Small + + + + Medium + + + + Large + + + + List View + 列表视图 + + + Grid View + 表格视图 + + + Elf Viewer + Elf 查看器 + + + Game Install Directory + 游戏安装目录 + + + Download Cheats/Patches + 下载作弊码/补丁 + + + Dump Game List + 导出游戏列表 + + + PKG Viewer + PKG 查看器 + + + Search... + 搜索... + + + File + 文件 + + + View + 显示 + + + Game List Icons + 游戏列表图标 + + + Game List Mode + 游戏列表模式 + + + Settings + 设置 + + + Utils + 工具 + + + Themes + 主题 + + + Help + 帮助 + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + 工具栏 + + + Game List + 游戏列表 + + + * Unsupported Vulkan Version + * 不支持的 Vulkan 版本 + + + Download Cheats For All Installed Games + 下载所有已安装游戏的作弊码 + + + Download Patches For All Games + 下载所有游戏的补丁 + + + Download Complete + 下载完成 + + + You have downloaded cheats for all the games you have installed. + 您已下载了所有已安装游戏的作弊码。 + + + Patches Downloaded Successfully! + 补丁下载成功! + + + All Patches available for all games have been downloaded. + 所有游戏的可用补丁都已下载。 + + + Games: + 游戏: + + + ELF files (*.bin *.elf *.oelf) + ELF 文件 (*.bin *.elf *.oelf) + + + Game Boot + 启动游戏 + + + Only one file can be selected! + 只能选择一个文件! + + + PKG Extraction + PKG 解压 + + + Patch detected! + 检测到补丁! + + + PKG and Game versions match: + PKG 和游戏版本匹配: + + + Would you like to overwrite? + 您想要覆盖吗? + + + PKG Version %1 is older than installed version: + PKG 版本 %1 比已安装版本更旧: + + + Game is installed: + 游戏已安装: + + + Would you like to install Patch: + 您想安装补丁吗: + + + DLC Installation + DLC 安装 + + + Would you like to install DLC: %1? + 您想安装 DLC:%1 吗? + + + DLC already installed: + DLC 已经安装: + + + Game already installed + 游戏已经安装 + + + PKG ERROR + PKG 错误 + + + Extracting PKG %1/%2 + 正在解压 PKG %1/%2 + + + Extraction Finished + 解压完成 + + + Game successfully installed at %1 + 游戏成功安装在 %1 + + + File doesn't appear to be a valid PKG file + 文件似乎不是有效的 PKG 文件 + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + 打开文件夹 + + + Name + 名称 + + + Serial + 序列号 + + + Installed + + + + Size + 大小 + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + 区域 + + + Flags + + + + Path + 路径 + + + File + 文件 + + + PKG ERROR + PKG 错误 + + + Unknown + 未知 + + + Package + + + + + SettingsDialog + + Settings + 设置 + + + General + 常规 + + + System + 系统 + + + Console Language + 主机语言 + + + Emulator Language + 模拟器语言 + + + Emulator + 模拟器 + + + Enable Fullscreen + 启用全屏 + + + Fullscreen Mode + 全屏模式 + + + Enable Separate Update Folder + 启用单独的更新目录 + + + Default tab when opening settings + 打开设置时的默认选项卡 + + + Show Game Size In List + 在列表中显示游戏大小 + + + Show Splash + 显示启动画面 + + + Enable Discord Rich Presence + 启用 Discord Rich Presence + + + Username + 用户名 + + + Trophy Key + 奖杯密钥 + + + Trophy + 奖杯 + + + Logger + 日志 + + + Log Type + 日志类型 + + + Log Filter + 日志过滤 + + + Open Log Location + 打开日志位置 + + + Input + 输入 + + + Cursor + 光标 + + + Hide Cursor + 隐藏光标 + + + Hide Cursor Idle Timeout + 光标隐藏闲置时长 + + + s + + + + Controller + 手柄 + + + Back Button Behavior + 返回按钮行为 + + + Graphics + 图像 + + + GUI + 界面 + + + User + 用户 + + + Graphics Device + 图形设备 + + + Width + 宽度 + + + Height + 高度 + + + Vblank Divider + Vblank Divider + + + Advanced + 高级 + + + Enable Shaders Dumping + 启用着色器转储 + + + Enable NULL GPU + 启用 NULL GPU + + + Paths + 路径 + + + Game Folders + 游戏文件夹 + + + Add... + 添加... + + + Remove + 删除 + + + Debug + 调试 + + + Enable Debug Dumping + 启用调试转储 + + + Enable Vulkan Validation Layers + 启用 Vulkan 验证层 + + + Enable Vulkan Synchronization Validation + 启用 Vulkan 同步验证 + + + Enable RenderDoc Debugging + 启用 RenderDoc 调试 + + + Enable Crash Diagnostics + 启用崩溃诊断 + + + Collect Shaders + 收集着色器 + + + Copy GPU Buffers + 复制 GPU 缓冲区 + + + Host Debug Markers + Host 调试标记 + + + Guest Debug Markers + Geust 调试标记 + + + Update + 更新 + + + Check for Updates at Startup + 启动时检查更新 + + + Always Show Changelog + 始终显示变更日志 + + + Update Channel + 更新频道 + + + Check for Updates + 检查更新 + + + GUI Settings + 界面设置 + + + Title Music + 标题音乐 + + + Disable Trophy Pop-ups + 禁止弹出奖杯 + + + Background Image + 背景图片 + + + Show Background Image + 显示背景图片 + + + Opacity + 可见度 + + + Play title music + 播放标题音乐 + + + Update Compatibility Database On Startup + 启动时更新兼容性数据库 + + + Game Compatibility + 游戏兼容性 + + + Display Compatibility Data + 显示兼容性数据 + + + Update Compatibility Database + 更新兼容性数据库 + + + Volume + 音量 + + + Save + 保存 + + + Apply + 应用 + + + Restore Defaults + 恢复默认 + + + Close + 关闭 + + + Point your mouse at an option to display its description. + 将鼠标指针指向选项以显示其描述。 + + + consoleLanguageGroupBox + 主机语言:\n设置 PS4 游戏中使用的语言。\n建议设置为支持的语言,这将因地区而异。 + + + emulatorLanguageGroupBox + 模拟器语言:\n设置模拟器用户界面的语言。 + + + fullscreenCheckBox + 启用全屏:\n以全屏模式启动游戏。\n您可以按 F11 键切换回窗口模式。 + + + separateUpdatesCheckBox + 启用单独的更新目录:\n启用安装游戏更新到一个单独的目录中以更便于管理。 + + + showSplashCheckBox + 显示启动画面:\n在游戏启动时显示游戏的启动画面(特殊图像)。 + + + discordRPCCheckbox + 启用 Discord Rich Presence:\n在您的 Discord 个人资料上显示模拟器图标和相关信息。 + + + userName + 用户名:\n设置 PS4 帐户的用户名,某些游戏中可能会显示此名称。 + + + TrophyKey + 奖杯密钥:\n用于解密奖杯的密钥。必须从您的越狱主机中获得。\n仅包含十六进制字符。 + + + logTypeGroupBox + 日志类型:\n设置日志窗口输出的同步方式以提高性能。可能会对模拟产生不良影响。 + + + logFilter + 日志过滤器:\n过滤日志,仅打印特定信息。\n例如:"Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" 级别: Trace, Debug, Info, Warning, Error, Critical - 按此顺序,特定级别将静默列表中所有先前的级别,并记录所有后续级别。 + + + updaterGroupBox + 更新:\nRelease:每月发布的官方版本可能非常过时,但更可靠且经过测试。\nNightly:包含所有最新功能和修复的开发版本,但可能包含错误且稳定性较低。 + + + GUIBackgroundImageGroupBox + 背景图片:\n控制游戏背景图片的可见度。 + + + GUIMusicGroupBox + 播放标题音乐:\n如果游戏支持,在图形界面选择游戏时播放特殊音乐。 + + + disableTrophycheckBox + 禁止弹出奖杯:\n禁用游戏内奖杯通知。可以在奖杯查看器中继续跟踪奖杯进度(在主窗口中右键点击游戏)。 + + + hideCursorGroupBox + 隐藏光标:\n选择光标何时消失:\n从不: 从不隐藏光标。\n闲置:光标在闲置若干秒后消失。\n始终:始终隐藏光标。 + + + idleTimeoutGroupBox + 光标隐藏闲置时长:\n光标自动隐藏之前的闲置时长。 + + + backButtonBehaviorGroupBox + 返回按钮行为:\n设置手柄的返回按钮模拟在 PS4 触控板上指定位置的点击。 + + + enableCompatibilityCheckBox + 显示兼容性数据:\n在列表视图中显示游戏兼容性信息。启用“启动时更新兼容性数据库”以获取最新信息。 + + + checkCompatibilityOnStartupCheckBox + 启动时更新兼容性数据库:\n当 shadPS4 启动时自动更新兼容性数据库。 + + + updateCompatibilityButton + 更新兼容性数据库:\n立即更新兼容性数据库。 + + + Never + 从不 + + + Idle + 闲置 + + + Always + 始终 + + + Touchpad Left + 触控板左侧 + + + Touchpad Right + 触控板右侧 + + + Touchpad Center + 触控板中间 + + + None + + + + graphicsAdapterGroupBox + 图形设备:\n在具有多个 GPU 的系统中,从下拉列表中选择要使用的 GPU,\n或者选择“自动选择”由模拟器决定。 + + + resolutionLayout + 宽度/高度:\n设置启动游戏时的窗口大小,游戏过程中可以调整。\n这与游戏内的分辨率不同。 + + + heightDivider + Vblank Divider:\n模拟器刷新的帧率会乘以此数字。改变此项可能会导致游戏速度加快,或破坏游戏中不期望此变化的关键功能! + + + dumpShadersCheckBox + 启用着色器转储:\n用于技术调试,在渲染期间将游戏着色器保存到文件夹中。 + + + nullGpuCheckBox + 启用 NULL GPU:\n用于技术调试,禁用游戏渲染,就像没有显卡一样。 + + + gameFoldersBox + 游戏文件夹:\n检查已安装游戏的文件夹列表。 + + + addFolderButton + 添加:\n将文件夹添加到列表。 + + + removeFolderButton + 移除:\n从列表中移除文件夹。 + + + debugDump + 启用调试转储:\n将当前正在运行的 PS4 程序的导入和导出符号及文件头信息保存到目录中。 + + + vkValidationCheckBox + 启用 Vulkan 验证层:\n启用一个系统来验证 Vulkan 渲染器的状态并记录其内部状态的信息。\n这将降低性能并可能改变模拟的行为。 + + + vkSyncValidationCheckBox + 启用 Vulkan 同步验证:\n启用一个系统来验证 Vulkan 渲染任务的时间。\n这将降低性能并可能改变模拟的行为。 + + + rdocCheckBox + 启用 RenderDoc 调试:\n启用后模拟器将提供与 Renderdoc 的兼容性,允许在渲染过程中捕获和分析当前渲染的帧。 + + + collectShaderCheckBox + 收集着色器:\n您需要启用此功能才能使用调试菜单(Ctrl + F10)编辑着色器。 + + + crashDiagnosticsCheckBox + 崩溃诊断:\n创建一个包含崩溃时 Vulkan 状态的 .yaml 文件。\n对于调试“Device lost”错误很有用。如果您启用了此功能,您应该同时启用 Host 和 Guest 调试标记。\n此功能在 Intel 显卡上不可用。\n您需要启用 Vulkan 验证层并安装 Vulkan SDK 才能使用此功能。 + + + copyGPUBuffersCheckBox + 复制 GPU 缓冲区:\n绕过涉及 GPU 提交的竞态条件。\n对于 PM4 type 0 崩溃可能有帮助,也可能没有帮助。 + + + hostMarkersCheckBox + Host 调试标记:\n在 Vulkan 命令周围插入模拟器端信息,如特定 AMD GPU 命令的标记,以及为资源提供调试名称。\n如果您已启用此功能,应同时启用崩溃诊断。\n对 RenderDoc 等程序很有用。 + + + guestMarkersCheckBox + Guest 调试标记:\n在命令缓冲区中插入游戏本身添加的任何调试标记。\n如果您已启用此功能,应同时启用崩溃诊断。\n对 RenderDoc 等程序很有用。 + + + saveDataBox + 存档数据路径:\n保存游戏存档数据的目录。 + + + browseButton + 浏览:\n选择一个目录保存游戏存档数据。 + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + 浏览 + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + 要安装游戏的目录 + + + Directory to save data + + + + enableHDRCheckBox + + + + + TrophyViewer + + Trophy Viewer + 奖杯查看器 + + diff --git a/src/qt_gui/translations/zh_TW.ts b/src/qt_gui/translations/zh_TW.ts index a3a574ea5..c54eee4c0 100644 --- a/src/qt_gui/translations/zh_TW.ts +++ b/src/qt_gui/translations/zh_TW.ts @@ -1,1475 +1,1790 @@ + - - - AboutDialog - - About shadPS4 - About shadPS4 - - - shadPS4 - shadPS4 - - - shadPS4 is an experimental open-source emulator for the PlayStation 4. - shadPS4 is an experimental open-source emulator for the PlayStation 4. - - - This software should not be used to play games you have not legally obtained. - This software should not be used to play games you have not legally obtained. - - - - ElfViewer - - Open Folder - Open Folder - - - - GameInfoClass - - Loading game list, please wait :3 - Loading game list, please wait :3 - - - Cancel - Cancel - - - Loading... - Loading... - - - - InstallDirSelect - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Select which directory you want to install to. - Select which directory you want to install to. - - - - GameInstallDialog - - shadPS4 - Choose directory - shadPS4 - Choose directory - - - Directory to install games - Directory to install games - - - Browse - Browse - - - Error - Error - - - The value for location to install games is not valid. - The value for location to install games is not valid. - - - - GuiContextMenus - - Create Shortcut - Create Shortcut - - - Cheats / Patches - Zuòbì / Xiūbǔ chéngshì - - - SFO Viewer - SFO Viewer - - - Trophy Viewer - Trophy Viewer - - - Open Folder... - 打開資料夾... - - - Open Game Folder - 打開遊戲資料夾 - - - Open Save Data Folder - 打開存檔資料夾 - - - Open Log Folder - 打開日誌資料夾 - - - Copy info... - Copy info... - - - Copy Name - Copy Name - - - Copy Serial - Copy Serial - - - Copy All - Copy All - - - Delete... - Delete... - - - Delete Game - Delete Game - - - Delete Update - Delete Update - - - Delete DLC - Delete DLC - - - Compatibility... - Compatibility... - - - Update database - Update database - - - View report - View report - - - Submit a report - Submit a report - - - Shortcut creation - Shortcut creation - - - Shortcut created successfully! - Shortcut created successfully! - - - Error - Error - - - Error creating shortcut! - Error creating shortcut! - - - Install PKG - Install PKG - - - Game - Game - - - requiresEnableSeparateUpdateFolder_MSG - This feature requires the 'Enable Separate Update Folder' config option to work. If you want to use this feature, please enable it. - - - This game has no update to delete! - This game has no update to delete! - - - Update - Update - - - This game has no DLC to delete! - This game has no DLC to delete! - - - DLC - DLC - - - Delete %1 - Delete %1 - - - Are you sure you want to delete %1's %2 directory? - Are you sure you want to delete %1's %2 directory? - - - - MainWindow - - Open/Add Elf Folder - Open/Add Elf Folder - - - Install Packages (PKG) - Install Packages (PKG) - - - Boot Game - Boot Game - - - Check for Updates - 檢查更新 - - - About shadPS4 - About shadPS4 - - - Configure... - Configure... - - - Install application from a .pkg file - Install application from a .pkg file - - - Recent Games - Recent Games - - - Open shadPS4 Folder - Open shadPS4 Folder - - - Exit - Exit - - - Exit shadPS4 - Exit shadPS4 - - - Exit the application. - Exit the application. - - - Show Game List - Show Game List - - - Game List Refresh - Game List Refresh - - - Tiny - Tiny - - - Small - Small - - - Medium - Medium - - - Large - Large - - - List View - List View - - - Grid View - Grid View - - - Elf Viewer - Elf Viewer - - - Game Install Directory - Game Install Directory - - - Download Cheats/Patches - Xiàzài Zuòbì / Xiūbǔ chéngshì - - - Dump Game List - Dump Game List - - - PKG Viewer - PKG Viewer - - - Search... - Search... - - - File - File - - - View - View - - - Game List Icons - Game List Icons - - - Game List Mode - Game List Mode - - - Settings - Settings - - - Utils - Utils - - - Themes - Themes - - - Help - 幫助 - - - Dark - Dark - - - Light - Light - - - Green - Green - - - Blue - Blue - - - Violet - Violet - - - toolBar - toolBar - - - Game List - 遊戲列表 - - - * Unsupported Vulkan Version - * 不支援的 Vulkan 版本 - - - Download Cheats For All Installed Games - 下載所有已安裝遊戲的作弊碼 - - - Download Patches For All Games - 下載所有遊戲的修補檔 - - - Download Complete - 下載完成 - - - You have downloaded cheats for all the games you have installed. - 您已經下載了所有已安裝遊戲的作弊碼。 - - - Patches Downloaded Successfully! - 修補檔下載成功! - - - All Patches available for all games have been downloaded. - 所有遊戲的修補檔已經下載完成。 - - - Games: - 遊戲: - - - PKG File (*.PKG) - PKG 檔案 (*.PKG) - - - ELF files (*.bin *.elf *.oelf) - ELF 檔案 (*.bin *.elf *.oelf) - - - Game Boot - 遊戲啟動 - - - Only one file can be selected! - 只能選擇一個檔案! - - - PKG Extraction - PKG 解壓縮 - - - Patch detected! - 檢測到補丁! - - - PKG and Game versions match: - PKG 和遊戲版本匹配: - - - Would you like to overwrite? - 您想要覆蓋嗎? - - - PKG Version %1 is older than installed version: - PKG 版本 %1 比已安裝版本更舊: - - - Game is installed: - 遊戲已安裝: - - - Would you like to install Patch: - 您想要安裝補丁嗎: - - - DLC Installation - DLC 安裝 - - - Would you like to install DLC: %1? - 您想要安裝 DLC: %1 嗎? - - - DLC already installed: - DLC 已經安裝: - - - Game already installed - 遊戲已經安裝 - - - PKG is a patch, please install the game first! - PKG 是修補檔,請先安裝遊戲! - - - PKG ERROR - PKG 錯誤 - - - Extracting PKG %1/%2 - 正在解壓縮 PKG %1/%2 - - - Extraction Finished - 解壓縮完成 - - - Game successfully installed at %1 - 遊戲成功安裝於 %1 - - - File doesn't appear to be a valid PKG file - 檔案似乎不是有效的 PKG 檔案 - - - - PKGViewer - - Open Folder - Open Folder - - - - TrophyViewer - - Trophy Viewer - Trophy Viewer - - - - SettingsDialog - - Settings - Settings - - - General - General - - - System - System - - - Console Language - Console Language - - - Emulator Language - Emulator Language - - - Emulator - Emulator - - - Enable Fullscreen - Enable Fullscreen - - - Fullscreen Mode - 全螢幕模式 - - - Enable Separate Update Folder - Enable Separate Update Folder - - - Default tab when opening settings - 打開設置時的默認選項卡 - - - Show Game Size In List - 顯示遊戲大小在列表中 - - - Show Splash - Show Splash - - - Is PS4 Pro - Is PS4 Pro - - - Enable Discord Rich Presence - 啟用 Discord Rich Presence - - - Username - Username - - - Trophy Key - Trophy Key - - - Trophy - Trophy - - - Logger - Logger - - - Log Type - Log Type - - - Log Filter - Log Filter - - - Open Log Location - 開啟日誌位置 - - - Input - 輸入 - - - Cursor - 游標 - - - Hide Cursor - 隱藏游標 - - - Hide Cursor Idle Timeout - 游標空閒超時隱藏 - - - s - s - - - Controller - 控制器 - - - Back Button Behavior - 返回按鈕行為 - - - Graphics - Graphics - - - GUI - 介面 - - - User - 使用者 - - - Graphics Device - Graphics Device - - - Width - Width - - - Height - Height - - - Vblank Divider - Vblank Divider - - - Advanced - Advanced - - - Enable Shaders Dumping - Enable Shaders Dumping - - - Enable NULL GPU - Enable NULL GPU - - - Paths - 路徑 - - - Game Folders - 遊戲資料夾 - - - Add... - 添加... - - - Remove - 刪除 - - - Debug - Debug - - - Enable Debug Dumping - Enable Debug Dumping - - - Enable Vulkan Validation Layers - Enable Vulkan Validation Layers - - - Enable Vulkan Synchronization Validation - Enable Vulkan Synchronization Validation - - - Enable RenderDoc Debugging - Enable RenderDoc Debugging - - - Enable Crash Diagnostics - Enable Crash Diagnostics - - - Collect Shaders - Collect Shaders - - - Copy GPU Buffers - Copy GPU Buffers - - - Host Debug Markers - Host Debug Markers - - - Guest Debug Markers - Guest Debug Markers - - - Update - 更新 - - - Check for Updates at Startup - 啟動時檢查更新 - - - Always Show Changelog - 始終顯示變更紀錄 - - - Update Channel - 更新頻道 - - - Check for Updates - 檢查更新 - - - GUI Settings - 介面設置 - - - Title Music - Title Music - - - Disable Trophy Pop-ups - Disable Trophy Pop-ups - - - Play title music - 播放標題音樂 - - - Update Compatibility Database On Startup - Update Compatibility Database On Startup - - - Game Compatibility - Game Compatibility - - - Display Compatibility Data - Display Compatibility Data - - - Update Compatibility Database - Update Compatibility Database - - - Volume - 音量 - - - Audio Backend - Audio Backend - - - Save - 儲存 - - - Apply - 應用 - - - Restore Defaults - 還原預設值 - - - Close - 關閉 - - - Point your mouse at an option to display its description. - 將鼠標指向選項以顯示其描述。 - - - consoleLanguageGroupBox - 主機語言:\n設定PS4遊戲使用的語言。\n建議將其設置為遊戲支持的語言,這會因地區而異。 - - - emulatorLanguageGroupBox - 模擬器語言:\n設定模擬器的用戶介面的語言。 - - - fullscreenCheckBox - 啟用全螢幕:\n自動將遊戲視窗設置為全螢幕模式。\n可以按F11鍵進行切換。 - - - separateUpdatesCheckBox - Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. - - - showSplashCheckBox - 顯示啟動畫面:\n在遊戲啟動時顯示遊戲的啟動畫面(特殊圖片)。 - - - ps4proCheckBox - 為PS4 Pro:\n讓模擬器像PS4 PRO一樣運作,這可能啟用支持此功能的遊戲中的特殊功能。 - - - discordRPCCheckbox - 啟用 Discord Rich Presence:\n在您的 Discord 個人檔案上顯示模擬器圖標和相關信息。 - - - userName - 用戶名:\n設定PS4帳號的用戶名,某些遊戲中可能會顯示。 - - - TrophyKey - Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. - - - logTypeGroupBox - 日誌類型:\n設定是否同步日誌窗口的輸出以提高性能。可能對模擬產生不良影響。 - - - logFilter - 日誌過濾器:\n過濾日誌以僅打印特定信息。\n範例:"Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" 等級: Trace, Debug, Info, Warning, Error, Critical - 以此順序,特定級別靜音所有前面的級別,並記錄其後的每個級別。 - - - updaterGroupBox - 更新:\nRelease: 每月發布的官方版本,可能非常舊,但更可靠且經過測試。\nNightly: 開發版本,擁有所有最新的功能和修復,但可能包含錯誤,穩定性較差。 - - - GUIMusicGroupBox - 播放標題音樂:\n如果遊戲支持,啟用在GUI中選擇遊戲時播放特殊音樂。 - - - disableTrophycheckBox - Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). - - - hideCursorGroupBox - 隱藏游標:\n選擇游標何時消失:\n從不: 您將始終看到滑鼠。\n閒置: 設定在閒置後消失的時間。\n始終: 您將永遠看不到滑鼠。 - - - idleTimeoutGroupBox - 設定滑鼠在閒置後消失的時間。 - - - backButtonBehaviorGroupBox - 返回按鈕行為:\n設定控制器的返回按鈕模擬在 PS4 觸控板上指定位置的觸碰。 - - - enableCompatibilityCheckBox - Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. - - - checkCompatibilityOnStartupCheckBox - Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. - - - updateCompatibilityButton - Update Compatibility Database:\nImmediately update the compatibility database. - - - Never - 從不 - - - Idle - 閒置 - - - Always - 始終 - - - Touchpad Left - 觸控板左側 - - - Touchpad Right - 觸控板右側 - - - Touchpad Center - 觸控板中間 - - - None - - - - graphicsAdapterGroupBox - 圖形設備:\n在多GPU系統中,從下拉列表中選擇模擬器將使用的GPU,\n或選擇「自動選擇」以自動確定。 - - - resolutionLayout - 寬度/高度:\n設定模擬器啟動時的窗口大小,可以在遊戲過程中調整。\n這與遊戲內解析度不同。 - - - heightDivider - Vblank分隔符:\n模擬器的幀速率將乘以這個數字。更改此數字可能會有不良影響,例如增加遊戲速度,或破壞不預期此變化的關鍵遊戲功能! - - - dumpShadersCheckBox - 啟用著色器轉儲:\n為了技術調試,將遊戲的著色器在渲染時保存到文件夾中。 - - - nullGpuCheckBox - 啟用空GPU:\n為了技術調試,禁用遊戲渲染,彷彿沒有顯示卡。 - - - gameFoldersBox - 遊戲資料夾:\n檢查已安裝遊戲的資料夾列表。 - - - addFolderButton - 添加:\n將資料夾添加到列表。 - - - removeFolderButton - 移除:\n從列表中移除資料夾。 - - - debugDump - 啟用調試轉儲:\n將當前運行的PS4程序的輸入和輸出符號及文件頭信息保存到目錄中。 - - - vkValidationCheckBox - 啟用Vulkan驗證層:\n啟用一個系統來驗證Vulkan渲染器的狀態並記錄其內部狀態的信息。這將降低性能並可能改變模擬行為。 - - - vkSyncValidationCheckBox - 啟用Vulkan同步驗證:\n啟用一個系統來驗證Vulkan渲染任務的時間。這將降低性能並可能改變模擬行為。 - - - rdocCheckBox - 啟用RenderDoc調試:\n如果啟用,模擬器將提供與Renderdoc的兼容性,以允許捕獲和分析當前渲染的幀。 - - - collectShaderCheckBox - Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). - - - crashDiagnosticsCheckBox - Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. - - - copyGPUBuffersCheckBox - Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. - - - hostMarkersCheckBox - Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - guestMarkersCheckBox - Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. - - - - CheatsPatches - - Cheats / Patches for - Cheats / Patches for - - - defaultTextEdit_MSG - 作弊/補丁為實驗性功能。\n請小心使用。\n\n透過選擇儲存庫並點擊下載按鈕來單獨下載作弊程式。\n在“補丁”標籤頁中,您可以一次下載所有補丁,選擇要使用的補丁並保存您的選擇。\n\n由於我們不開發作弊/補丁,\n請將問題報告給作弊程式的作者。\n\n創建了新的作弊程式?請訪問:\nhttps://github.com/shadps4-emu/ps4_cheats - - - No Image Available - 沒有可用的圖片 - - - Serial: - 序號: - - - Version: - 版本: - - - Size: - 大小: - - - Select Cheat File: - 選擇作弊檔案: - - - Repository: - 儲存庫: - - - Download Cheats - 下載作弊碼 - - - Delete File - 刪除檔案 - - - No files selected. - 沒有選擇檔案。 - - - You can delete the cheats you don't want after downloading them. - 您可以在下載後刪除不需要的作弊碼。 - - - Do you want to delete the selected file?\n%1 - 您是否要刪除選定的檔案?\n%1 - - - Select Patch File: - 選擇修補檔案: - - - Download Patches - 下載修補檔 - - - Save - 儲存 - - - Cheats - 作弊碼 - - - Patches - 修補檔 - - - Error - 錯誤 - - - No patch selected. - 未選擇修補檔。 - - - Unable to open files.json for reading. - 無法打開 files.json 進行讀取。 - - - No patch file found for the current serial. - 找不到當前序號的修補檔。 - - - Unable to open the file for reading. - 無法打開檔案進行讀取。 - - - Unable to open the file for writing. - 無法打開檔案進行寫入。 - - - Failed to parse XML: - 解析 XML 失敗: - - - Success - 成功 - - - Options saved successfully. - 選項已成功儲存。 - - - Invalid Source - 無效的來源 - - - The selected source is invalid. - 選擇的來源無效。 - - - File Exists - 檔案已存在 - - - File already exists. Do you want to replace it? - 檔案已存在。您是否希望替換它? - - - Failed to save file: - 無法儲存檔案: - - - Failed to download file: - 無法下載檔案: - - - Cheats Not Found - 未找到作弊碼 - - - CheatsNotFound_MSG - 在此版本的儲存庫中未找到該遊戲的作弊碼,請嘗試另一個儲存庫或不同版本的遊戲。 - - - Cheats Downloaded Successfully - 作弊碼下載成功 - - - CheatsDownloadedSuccessfully_MSG - 您已成功下載該遊戲版本的作弊碼 從選定的儲存庫中。 您可以嘗試從其他儲存庫下載,如果可用,您也可以選擇從列表中選擇檔案來使用它。 - - - Failed to save: - 儲存失敗: - - - Failed to download: - 下載失敗: - - - Download Complete - 下載完成 - - - DownloadComplete_MSG - 修補檔下載成功!所有遊戲的修補檔已下載完成,無需像作弊碼那樣為每個遊戲單獨下載。如果補丁未顯示,可能是該補丁不適用於特定的序號和遊戲版本。 - - - Failed to parse JSON data from HTML. - 無法從 HTML 解析 JSON 數據。 - - - Failed to retrieve HTML page. - 無法檢索 HTML 頁面。 - - - The game is in version: %1 - 遊戲版本: %1 - - - The downloaded patch only works on version: %1 - 下載的補丁僅適用於版本: %1 - - - You may need to update your game. - 您可能需要更新遊戲。 - - - Incompatibility Notice - 不相容通知 - - - Failed to open file: - 無法打開檔案: - - - XML ERROR: - XML 錯誤: - - - Failed to open files.json for writing - 無法打開 files.json 進行寫入 - - - Author: - 作者: - - - Directory does not exist: - 目錄不存在: - - - Failed to open files.json for reading. - 無法打開 files.json 進行讀取。 - - - Name: - 名稱: - - - Can't apply cheats before the game is started - 在遊戲開始之前無法應用作弊。 - - - - GameListFrame - - Icon - 圖示 - - - Name - 名稱 - - - Serial - 序號 - - - Compatibility - Compatibility - - - Region - 區域 - - - Firmware - 固件 - - - Size - 大小 - - - Version - 版本 - - - Path - 路徑 - - - Play Time - 遊玩時間 - - - Never Played - Never Played - - - h - h - - - m - m - - - s - s - - - Compatibility is untested - Compatibility is untested - - - Game does not initialize properly / crashes the emulator - Game does not initialize properly / crashes the emulator - - - Game boots, but only displays a blank screen - Game boots, but only displays a blank screen - - - Game displays an image but does not go past the menu - Game displays an image but does not go past the menu - - - Game has game-breaking glitches or unplayable performance - Game has game-breaking glitches or unplayable performance - - - Game can be completed with playable performance and no major glitches - Game can be completed with playable performance and no major glitches - - - Click to see details on github - 點擊查看 GitHub 上的詳細資訊 - - - Last updated - 最後更新 - - - - CheckUpdate - - Auto Updater - 自動更新程式 - - - Error - 錯誤 - - - Network error: - 網路錯誤: - - - Error_Github_limit_MSG - 自動更新程式每小時最多允許 60 次更新檢查。\n您已達到此限制。請稍後再試。 - - - Failed to parse update information. - 無法解析更新資訊。 - - - No pre-releases found. - 未找到預發布版本。 - - - Invalid release data. - 無效的發行數據。 - - - No download URL found for the specified asset. - 未找到指定資產的下載 URL。 - - - Your version is already up to date! - 您的版本已經是最新的! - - - Update Available - 可用更新 - - - Update Channel - 更新頻道 - - - Current Version - 當前版本 - - - Latest Version - 最新版本 - - - Do you want to update? - 您想要更新嗎? - - - Show Changelog - 顯示變更日誌 - - - Check for Updates at Startup - 啟動時檢查更新 - - - Update - 更新 - - - No - - - - Hide Changelog - 隱藏變更日誌 - - - Changes - 變更 - - - Network error occurred while trying to access the URL - 嘗試訪問 URL 時發生網路錯誤 - - - Download Complete - 下載完成 - - - The update has been downloaded, press OK to install. - 更新已下載,按 OK 安裝。 - - - Failed to save the update file at - 無法將更新文件保存到 - - - Starting Update... - 正在開始更新... - - - Failed to create the update script file - 無法創建更新腳本文件 - - - - GameListUtils - - B - B - - - KB - KB - - - MB - MB - - - GB - GB - - - TB - TB - - - - CompatibilityInfoClass - - Fetching compatibility data, please wait - 正在取得相容性資料,請稍候 - - - Cancel - 取消 - - - Loading... - 載入中... - - - Error - 錯誤 - - - Unable to update compatibility data! Try again later. - 無法更新相容性資料!請稍後再試。 - - - Unable to open compatibility_data.json for writing. - 無法開啟 compatibility_data.json 進行寫入。 - - - Unknown - 未知 - - - Nothing - - - - Boots - 靴子 - - - Menus - 選單 - - - Ingame - 遊戲內 - - - Playable - 可玩 - - + + AboutDialog + + About shadPS4 + About shadPS4 + + + shadPS4 + shadPS4 + + + shadPS4 is an experimental open-source emulator for the PlayStation 4. + shadPS4 is an experimental open-source emulator for the PlayStation 4. + + + This software should not be used to play games you have not legally obtained. + This software should not be used to play games you have not legally obtained. + + + + CheatsPatches + + Cheats / Patches for + Cheats / Patches for + + + defaultTextEdit_MSG + 作弊/補丁為實驗性功能。\n請小心使用。\n\n透過選擇儲存庫並點擊下載按鈕來單獨下載作弊程式。\n在“補丁”標籤頁中,您可以一次下載所有補丁,選擇要使用的補丁並保存您的選擇。\n\n由於我們不開發作弊/補丁,\n請將問題報告給作弊程式的作者。\n\n創建了新的作弊程式?請訪問:\nhttps://github.com/shadps4-emu/ps4_cheats + + + No Image Available + 沒有可用的圖片 + + + Serial: + 序號: + + + Version: + 版本: + + + Size: + 大小: + + + Select Cheat File: + 選擇作弊檔案: + + + Repository: + 儲存庫: + + + Download Cheats + 下載作弊碼 + + + Delete File + 刪除檔案 + + + No files selected. + 沒有選擇檔案。 + + + You can delete the cheats you don't want after downloading them. + 您可以在下載後刪除不需要的作弊碼。 + + + Do you want to delete the selected file?\n%1 + 您是否要刪除選定的檔案?\n%1 + + + Select Patch File: + 選擇修補檔案: + + + Download Patches + 下載修補檔 + + + Save + 儲存 + + + Cheats + 作弊碼 + + + Patches + 修補檔 + + + Error + 錯誤 + + + No patch selected. + 未選擇修補檔。 + + + Unable to open files.json for reading. + 無法打開 files.json 進行讀取。 + + + No patch file found for the current serial. + 找不到當前序號的修補檔。 + + + Unable to open the file for reading. + 無法打開檔案進行讀取。 + + + Unable to open the file for writing. + 無法打開檔案進行寫入。 + + + Failed to parse XML: + 解析 XML 失敗: + + + Success + 成功 + + + Options saved successfully. + 選項已成功儲存。 + + + Invalid Source + 無效的來源 + + + The selected source is invalid. + 選擇的來源無效。 + + + File Exists + 檔案已存在 + + + File already exists. Do you want to replace it? + 檔案已存在。您是否希望替換它? + + + Failed to save file: + 無法儲存檔案: + + + Failed to download file: + 無法下載檔案: + + + Cheats Not Found + 未找到作弊碼 + + + CheatsNotFound_MSG + 在此版本的儲存庫中未找到該遊戲的作弊碼,請嘗試另一個儲存庫或不同版本的遊戲。 + + + Cheats Downloaded Successfully + 作弊碼下載成功 + + + CheatsDownloadedSuccessfully_MSG + 您已成功下載該遊戲版本的作弊碼 從選定的儲存庫中。 您可以嘗試從其他儲存庫下載,如果可用,您也可以選擇從列表中選擇檔案來使用它。 + + + Failed to save: + 儲存失敗: + + + Failed to download: + 下載失敗: + + + Download Complete + 下載完成 + + + DownloadComplete_MSG + 修補檔下載成功!所有遊戲的修補檔已下載完成,無需像作弊碼那樣為每個遊戲單獨下載。如果補丁未顯示,可能是該補丁不適用於特定的序號和遊戲版本。 + + + Failed to parse JSON data from HTML. + 無法從 HTML 解析 JSON 數據。 + + + Failed to retrieve HTML page. + 無法檢索 HTML 頁面。 + + + The game is in version: %1 + 遊戲版本: %1 + + + The downloaded patch only works on version: %1 + 下載的補丁僅適用於版本: %1 + + + You may need to update your game. + 您可能需要更新遊戲。 + + + Incompatibility Notice + 不相容通知 + + + Failed to open file: + 無法打開檔案: + + + XML ERROR: + XML 錯誤: + + + Failed to open files.json for writing + 無法打開 files.json 進行寫入 + + + Author: + 作者: + + + Directory does not exist: + 目錄不存在: + + + Failed to open files.json for reading. + 無法打開 files.json 進行讀取。 + + + Name: + 名稱: + + + Can't apply cheats before the game is started + 在遊戲開始之前無法應用作弊。 + + + Close + 關閉 + + + + CheckUpdate + + Auto Updater + 自動更新程式 + + + Error + 錯誤 + + + Network error: + 網路錯誤: + + + Error_Github_limit_MSG + 自動更新程式每小時最多允許 60 次更新檢查。\n您已達到此限制。請稍後再試。 + + + Failed to parse update information. + 無法解析更新資訊。 + + + No pre-releases found. + 未找到預發布版本。 + + + Invalid release data. + 無效的發行數據。 + + + No download URL found for the specified asset. + 未找到指定資產的下載 URL。 + + + Your version is already up to date! + 您的版本已經是最新的! + + + Update Available + 可用更新 + + + Update Channel + 更新頻道 + + + Current Version + 當前版本 + + + Latest Version + 最新版本 + + + Do you want to update? + 您想要更新嗎? + + + Show Changelog + 顯示變更日誌 + + + Check for Updates at Startup + 啟動時檢查更新 + + + Update + 更新 + + + No + + + + Hide Changelog + 隱藏變更日誌 + + + Changes + 變更 + + + Network error occurred while trying to access the URL + 嘗試訪問 URL 時發生網路錯誤 + + + Download Complete + 下載完成 + + + The update has been downloaded, press OK to install. + 更新已下載,按 OK 安裝。 + + + Failed to save the update file at + 無法將更新文件保存到 + + + Starting Update... + 正在開始更新... + + + Failed to create the update script file + 無法創建更新腳本文件 + + + + CompatibilityInfoClass + + Fetching compatibility data, please wait + 正在取得相容性資料,請稍候 + + + Cancel + 取消 + + + Loading... + 載入中... + + + Error + 錯誤 + + + Unable to update compatibility data! Try again later. + 無法更新相容性資料!請稍後再試。 + + + Unable to open compatibility_data.json for writing. + 無法開啟 compatibility_data.json 進行寫入。 + + + Unknown + 未知 + + + Nothing + + + + Boots + 靴子 + + + Menus + 選單 + + + Ingame + 遊戲內 + + + Playable + 可玩 + + + + ControlSettings + + Configure Controls + + + + Control Settings + + + + D-Pad + + + + Up + + + + Left + + + + Right + + + + Down + + + + Left Stick Deadzone (def:2 max:127) + + + + Left Deadzone + + + + Left Stick + + + + Config Selection + + + + Common Config + + + + Use per-game configs + + + + L1 / LB + + + + L2 / LT + + + + KBM Controls + + + + KBM Editor + + + + Back + + + + R1 / RB + + + + R2 / RT + + + + L3 + + + + Options / Start + + + + R3 + + + + Face Buttons + + + + Triangle / Y + + + + Square / X + + + + Circle / B + + + + Cross / A + + + + Right Stick Deadzone (def:2, max:127) + + + + Right Deadzone + + + + Right Stick + + + + + ElfViewer + + Open Folder + Open Folder + + + + GameInfoClass + + Loading game list, please wait :3 + Loading game list, please wait :3 + + + Cancel + Cancel + + + Loading... + Loading... + + + + GameInstallDialog + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Directory to install games + Directory to install games + + + Browse + Browse + + + Error + Error + + + Directory to install DLC + + + + + GameListFrame + + Icon + 圖示 + + + Name + 名稱 + + + Serial + 序號 + + + Compatibility + Compatibility + + + Region + 區域 + + + Firmware + 固件 + + + Size + 大小 + + + Version + 版本 + + + Path + 路徑 + + + Play Time + 遊玩時間 + + + Never Played + Never Played + + + h + h + + + m + m + + + s + s + + + Compatibility is untested + Compatibility is untested + + + Game does not initialize properly / crashes the emulator + Game does not initialize properly / crashes the emulator + + + Game boots, but only displays a blank screen + Game boots, but only displays a blank screen + + + Game displays an image but does not go past the menu + Game displays an image but does not go past the menu + + + Game has game-breaking glitches or unplayable performance + Game has game-breaking glitches or unplayable performance + + + Game can be completed with playable performance and no major glitches + Game can be completed with playable performance and no major glitches + + + Click to see details on github + 點擊查看 GitHub 上的詳細資訊 + + + Last updated + 最後更新 + + + + GameListUtils + + B + B + + + KB + KB + + + MB + MB + + + GB + GB + + + TB + TB + + + + GuiContextMenus + + Create Shortcut + Create Shortcut + + + Cheats / Patches + Zuòbì / Xiūbǔ chéngshì + + + SFO Viewer + SFO Viewer + + + Trophy Viewer + Trophy Viewer + + + Open Folder... + 打開資料夾... + + + Open Game Folder + 打開遊戲資料夾 + + + Open Save Data Folder + 打開存檔資料夾 + + + Open Log Folder + 打開日誌資料夾 + + + Copy info... + Copy info... + + + Copy Name + Copy Name + + + Copy Serial + Copy Serial + + + Copy All + Copy All + + + Delete... + Delete... + + + Delete Game + Delete Game + + + Delete Update + Delete Update + + + Delete DLC + Delete DLC + + + Compatibility... + Compatibility... + + + Update database + Update database + + + View report + View report + + + Submit a report + Submit a report + + + Shortcut creation + Shortcut creation + + + Shortcut created successfully! + Shortcut created successfully! + + + Error + Error + + + Error creating shortcut! + Error creating shortcut! + + + Install PKG + Install PKG + + + Game + Game + + + This game has no update to delete! + This game has no update to delete! + + + Update + Update + + + This game has no DLC to delete! + This game has no DLC to delete! + + + DLC + DLC + + + Delete %1 + Delete %1 + + + Are you sure you want to delete %1's %2 directory? + Are you sure you want to delete %1's %2 directory? + + + Open Update Folder + + + + Copy Version + + + + Copy Size + + + + Delete Save Data + + + + This game has no update folder to open! + + + + Failed to convert icon. + + + + This game has no save data to delete! + + + + Save Data + + + + + InstallDirSelect + + shadPS4 - Choose directory + shadPS4 - Choose directory + + + Select which directory you want to install to. + Select which directory you want to install to. + + + Install All Queued to Selected Folder + + + + Delete PKG File on Install + + + + + MainWindow + + Open/Add Elf Folder + Open/Add Elf Folder + + + Install Packages (PKG) + Install Packages (PKG) + + + Boot Game + Boot Game + + + Check for Updates + 檢查更新 + + + About shadPS4 + About shadPS4 + + + Configure... + Configure... + + + Install application from a .pkg file + Install application from a .pkg file + + + Recent Games + Recent Games + + + Open shadPS4 Folder + Open shadPS4 Folder + + + Exit + Exit + + + Exit shadPS4 + Exit shadPS4 + + + Exit the application. + Exit the application. + + + Show Game List + Show Game List + + + Game List Refresh + Game List Refresh + + + Tiny + Tiny + + + Small + Small + + + Medium + Medium + + + Large + Large + + + List View + List View + + + Grid View + Grid View + + + Elf Viewer + Elf Viewer + + + Game Install Directory + Game Install Directory + + + Download Cheats/Patches + Xiàzài Zuòbì / Xiūbǔ chéngshì + + + Dump Game List + Dump Game List + + + PKG Viewer + PKG Viewer + + + Search... + Search... + + + File + File + + + View + View + + + Game List Icons + Game List Icons + + + Game List Mode + Game List Mode + + + Settings + Settings + + + Utils + Utils + + + Themes + Themes + + + Help + 幫助 + + + Dark + Dark + + + Light + Light + + + Green + Green + + + Blue + Blue + + + Violet + Violet + + + toolBar + toolBar + + + Game List + 遊戲列表 + + + * Unsupported Vulkan Version + * 不支援的 Vulkan 版本 + + + Download Cheats For All Installed Games + 下載所有已安裝遊戲的作弊碼 + + + Download Patches For All Games + 下載所有遊戲的修補檔 + + + Download Complete + 下載完成 + + + You have downloaded cheats for all the games you have installed. + 您已經下載了所有已安裝遊戲的作弊碼。 + + + Patches Downloaded Successfully! + 修補檔下載成功! + + + All Patches available for all games have been downloaded. + 所有遊戲的修補檔已經下載完成。 + + + Games: + 遊戲: + + + ELF files (*.bin *.elf *.oelf) + ELF 檔案 (*.bin *.elf *.oelf) + + + Game Boot + 遊戲啟動 + + + Only one file can be selected! + 只能選擇一個檔案! + + + PKG Extraction + PKG 解壓縮 + + + Patch detected! + 檢測到補丁! + + + PKG and Game versions match: + PKG 和遊戲版本匹配: + + + Would you like to overwrite? + 您想要覆蓋嗎? + + + PKG Version %1 is older than installed version: + PKG 版本 %1 比已安裝版本更舊: + + + Game is installed: + 遊戲已安裝: + + + Would you like to install Patch: + 您想要安裝補丁嗎: + + + DLC Installation + DLC 安裝 + + + Would you like to install DLC: %1? + 您想要安裝 DLC: %1 嗎? + + + DLC already installed: + DLC 已經安裝: + + + Game already installed + 遊戲已經安裝 + + + PKG ERROR + PKG 錯誤 + + + Extracting PKG %1/%2 + 正在解壓縮 PKG %1/%2 + + + Extraction Finished + 解壓縮完成 + + + Game successfully installed at %1 + 遊戲成功安裝於 %1 + + + File doesn't appear to be a valid PKG file + 檔案似乎不是有效的 PKG 檔案 + + + Run Game + + + + Eboot.bin file not found + + + + PKG File (*.PKG *.pkg) + + + + PKG is a patch or DLC, please install the game first! + + + + Game is already running! + + + + shadPS4 + shadPS4 + + + + PKGViewer + + Open Folder + Open Folder + + + Name + 名稱 + + + Serial + 序號 + + + Installed + + + + Size + 大小 + + + Category + + + + Type + + + + App Ver + + + + FW + + + + Region + 區域 + + + Flags + + + + Path + 路徑 + + + File + File + + + PKG ERROR + PKG 錯誤 + + + Unknown + 未知 + + + Package + + + + + SettingsDialog + + Settings + Settings + + + General + General + + + System + System + + + Console Language + Console Language + + + Emulator Language + Emulator Language + + + Emulator + Emulator + + + Enable Fullscreen + Enable Fullscreen + + + Fullscreen Mode + 全螢幕模式 + + + Enable Separate Update Folder + Enable Separate Update Folder + + + Default tab when opening settings + 打開設置時的默認選項卡 + + + Show Game Size In List + 顯示遊戲大小在列表中 + + + Show Splash + Show Splash + + + Enable Discord Rich Presence + 啟用 Discord Rich Presence + + + Username + Username + + + Trophy Key + Trophy Key + + + Trophy + Trophy + + + Logger + Logger + + + Log Type + Log Type + + + Log Filter + Log Filter + + + Open Log Location + 開啟日誌位置 + + + Input + 輸入 + + + Cursor + 游標 + + + Hide Cursor + 隱藏游標 + + + Hide Cursor Idle Timeout + 游標空閒超時隱藏 + + + s + s + + + Controller + 控制器 + + + Back Button Behavior + 返回按鈕行為 + + + Graphics + Graphics + + + GUI + 介面 + + + User + 使用者 + + + Graphics Device + Graphics Device + + + Width + Width + + + Height + Height + + + Vblank Divider + Vblank Divider + + + Advanced + Advanced + + + Enable Shaders Dumping + Enable Shaders Dumping + + + Enable NULL GPU + Enable NULL GPU + + + Paths + 路徑 + + + Game Folders + 遊戲資料夾 + + + Add... + 添加... + + + Remove + 刪除 + + + Debug + Debug + + + Enable Debug Dumping + Enable Debug Dumping + + + Enable Vulkan Validation Layers + Enable Vulkan Validation Layers + + + Enable Vulkan Synchronization Validation + Enable Vulkan Synchronization Validation + + + Enable RenderDoc Debugging + Enable RenderDoc Debugging + + + Enable Crash Diagnostics + Enable Crash Diagnostics + + + Collect Shaders + Collect Shaders + + + Copy GPU Buffers + Copy GPU Buffers + + + Host Debug Markers + Host Debug Markers + + + Guest Debug Markers + Guest Debug Markers + + + Update + 更新 + + + Check for Updates at Startup + 啟動時檢查更新 + + + Always Show Changelog + 始終顯示變更紀錄 + + + Update Channel + 更新頻道 + + + Check for Updates + 檢查更新 + + + GUI Settings + 介面設置 + + + Title Music + Title Music + + + Disable Trophy Pop-ups + Disable Trophy Pop-ups + + + Play title music + 播放標題音樂 + + + Update Compatibility Database On Startup + Update Compatibility Database On Startup + + + Game Compatibility + Game Compatibility + + + Display Compatibility Data + Display Compatibility Data + + + Update Compatibility Database + Update Compatibility Database + + + Volume + 音量 + + + Save + 儲存 + + + Apply + 應用 + + + Restore Defaults + 還原預設值 + + + Close + 關閉 + + + Point your mouse at an option to display its description. + 將鼠標指向選項以顯示其描述。 + + + consoleLanguageGroupBox + 主機語言:\n設定PS4遊戲使用的語言。\n建議將其設置為遊戲支持的語言,這會因地區而異。 + + + emulatorLanguageGroupBox + 模擬器語言:\n設定模擬器的用戶介面的語言。 + + + fullscreenCheckBox + 啟用全螢幕:\n自動將遊戲視窗設置為全螢幕模式。\n可以按F11鍵進行切換。 + + + separateUpdatesCheckBox + Enable Separate Update Folder:\nEnables installing game updates into a separate folder for easy management. + + + showSplashCheckBox + 顯示啟動畫面:\n在遊戲啟動時顯示遊戲的啟動畫面(特殊圖片)。 + + + discordRPCCheckbox + 啟用 Discord Rich Presence:\n在您的 Discord 個人檔案上顯示模擬器圖標和相關信息。 + + + userName + 用戶名:\n設定PS4帳號的用戶名,某些遊戲中可能會顯示。 + + + TrophyKey + Trophy Key:\nKey used to decrypt trophies. Must be obtained from your jailbroken console.\nMust contain only hex characters. + + + logTypeGroupBox + 日誌類型:\n設定是否同步日誌窗口的輸出以提高性能。可能對模擬產生不良影響。 + + + logFilter + 日誌過濾器:\n過濾日誌以僅打印特定信息。\n範例:"Core:Trace" "Lib.Pad:Debug Common.Filesystem:Error" "*:Critical" 等級: Trace, Debug, Info, Warning, Error, Critical - 以此順序,特定級別靜音所有前面的級別,並記錄其後的每個級別。 + + + updaterGroupBox + 更新:\nRelease: 每月發布的官方版本,可能非常舊,但更可靠且經過測試。\nNightly: 開發版本,擁有所有最新的功能和修復,但可能包含錯誤,穩定性較差。 + + + GUIMusicGroupBox + 播放標題音樂:\n如果遊戲支持,啟用在GUI中選擇遊戲時播放特殊音樂。 + + + disableTrophycheckBox + Disable Trophy Pop-ups:\nDisable in-game trophy notifications. Trophy progress can still be tracked using the Trophy Viewer (right-click the game in the main window). + + + hideCursorGroupBox + 隱藏游標:\n選擇游標何時消失:\n從不: 您將始終看到滑鼠。\n閒置: 設定在閒置後消失的時間。\n始終: 您將永遠看不到滑鼠。 + + + idleTimeoutGroupBox + 設定滑鼠在閒置後消失的時間。 + + + backButtonBehaviorGroupBox + 返回按鈕行為:\n設定控制器的返回按鈕模擬在 PS4 觸控板上指定位置的觸碰。 + + + enableCompatibilityCheckBox + Display Compatibility Data:\nDisplays game compatibility information in table view. Enable "Update Compatibility On Startup" to get up-to-date information. + + + checkCompatibilityOnStartupCheckBox + Update Compatibility On Startup:\nAutomatically update the compatibility database when shadPS4 starts. + + + updateCompatibilityButton + Update Compatibility Database:\nImmediately update the compatibility database. + + + Never + 從不 + + + Idle + 閒置 + + + Always + 始終 + + + Touchpad Left + 觸控板左側 + + + Touchpad Right + 觸控板右側 + + + Touchpad Center + 觸控板中間 + + + None + + + + graphicsAdapterGroupBox + 圖形設備:\n在多GPU系統中,從下拉列表中選擇模擬器將使用的GPU,\n或選擇「自動選擇」以自動確定。 + + + resolutionLayout + 寬度/高度:\n設定模擬器啟動時的窗口大小,可以在遊戲過程中調整。\n這與遊戲內解析度不同。 + + + heightDivider + Vblank分隔符:\n模擬器的幀速率將乘以這個數字。更改此數字可能會有不良影響,例如增加遊戲速度,或破壞不預期此變化的關鍵遊戲功能! + + + dumpShadersCheckBox + 啟用著色器轉儲:\n為了技術調試,將遊戲的著色器在渲染時保存到文件夾中。 + + + nullGpuCheckBox + 啟用空GPU:\n為了技術調試,禁用遊戲渲染,彷彿沒有顯示卡。 + + + gameFoldersBox + 遊戲資料夾:\n檢查已安裝遊戲的資料夾列表。 + + + addFolderButton + 添加:\n將資料夾添加到列表。 + + + removeFolderButton + 移除:\n從列表中移除資料夾。 + + + debugDump + 啟用調試轉儲:\n將當前運行的PS4程序的輸入和輸出符號及文件頭信息保存到目錄中。 + + + vkValidationCheckBox + 啟用Vulkan驗證層:\n啟用一個系統來驗證Vulkan渲染器的狀態並記錄其內部狀態的信息。這將降低性能並可能改變模擬行為。 + + + vkSyncValidationCheckBox + 啟用Vulkan同步驗證:\n啟用一個系統來驗證Vulkan渲染任務的時間。這將降低性能並可能改變模擬行為。 + + + rdocCheckBox + 啟用RenderDoc調試:\n如果啟用,模擬器將提供與Renderdoc的兼容性,以允許捕獲和分析當前渲染的幀。 + + + collectShaderCheckBox + Collect Shaders:\nYou need this enabled to edit shaders with the debug menu (Ctrl + F10). + + + crashDiagnosticsCheckBox + Crash Diagnostics:\nCreates a .yaml file with info about the Vulkan state at the time of crashing.\nUseful for debugging 'Device lost' errors. If you have this enabled, you should enable Host AND Guest Debug Markers.\nDoes not work on Intel GPUs.\nYou need Vulkan Validation Layers enabled and the Vulkan SDK for this to work. + + + copyGPUBuffersCheckBox + Copy GPU Buffers:\nGets around race conditions involving GPU submits.\nMay or may not help with PM4 type 0 crashes. + + + hostMarkersCheckBox + Host Debug Markers:\nInserts emulator-side information like markers for specific AMDGPU commands around Vulkan commands, as well as giving resources debug names.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + guestMarkersCheckBox + Guest Debug Markers:\nInserts any debug markers the game itself has added to the command buffer.\nIf you have this enabled, you should enable Crash Diagnostics.\nUseful for programs like RenderDoc. + + + Borderless + + + + True + + + + Enable HDR + + + + Release + + + + Nightly + + + + Background Image + + + + Show Background Image + + + + Opacity + + + + Set the volume of the background music. + + + + Enable Motion Controls + + + + Save Data Path + + + + Browse + Browse + + + async + + + + sync + + + + Auto Select + + + + Directory to install games + Directory to install games + + + Directory to save data + + + + GUIBackgroundImageGroupBox + + + + enableHDRCheckBox + + + + saveDataBox + + + + browseButton + + + + + TrophyViewer + + Trophy Viewer + Trophy Viewer + +