From 86a5553c3ac71493f1c043e8adf045122e7db238 Mon Sep 17 00:00:00 2001 From: James Ring Date: Mon, 21 Oct 2019 15:25:46 -0700 Subject: [PATCH 01/20] Fix unused variable error when building without WITH_XC_YUBIKEY. --- src/cli/Utils.cpp | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/cli/Utils.cpp b/src/cli/Utils.cpp index a45967917..9988b60f9 100644 --- a/src/cli/Utils.cpp +++ b/src/cli/Utils.cpp @@ -177,7 +177,9 @@ namespace Utils outputDescriptor)); compositeKey->addChallengeResponseKey(key); } -#endif +#else + Q_UNUSED(yubiKeySlot); +#endif // WITH_XC_YUBIKEY auto db = QSharedPointer::create(); QString error; From d0a7d44ec327ecd53faea662afc35ccdeaa8e0cf Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Marius=20Kj=C3=A6rstad?= Date: Tue, 22 Oct 2019 17:24:37 +0200 Subject: [PATCH 02/20] Update copyright year to 2019 Update copyright year to 2019 --- COPYING | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/COPYING b/COPYING index b7ba1abe4..9bfd33539 100644 --- a/COPYING +++ b/COPYING @@ -1,5 +1,5 @@ KeePassXC - http://www.keepassxc.org/ -Copyright (C) 2016-2017 KeePassXC Team +Copyright (C) 2016-2019 KeePassXC Team This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by @@ -27,7 +27,7 @@ Copyright: 2010-2012, Felix Geyer 2000-2008, Tom Sato 2013, Laszlo Papp 2013, David Faure - 2016-2018, KeePassXC Team + 2016-2019, KeePassXC Team License: GPL-2 or GPL-3 Comment: The "KeePassXC Team" in every copyright notice is formed by the following people: From bee861ff8f2c822c6daa4960a1bb25362bf30a28 Mon Sep 17 00:00:00 2001 From: varjolintu Date: Sat, 19 Oct 2019 15:10:50 +0300 Subject: [PATCH 03/20] Browser access control dialog shows submitUrl when found --- src/browser/BrowserService.cpp | 7 ++++--- src/browser/BrowserService.h | 2 +- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/src/browser/BrowserService.cpp b/src/browser/BrowserService.cpp index 8a6ad0ec5..b20d78705 100644 --- a/src/browser/BrowserService.cpp +++ b/src/browser/BrowserService.cpp @@ -410,7 +410,7 @@ QJsonArray BrowserService::findMatchingEntries(const QString& id, } // Confirm entries - if (confirmEntries(pwEntriesToConfirm, url, host, submitHost, realm, httpAuth)) { + if (confirmEntries(pwEntriesToConfirm, url, host, submitUrl, realm, httpAuth)) { pwEntries.append(pwEntriesToConfirm); } @@ -786,7 +786,7 @@ QList BrowserService::sortEntries(QList& pwEntries, const QStrin bool BrowserService::confirmEntries(QList& pwEntriesToConfirm, const QString& url, const QString& host, - const QString& submitHost, + const QString& submitUrl, const QString& realm, const bool httpAuth) { @@ -797,7 +797,7 @@ bool BrowserService::confirmEntries(QList& pwEntriesToConfirm, m_dialogActive = true; BrowserAccessControlDialog accessControlDialog; connect(m_dbTabWidget, SIGNAL(databaseLocked(DatabaseWidget*)), &accessControlDialog, SLOT(reject())); - accessControlDialog.setUrl(url); + accessControlDialog.setUrl(!submitUrl.isEmpty() ? submitUrl : url); accessControlDialog.setItems(pwEntriesToConfirm); accessControlDialog.setHTTPAuth(httpAuth); @@ -806,6 +806,7 @@ bool BrowserService::confirmEntries(QList& pwEntriesToConfirm, accessControlDialog.activateWindow(); accessControlDialog.raise(); + const QString submitHost = QUrl(submitUrl).host(); int res = accessControlDialog.exec(); if (accessControlDialog.remember()) { for (auto* entry : pwEntriesToConfirm) { diff --git a/src/browser/BrowserService.h b/src/browser/BrowserService.h index a18a97448..81d3ed317 100644 --- a/src/browser/BrowserService.h +++ b/src/browser/BrowserService.h @@ -120,7 +120,7 @@ private: bool confirmEntries(QList& pwEntriesToConfirm, const QString& url, const QString& host, - const QString& submitHost, + const QString& submitUrl, const QString& realm, const bool httpAuth); QJsonObject prepareEntry(const Entry* entry); From 62027d35ea6028a82c7c4ec27648e55436165d7a Mon Sep 17 00:00:00 2001 From: varjolintu Date: Sat, 19 Oct 2019 14:22:44 +0300 Subject: [PATCH 04/20] Show database name when doing association --- src/browser/BrowserService.cpp | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/browser/BrowserService.cpp b/src/browser/BrowserService.cpp index b20d78705..2e5088c8a 100644 --- a/src/browser/BrowserService.cpp +++ b/src/browser/BrowserService.cpp @@ -304,9 +304,9 @@ QString BrowserService::storeKey(const QString& key) QInputDialog keyDialog; connect(m_dbTabWidget, SIGNAL(databaseLocked(DatabaseWidget*)), &keyDialog, SLOT(reject())); keyDialog.setWindowTitle(tr("KeePassXC: New key association request")); - keyDialog.setLabelText(tr("You have received an association request for the above key.\n\n" - "If you would like to allow it access to your KeePassXC database,\n" - "give it a unique name to identify and accept it.")); + keyDialog.setLabelText(tr("You have received an association request for the following database:\n%1\n\n" + "Give the connection a unique name or ID, for example:\nchrome-laptop.") + .arg(db->metadata()->name().toHtmlEscaped())); keyDialog.setOkButtonText(tr("Save and allow access")); keyDialog.setWindowFlags(keyDialog.windowFlags() | Qt::WindowStaysOnTopHint); raiseWindow(); From b8830dfd327cd07eeead394ef33a2b57487c0516 Mon Sep 17 00:00:00 2001 From: James Ring Date: Tue, 22 Oct 2019 16:26:36 -0700 Subject: [PATCH 05/20] Don't show a warning when opening a database without WITH_XC_YUBIKEY. --- src/cli/DatabaseCommand.cpp | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/src/cli/DatabaseCommand.cpp b/src/cli/DatabaseCommand.cpp index 6d37d7b07..56e565baa 100644 --- a/src/cli/DatabaseCommand.cpp +++ b/src/cli/DatabaseCommand.cpp @@ -52,7 +52,11 @@ int DatabaseCommand::execute(const QStringList& arguments) db = Utils::unlockDatabase(args.at(0), !parser->isSet(Command::NoPasswordOption), parser->value(Command::KeyFileOption), +#ifdef WITH_XC_YUBIKEY parser->value(Command::YubiKeyOption), +#else + "", +#endif parser->isSet(Command::QuietOption) ? Utils::DEVNULL : Utils::STDOUT, Utils::STDERR); if (!db) { From af263fd80df2f5434b691b19f5a180435a9f20b6 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Tue, 22 Oct 2019 22:47:45 -0400 Subject: [PATCH 06/20] Prevent new entry loss on database file reload * Fix #3651 * Correct data loss when the database reloads due to a file change while creating a new entry. The issue occurred due to the "new parent group" pointer being invalid after the database is reloaded following merge. * Also fix re-selecting entries following database file reload. If the entry was moved out of the current group it would result in an assert hit. This fix prevents recursively looking for the entry. --- src/core/Group.cpp | 9 +++++++-- src/core/Group.h | 2 +- src/gui/DatabaseWidget.cpp | 17 ++++++++++++++++- 3 files changed, 24 insertions(+), 4 deletions(-) diff --git a/src/core/Group.cpp b/src/core/Group.cpp index 7fd403ab1..2c0d67091 100644 --- a/src/core/Group.cpp +++ b/src/core/Group.cpp @@ -585,13 +585,18 @@ QList Group::referencesRecursive(const Entry* entry) const [entry](const Entry* e) { return e->hasReferencesTo(entry->uuid()); }); } -Entry* Group::findEntryByUuid(const QUuid& uuid) const +Entry* Group::findEntryByUuid(const QUuid& uuid, bool recursive) const { if (uuid.isNull()) { return nullptr; } - for (Entry* entry : entriesRecursive(false)) { + auto entries = m_entries; + if (recursive) { + entries = entriesRecursive(false); + } + + for (auto entry : entries) { if (entry->uuid() == uuid) { return entry; } diff --git a/src/core/Group.h b/src/core/Group.h index 2e6da887e..cfeb9feee 100644 --- a/src/core/Group.h +++ b/src/core/Group.h @@ -114,7 +114,7 @@ public: static const QString RootAutoTypeSequence; Group* findChildByName(const QString& name); - Entry* findEntryByUuid(const QUuid& uuid) const; + Entry* findEntryByUuid(const QUuid& uuid, bool recursive = true) const; Entry* findEntryByPath(const QString& entryPath); Entry* findEntryBySearchTerm(const QString& term, EntryReferenceType referenceType); Group* findGroupByUuid(const QUuid& uuid); diff --git a/src/gui/DatabaseWidget.cpp b/src/gui/DatabaseWidget.cpp index 5e3c101c1..45645fa55 100644 --- a/src/gui/DatabaseWidget.cpp +++ b/src/gui/DatabaseWidget.cpp @@ -381,6 +381,12 @@ void DatabaseWidget::createEntry() void DatabaseWidget::replaceDatabase(QSharedPointer db) { + // Save off new parent UUID which will be valid when creating a new entry + QUuid newParentUuid; + if (m_newParent) { + newParentUuid = m_newParent->uuid(); + } + // TODO: instead of increasing the ref count temporarily, there should be a clean // break from the old database. Without this crashes occur due to the change // signals triggering dangling pointers. @@ -390,6 +396,15 @@ void DatabaseWidget::replaceDatabase(QSharedPointer db) m_groupView->changeDatabase(m_db); processAutoOpen(); + // Restore the new parent group pointer, if not found default to the root group + // this prevents data loss when merging a database while creating a new entry + if (!newParentUuid.isNull()) { + m_newParent = m_db->rootGroup()->findGroupByUuid(newParentUuid); + if (!m_newParent) { + m_newParent = m_db->rootGroup(); + } + } + emit databaseReplaced(oldDb, m_db); #if defined(WITH_XC_KEESHARE) @@ -1480,7 +1495,7 @@ void DatabaseWidget::restoreGroupEntryFocus(const QUuid& groupUuid, const QUuid& auto group = m_db->rootGroup()->findGroupByUuid(groupUuid); if (group) { m_groupView->setCurrentGroup(group); - auto entry = group->findEntryByUuid(entryUuid); + auto entry = group->findEntryByUuid(entryUuid, false); if (entry) { m_entryView->setCurrentEntry(entry); } From 34bbf8b3a1091e2230d695e717b1edda882a8920 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sun, 20 Oct 2019 22:16:19 -0400 Subject: [PATCH 07/20] Updated translation file and fixed typos --- share/translations/keepassx_en.ts | 2082 ++++++++++++++++++++++---- src/cli/Analyze.cpp | 2 +- src/cli/Export.cpp | 8 +- src/cli/Generate.cpp | 2 +- src/gui/DatabaseOpenWidget.ui | 6 +- src/gui/EntryPreviewWidget.ui | 2 +- src/gui/IconDownloaderDialog.ui | 2 +- src/gui/MainWindow.ui | 2 +- src/gui/PasswordGeneratorWidget.ui | 2 +- src/gui/csvImport/CsvImportWidget.ui | 2 +- src/gui/entry/EditEntryWidgetMain.ui | 2 +- 11 files changed, 1786 insertions(+), 326 deletions(-) diff --git a/share/translations/keepassx_en.ts b/share/translations/keepassx_en.ts index 3579db200..27a225a23 100644 --- a/share/translations/keepassx_en.ts +++ b/share/translations/keepassx_en.ts @@ -97,6 +97,14 @@ Follow style Follow style + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -152,10 +160,6 @@ Use group icon on entry creation Use group icon on entry creation - - Minimize when copying to clipboard - Minimize when copying to clipboard - Hide the entry preview panel Hide the entry preview panel @@ -253,6 +257,67 @@ (restart program to activate) + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sec + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + + ApplicationSettingsWidgetSecurity @@ -329,6 +394,27 @@ Use DuckDuckGo service to download website icons + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + + AutoType @@ -395,6 +481,17 @@ Sequence + + AutoTypeMatchView + + Copy &username + Copy &username + + + Copy &password + Copy &password + + AutoTypeSelectDialog @@ -405,6 +502,10 @@ Select entry to Auto-Type: Select entry to Auto-Type: + + Search... + + BrowserAccessControlDialog @@ -430,6 +531,14 @@ Please select whether you want to allow access. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -462,10 +571,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser This is required for accessing your databases with KeePassXC-Browser - - Enable KeepassXC browser integration - Enable KeepassXC browser integration - General General @@ -539,10 +644,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Never ask before &updating credentials - - Only the selected database has to be connected with a client. - Only the selected database has to be connected with a client. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -598,10 +699,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - Executable Files Executable Files @@ -639,6 +736,38 @@ Please select the correct database for saving credentials. &Allow returning expired credentials. + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -731,6 +860,10 @@ This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? + + Don't show this warning again + Don't show this warning again + CloneDialog @@ -789,10 +922,6 @@ Would you like to migrate your existing settings now? First record has field names First record has field names - - Number of headers line to discard - Number of headers line to discard - Consider '\' an escape character Consider '\' an escape character @@ -846,6 +975,22 @@ Would you like to migrate your existing settings now? CSV import: writer has errors: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel @@ -895,10 +1040,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Error while reading the database: %1 - - Could not save, database has no file name. - Could not save, database has no file name. - File cannot be written as it is opened in read-only mode. File cannot be written as it is opened in read-only mode. @@ -912,6 +1053,22 @@ Would you like to migrate your existing settings now? Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Recycle Bin + DatabaseOpenDialog @@ -922,30 +1079,14 @@ Backup database located at %2 DatabaseOpenWidget - - Enter master key - Enter master key - Key File: Key File: - - Password: - Password: - - - Browse - Browse - Refresh Refresh - - Challenge Response: - Challenge Response: - Legacy key file format Legacy key file format @@ -976,10 +1117,6 @@ Please consider generating a new key file. Select key file Select key file - - TouchID for quick unlock - TouchID for quick unlock - Failed to open key file: %1 @@ -988,6 +1125,90 @@ Please consider generating a new key file. Select slot... + + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Browse... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Clear + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + + DatabaseSettingWidgetMetaData @@ -1147,6 +1368,14 @@ This is necessary to maintain compatibility with the browser plugin. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1301,6 +1530,57 @@ If you keep this number, your database may be too easy to crack! %1 s + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1348,6 +1628,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Enable &compression (recommended) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1415,6 +1728,10 @@ Are you sure you want to continue without a password? Failed to change master key Failed to change master key + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1426,6 +1743,129 @@ Are you sure you want to continue without a password? Description: Description: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Name + + + Value + Value + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1502,6 +1942,26 @@ This is definitely a bug, please report it to the developers. Failed to open %1. It either does not exist or is not accessible. + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1603,10 +2063,6 @@ Do you want to merge your changes? Move entry(s) to recycle bin? - - File opened in read only mode. - File opened in read only mode. - Lock Database? Lock Database? @@ -1698,6 +2154,10 @@ Disable safe saves and try again? Writing the database failed: %1 Writing the database failed: %1 + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1826,6 +2286,18 @@ Disable safe saves and try again? Confirm Removal Confirm Removal + + Browser Integration + Browser Integration + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1865,6 +2337,42 @@ Disable safe saves and try again? Background Color: Background Color: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1901,11 +2409,74 @@ Disable safe saves and try again? Use a specific sequence for this association: - Open AutoType help webpage + Custom Auto-Type sequence - AutoType help button + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + General + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Add + + + Remove + Remove + + + Edit @@ -1927,6 +2498,26 @@ Disable safe saves and try again? Delete all Delete all + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1966,6 +2557,62 @@ Disable safe saves and try again? Expires Expires + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -2042,6 +2689,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Require user confirmation when this key is used + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -2174,6 +2837,34 @@ Supported extensions are: %1. Database import is currently disabled by application settings. + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + + EditGroupWidgetMain @@ -2205,6 +2896,34 @@ Supported extensions are: %1. Set default Auto-Type se&quence Set default Auto-Type se&quence + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2240,18 +2959,10 @@ Supported extensions are: %1. All files All files - - Custom icon already exists - Custom icon already exists - Confirm Delete Confirm Delete - - Custom icon successfully downloaded - Custom icon successfully downloaded - Select Image(s) Select Image(s) @@ -2292,6 +3003,38 @@ Supported extensions are: %1. You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2337,6 +3080,30 @@ This may cause the affected plugins to malfunction. Value Value + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2439,6 +3206,26 @@ This may cause the affected plugins to malfunction. %1 + + Attachments + Attachments + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2532,10 +3319,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Generate TOTP Token - Close Close @@ -2621,6 +3404,14 @@ This may cause the affected plugins to malfunction. Share Share + + Display current TOTP value + + + + Advanced + Advanced + EntryView @@ -2654,11 +3445,36 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Recycle Bin + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2676,6 +3492,58 @@ This may cause the affected plugins to malfunction. Cannot save the native messaging script file. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Cancel + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Close + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -3082,14 +3950,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Import KeePass1 database - Unable to open the database. Unable to open the database. + + Import KeePass1 Database + + KeePass1Reader @@ -3336,10 +4204,6 @@ If this reoccurs, then your database file may be corrupt. KeyFileEditWidget - - Browse - Browse - Generate Generate @@ -3396,6 +4260,43 @@ Message: %2 Select a key file Select a key file + + Key file selection + + + + Browse for key file + + + + Browse... + Browse... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3483,10 +4384,6 @@ Message: %2 &Settings &Settings - - Password Generator - Password Generator - &Lock databases &Lock databases @@ -3673,14 +4570,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Show TOTP QR Code... - - Check for Updates... - Check for Updates... - - - Share entry - Share entry - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3699,6 +4588,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. You can always check for updates manually from the application menu. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Download favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3835,6 +4792,72 @@ Expect some bugs and minor issues, this version is not meant for production use. Please fill in the display name and an optional description for your new database: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3934,6 +4957,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown key type: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3960,6 +4994,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Generate master password + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3988,22 +5038,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Character Types - - Upper Case Letters - Upper Case Letters - - - Lower Case Letters - Lower Case Letters - Numbers Numbers - - Special Characters - Special Characters - Extended ASCII Extended ASCII @@ -4084,18 +5122,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Advanced - - Upper Case Letters A to F - Upper Case Letters A to F - A-Z A-Z - - Lower Case Letters A to F - Lower Case Letters A to F - a-z a-z @@ -4128,18 +5158,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Math - <*+!?= <*+!?= - - Dashes - Dashes - \_|-/ \_|-/ @@ -4188,6 +5210,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Regenerate + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4195,12 +5285,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Select + Statistics + @@ -4237,6 +5324,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Merge + + Continue + + QObject @@ -4328,10 +5419,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Generate a password for the entry. - - Length for the generated password. - Length for the generated password. - length length @@ -4381,18 +5468,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Perform advanced analysis on the password. - - Extract and print the content of a database. - Extract and print the content of a database. - - - Path of the database to extract. - Path of the database to extract. - - - Insert password to unlock %1: - Insert password to unlock %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4437,10 +5512,6 @@ Available commands: Merge two databases. Merge two databases. - - Path of the database to merge into. - Path of the database to merge into. - Path of the database to merge from. Path of the database to merge from. @@ -4517,10 +5588,6 @@ Available commands: Browser Integration Browser Integration - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Challenge Response - Slot %2 - %3 - Press Press @@ -4551,10 +5618,6 @@ Available commands: Generate a new random password. Generate a new random password. - - Invalid value for password length %1. - Invalid value for password length %1. - Could not create entry with path %1. Could not create entry with path %1. @@ -4615,10 +5678,6 @@ Available commands: CLI parameter count - - Invalid value for password length: %1 - Invalid value for password length: %1 - Could not find entry with path %1. Could not find entry with path %1. @@ -4743,26 +5802,6 @@ Available commands: Failed to load key file %1: %2 Failed to load key file %1: %2 - - File %1 does not exist. - File %1 does not exist. - - - Unable to open file %1. - Unable to open file %1. - - - Error while reading the database: -%1 - Error while reading the database: -%1 - - - Error while parsing the database: -%1 - Error while parsing the database: -%1 - Length of the generated password Length of the generated password @@ -4775,10 +5814,6 @@ Available commands: Use uppercase characters Use uppercase characters - - Use numbers. - Use numbers. - Use special characters Use special characters @@ -4923,10 +5958,6 @@ Available commands: Successfully created new database. Successfully created new database. - - Insert password to encrypt database (Press enter to leave blank): - Insert password to encrypt database (Press enter to leave blank): - Creating KeyFile %1 failed: %2 Creating KeyFile %1 failed: %2 @@ -4935,10 +5966,6 @@ Available commands: Loading KeyFile %1 failed: %2 Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Remove an entry from the database. - Path of the entry to remove. Path of the entry to remove. @@ -5073,6 +6100,253 @@ Kernel: %3 %4 Cryptographic libraries: + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Database was not modified by merge operation. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -5226,6 +6500,93 @@ Kernel: %3 %4 Case sensitive + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + General + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Group + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Database settings + + + Edit database settings + + + + Unlock database + + + + Unlock database to show more information + + + + Lock database + + + + Unlock to show + + + + None + + + SettingsWidgetKeeShare @@ -5349,132 +6710,68 @@ Kernel: %3 %4 Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Key + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver - - Import from container without signature - Import from container without signature - - - We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - - - Import from container with certificate - Import from container with certificate - - - Not this time - Not this time - - - Never - Never - - - Always - Always - - - Just this time - Just this time - - - Import from %1 failed (%2) - Import from %1 failed (%2) - - - Import from %1 successful (%2) - Import from %1 successful (%2) - - - Imported from %1 - Imported from %1 - - - Signed share container are not supported - import prevented - Signed share container are not supported - import prevented - - - File is not readable - File is not readable - - - Invalid sharing container - Invalid sharing container - - - Untrusted import prevented - Untrusted import prevented - - - Successful signed import - Successful signed import - - - Unexpected error - Unexpected error - - - Unsigned share container are not supported - import prevented - Unsigned share container are not supported - import prevented - - - Successful unsigned import - Successful unsigned import - - - File does not exist - File does not exist - - - Unknown share container type - Unknown share container type - + ShareExport Overwriting signed share container is not supported - export prevented - Overwriting signed share container is not supported - export prevented + Overwriting signed share container is not supported - export prevented Could not write export container (%1) - Could not write export container (%1) - - - Overwriting unsigned share container is not supported - export prevented - Overwriting unsigned share container is not supported - export prevented - - - Could not write export container - Could not write export container - - - Unexpected export error occurred - Unexpected export error occurred - - - Export to %1 failed (%2) - Export to %1 failed (%2) - - - Export to %1 successful (%2) - Export to %1 successful (%2) - - - Export to %1 - Export to %1 - - - Do you want to trust %1 with the fingerprint of %2 from %3? - Do you want to trust %1 with the fingerprint of %2 from %3? {1 ?} {2 ?} - - - Multiple import source path to %1 in %2 - - - - Conflicting export target path %1 in %2 - + Could not write export container (%1) Could not embed signature: Could not open file to write (%1) @@ -5492,6 +6789,128 @@ Kernel: %3 %4 Could not embed database: Could not write file (%1) + + Overwriting unsigned share container is not supported - export prevented + Overwriting unsigned share container is not supported - export prevented + + + Could not write export container + Could not write export container + + + Unexpected export error occurred + Unexpected export error occurred + + + + ShareImport + + Import from container without signature + Import from container without signature + + + We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? + We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? + + + Import from container with certificate + Import from container with certificate + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Do you want to trust %1 with the fingerprint of %2 from %3? {1 ?} {2 ?} + + + Not this time + Not this time + + + Never + Never + + + Always + Always + + + Just this time + Just this time + + + Signed share container are not supported - import prevented + Signed share container are not supported - import prevented + + + File is not readable + File is not readable + + + Invalid sharing container + Invalid sharing container + + + Untrusted import prevented + Untrusted import prevented + + + Successful signed import + Successful signed import + + + Unexpected error + Unexpected error + + + Unsigned share container are not supported - import prevented + Unsigned share container are not supported - import prevented + + + Successful unsigned import + Successful unsigned import + + + File does not exist + File does not exist + + + Unknown share container type + Unknown share container type + + + + ShareObserver + + Import from %1 failed (%2) + Import from %1 failed (%2) + + + Import from %1 successful (%2) + Import from %1 successful (%2) + + + Imported from %1 + Imported from %1 + + + Export to %1 failed (%2) + Export to %1 failed (%2) + + + Export to %1 successful (%2) + Export to %1 successful (%2) + + + Export to %1 + Export to %1 + + + Multiple import source path to %1 in %2 + + + + Conflicting export target path %1 in %2 + + TotpDialog @@ -5541,10 +6960,6 @@ Kernel: %3 %4 Setup TOTP Setup TOTP - - Key: - Key: - Default RFC 6238 token settings Default RFC 6238 token settings @@ -5575,16 +6990,45 @@ Kernel: %3 %4 Code size: - 6 digits - 6 digits + Secret Key: + - 7 digits - 7 digits + Secret key must be in Base32 format + - 8 digits - 8 digits + Secret key field + + + + Algorithm: + + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5668,6 +7112,14 @@ Kernel: %3 %4 Welcome to KeePassXC %1 Welcome to KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5691,5 +7143,13 @@ Kernel: %3 %4 No YubiKey inserted. No YubiKey inserted. + + Refresh hardware tokens + + + + Hardware key slot selection + + diff --git a/src/cli/Analyze.cpp b/src/cli/Analyze.cpp index b600c3c3f..3e6edcebf 100644 --- a/src/cli/Analyze.cpp +++ b/src/cli/Analyze.cpp @@ -78,5 +78,5 @@ void Analyze::printHibpFinding(const Entry* entry, int count, QTextStream& out) path.prepend("/").prepend(g->name()); } - out << QObject::tr("Password for '%1' has been leaked %2 times!").arg(path).arg(count) << endl; + out << QObject::tr("Password for '%1' has been leaked %2 time(s)!", "", count).arg(path).arg(count) << endl; } diff --git a/src/cli/Export.cpp b/src/cli/Export.cpp index f68826a23..8f63323d7 100644 --- a/src/cli/Export.cpp +++ b/src/cli/Export.cpp @@ -29,11 +29,11 @@ const QCommandLineOption Export::FormatOption = QCommandLineOption(QStringList() << "f" << "format", QObject::tr("Format to use when exporting. Available choices are xml or csv. Defaults to xml."), - QObject::tr("xml|csv")); + QStringLiteral("xml|csv")); Export::Export() { - name = QString("export"); + name = QStringLiteral("export"); options.append(Export::FormatOption); description = QObject::tr("Exports the content of a database to standard output in the specified format."); } @@ -44,7 +44,7 @@ int Export::executeWithDatabase(QSharedPointer database, QSharedPointe TextStream errorTextStream(Utils::STDERR, QIODevice::WriteOnly); QString format = parser->value(Export::FormatOption); - if (format.isEmpty() || format == QString("xml")) { + if (format.isEmpty() || format == QStringLiteral("xml")) { QByteArray xmlData; QString errorMessage; if (!database->extract(xmlData, &errorMessage)) { @@ -52,7 +52,7 @@ int Export::executeWithDatabase(QSharedPointer database, QSharedPointe return EXIT_FAILURE; } outputTextStream << xmlData.constData() << endl; - } else if (format == QString("csv")) { + } else if (format == QStringLiteral("csv")) { CsvExporter csvExporter; outputTextStream << csvExporter.exportDatabase(database); } else { diff --git a/src/cli/Generate.cpp b/src/cli/Generate.cpp index 2f465469a..dc4add242 100644 --- a/src/cli/Generate.cpp +++ b/src/cli/Generate.cpp @@ -126,7 +126,7 @@ QSharedPointer Generate::createGenerator(QSharedPointersetExcludedChars(parser->value(Generate::ExcludeCharsOption)); if (!passwordGenerator->isValid()) { - errorTextStream << QObject::tr("invalid password generator after applying all options") << endl; + errorTextStream << QObject::tr("Invalid password generator after applying all options") << endl; return QSharedPointer(nullptr); } diff --git a/src/gui/DatabaseOpenWidget.ui b/src/gui/DatabaseOpenWidget.ui index a138aab0f..ac60413b7 100644 --- a/src/gui/DatabaseOpenWidget.ui +++ b/src/gui/DatabaseOpenWidget.ui @@ -11,7 +11,7 @@ - Unlock KePassXC Database + Unlock KeePassXC Database @@ -86,7 +86,7 @@ - filename.kdbx + filename.kdbx @@ -380,7 +380,7 @@ } - ? + ? diff --git a/src/gui/EntryPreviewWidget.ui b/src/gui/EntryPreviewWidget.ui index 4d1941fbc..124923a77 100644 --- a/src/gui/EntryPreviewWidget.ui +++ b/src/gui/EntryPreviewWidget.ui @@ -100,7 +100,7 @@ - 1234567 + 1234567 diff --git a/src/gui/IconDownloaderDialog.ui b/src/gui/IconDownloaderDialog.ui index a657f7acb..ed9fddd1e 100644 --- a/src/gui/IconDownloaderDialog.ui +++ b/src/gui/IconDownloaderDialog.ui @@ -29,7 +29,7 @@ - Downloading favicon 0/0... + Downloading favicon 0/0... diff --git a/src/gui/MainWindow.ui b/src/gui/MainWindow.ui index bb98363d4..068788ecb 100644 --- a/src/gui/MainWindow.ui +++ b/src/gui/MainWindow.ui @@ -765,7 +765,7 @@ &Keyboard Shortcuts - Ctrl+/ + Ctrl+/ diff --git a/src/gui/PasswordGeneratorWidget.ui b/src/gui/PasswordGeneratorWidget.ui index ff2d0582f..a30077015 100644 --- a/src/gui/PasswordGeneratorWidget.ui +++ b/src/gui/PasswordGeneratorWidget.ui @@ -171,7 +171,7 @@ QProgressBar::chunk { - Toggle password visibiity + Toggle password visibility diff --git a/src/gui/csvImport/CsvImportWidget.ui b/src/gui/csvImport/CsvImportWidget.ui index 648351021..beaa39386 100644 --- a/src/gui/csvImport/CsvImportWidget.ui +++ b/src/gui/csvImport/CsvImportWidget.ui @@ -232,7 +232,7 @@ - Field seperation + Field separation false diff --git a/src/gui/entry/EditEntryWidgetMain.ui b/src/gui/entry/EditEntryWidgetMain.ui index 473aa7d15..255cd0ab2 100644 --- a/src/gui/entry/EditEntryWidgetMain.ui +++ b/src/gui/entry/EditEntryWidgetMain.ui @@ -129,7 +129,7 @@ - Toggle notes visibile + Toggle notes visible Toggle notes visible From 957ba9007380c96a71d0a47cebd07a74f0f17131 Mon Sep 17 00:00:00 2001 From: schlimmchen Date: Tue, 22 Oct 2019 16:12:46 +0200 Subject: [PATCH 08/20] propagate the results from ShareExport::intoContainer this is a fix for an obvious regression. there was some refactoring going on around here since the 2.4.3 release, and the return value of ShareExport::intoContainer has since been neglected. with this change the info banner showing errors/warnings/info/success after exporting a database tree with KeeShare is shown again. --- src/keeshare/ShareObserver.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/keeshare/ShareObserver.cpp b/src/keeshare/ShareObserver.cpp index 8aa2dcb8e..80033bf3a 100644 --- a/src/keeshare/ShareObserver.cpp +++ b/src/keeshare/ShareObserver.cpp @@ -288,7 +288,7 @@ QList ShareObserver::exportShares() const auto& reference = it.value().first(); const QString resolvedPath = resolvePath(reference.config.path, m_db); m_fileWatcher->ignoreFileChanges(resolvedPath); - ShareExport::intoContainer(resolvedPath, reference.config, reference.group); + results << ShareExport::intoContainer(resolvedPath, reference.config, reference.group); m_fileWatcher->observeFileChanges(true); } return results; From c2b16c663fd3a0757bf73cb65cef36467a3e333b Mon Sep 17 00:00:00 2001 From: schlimmchen Date: Tue, 22 Oct 2019 17:47:43 +0200 Subject: [PATCH 09/20] no "Share" tab without WITH_XC_KEESHARE if KeePassXC is compiled with WITH_XC_KEESHARE=OFF, the "Share" tab of the EntryPreviewWidget for groups is removed from the GUI completely. closes #3619. --- src/gui/EntryPreviewWidget.cpp | 11 +++++++++++ src/gui/EntryPreviewWidget.h | 1 + 2 files changed, 12 insertions(+) diff --git a/src/gui/EntryPreviewWidget.cpp b/src/gui/EntryPreviewWidget.cpp index c20c85be9..af8c1cd21 100644 --- a/src/gui/EntryPreviewWidget.cpp +++ b/src/gui/EntryPreviewWidget.cpp @@ -72,6 +72,10 @@ EntryPreviewWidget::EntryPreviewWidget(QWidget* parent) m_ui->groupCloseButton->setIcon(filePath()->icon("actions", "dialog-close")); connect(m_ui->groupCloseButton, SIGNAL(clicked()), SLOT(hide())); connect(m_ui->groupTabWidget, SIGNAL(tabBarClicked(int)), SLOT(updateTabIndexes()), Qt::QueuedConnection); + +#if !defined(WITH_XC_KEESHARE) + removeTab(m_ui->groupTabWidget, m_ui->groupShareTab); +#endif } EntryPreviewWidget::~EntryPreviewWidget() @@ -376,6 +380,13 @@ void EntryPreviewWidget::openEntryUrl() } } +void EntryPreviewWidget::removeTab(QTabWidget* tabWidget, QWidget* widget) +{ + const int tabIndex = tabWidget->indexOf(widget); + Q_ASSERT(tabIndex != -1); + tabWidget->removeTab(tabIndex); +} + void EntryPreviewWidget::setTabEnabled(QTabWidget* tabWidget, QWidget* widget, bool enabled) { const int tabIndex = tabWidget->indexOf(widget); diff --git a/src/gui/EntryPreviewWidget.h b/src/gui/EntryPreviewWidget.h index ddf17b295..0887c49d4 100644 --- a/src/gui/EntryPreviewWidget.h +++ b/src/gui/EntryPreviewWidget.h @@ -67,6 +67,7 @@ private slots: void openEntryUrl(); private: + void removeTab(QTabWidget* tabWidget, QWidget* widget); void setTabEnabled(QTabWidget* tabWidget, QWidget* widget, bool enabled); static QPixmap preparePixmap(const QPixmap& pixmap, int size); From 99aafe657db522a63bc40fa16badf98de23163bd Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Thu, 24 Oct 2019 10:23:18 +0200 Subject: [PATCH 10/20] Fix zxcvbn include for out-of-tree compilation, resolves #3658 --- src/gui/dbsettings/DatabaseSettingsWidgetStatistics.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/gui/dbsettings/DatabaseSettingsWidgetStatistics.cpp b/src/gui/dbsettings/DatabaseSettingsWidgetStatistics.cpp index 307f6c45e..e61436696 100644 --- a/src/gui/dbsettings/DatabaseSettingsWidgetStatistics.cpp +++ b/src/gui/dbsettings/DatabaseSettingsWidgetStatistics.cpp @@ -22,7 +22,7 @@ #include "core/FilePath.h" #include "core/Group.h" #include "core/Metadata.h" -#include "zxcvbn/zxcvbn.h" +#include "zxcvbn.h" #include #include From 7c6c027d33b06eb706f93e3d178a2305d7bcfd56 Mon Sep 17 00:00:00 2001 From: Chih-Hsuan Yen Date: Thu, 24 Oct 2019 23:23:02 +0800 Subject: [PATCH 11/20] Fix building on Mac OS X 10.11 or older * Add a missing include in src/core/Alloc.cpp On Mac OS X 10.11 with Xcode 8.2.1, building fails with /opt/local/var/macports/build/_opt_bblocal_var_buildworker_ports_build_ports_security_KeePassXC/KeePassXC-devel/work/keepassxc-f726d7501ff7e8a66ae974719042f23010716595/src/core/Alloc.cpp:44:10: error: no type named 'free' in namespace 'std' std::free(ptr); ~~~~~^ Per [1], std::free() needs #include . That file is included indirectly on newer systems. * Avoid const Signature object in src/keeshare/ShareExport.cpp After the above issue is resolved, building fails at /opt/local/var/macports/build/_opt_bblocal_var_buildworker_ports_build_ports_security_KeePassXC/KeePassXC-devel/work/keepassxc-f726d7501ff7e8a66ae974719042f23010716595/src/keeshare/ShareExport.cpp:152:29: error: default initialization of an object of const type 'const Signature' without a user-provided default constructor const Signature signer; ^ Apparently this is related to C++ defect 253 [2]. From the code, creating a Signature is not needed as all methods in Signature are static, so just call the method. [1] https://en.cppreference.com/w/cpp/memory/c/free [2] https://stackoverflow.com/a/47368753 --- src/core/Alloc.cpp | 1 + src/keeshare/ShareExport.cpp | 3 +-- 2 files changed, 2 insertions(+), 2 deletions(-) diff --git a/src/core/Alloc.cpp b/src/core/Alloc.cpp index a076b70a9..967b4e3ef 100644 --- a/src/core/Alloc.cpp +++ b/src/core/Alloc.cpp @@ -17,6 +17,7 @@ #include #include +#include #include #if defined(Q_OS_MACOS) #include diff --git a/src/keeshare/ShareExport.cpp b/src/keeshare/ShareExport.cpp index 500d8d3f9..c17c5052c 100644 --- a/src/keeshare/ShareExport.cpp +++ b/src/keeshare/ShareExport.cpp @@ -149,8 +149,7 @@ namespace KeeShareSettings::Sign sign; auto sshKey = own.key.sshKey(); sshKey.openKey(QString()); - const Signature signer; - sign.signature = signer.create(bytes, sshKey); + sign.signature = Signature::create(bytes, sshKey); sign.certificate = own.certificate; stream << KeeShareSettings::Sign::serialize(sign); stream.flush(); From 8c8c181f73a5af5b23c2d7401668f1948ff08452 Mon Sep 17 00:00:00 2001 From: Bernhard Kirchen Date: Fri, 25 Oct 2019 19:35:16 +0200 Subject: [PATCH 12/20] Hide YubiKey labels on unlock screen when compiled without XC_YUBIKEY (#3664) --- src/gui/DatabaseOpenWidget.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/gui/DatabaseOpenWidget.cpp b/src/gui/DatabaseOpenWidget.cpp index 9ea2b1ac6..1cadc5e21 100644 --- a/src/gui/DatabaseOpenWidget.cpp +++ b/src/gui/DatabaseOpenWidget.cpp @@ -80,6 +80,8 @@ DatabaseOpenWidget::DatabaseOpenWidget(QWidget* parent) connect(m_ui->buttonRedetectYubikey, SIGNAL(clicked()), SLOT(pollYubikey())); #else + m_ui->hardwareKeyLabel->setVisible(false); + m_ui->hardwareKeyLabelHelp->setVisible(false); m_ui->buttonRedetectYubikey->setVisible(false); m_ui->comboChallengeResponse->setVisible(false); m_ui->yubikeyProgress->setVisible(false); From ebc006c4b915f259779fbbbd859baeaad8b9c032 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Fri, 25 Oct 2019 20:45:38 +0200 Subject: [PATCH 13/20] Add keepassxc man page and move cli man page to share folder (#3665) --- README.md | 2 +- {src/cli => share/docs/man}/keepassxc-cli.1 | 4 ++- share/docs/man/keepassxc.1 | 39 +++++++++++++++++++++ src/CMakeLists.txt | 4 +++ src/cli/CMakeLists.txt | 2 +- 5 files changed, 48 insertions(+), 3 deletions(-) rename {src/cli => share/docs/man}/keepassxc-cli.1 (99%) create mode 100644 share/docs/man/keepassxc.1 diff --git a/README.md b/README.md index d7c62a7a5..a8ca4c4d4 100644 --- a/README.md +++ b/README.md @@ -22,7 +22,7 @@ so please check out your distribution's package list to see if KeePassXC is avai - YubiKey challenge-response support - TOTP generation - CSV import -- A [Command Line Interface (keepassxc-cli)](./src/cli/keepassxc-cli.1) +- A [Command Line Interface (keepassxc-cli)](./share/docs/man/keepassxc-cli.1) - DEP and ASLR hardening - Stand-alone password and passphrase generator - Password strength meter diff --git a/src/cli/keepassxc-cli.1 b/share/docs/man/keepassxc-cli.1 similarity index 99% rename from src/cli/keepassxc-cli.1 rename to share/docs/man/keepassxc-cli.1 index c22e7e73e..15d0fedc1 100644 --- a/src/cli/keepassxc-cli.1 +++ b/share/docs/man/keepassxc-cli.1 @@ -6,7 +6,9 @@ keepassxc-cli \- command line interface for the \fBKeePassXC\fP password manager .SH SYNOPSIS .B keepassxc-cli .I command -.RI [ options ] +.B [ +-I options +.B ] .SH DESCRIPTION \fBkeepassxc-cli\fP is the command line interface for the \fBKeePassXC\fP password manager. It provides the ability to query and modify the entries of a KeePass database, directly from the command line. diff --git a/share/docs/man/keepassxc.1 b/share/docs/man/keepassxc.1 new file mode 100644 index 000000000..74a9b02a6 --- /dev/null +++ b/share/docs/man/keepassxc.1 @@ -0,0 +1,39 @@ +.TH KEEPASSXC 1 "Oct 25, 2019" +.SH NAME +keepassxc \- password manager + +.SH SYNOPSIS +.B keepassxc +.B [ +.I options +.B ] [ +.I filename(s) +.B ] + +.SH DESCRIPTION +\fBKeePassXC\fP is a free/open-source password manager or safe which helps you to manage your passwords in a secure way. The complete database is always encrypted with the industry-standard AES (alias Rijndael) encryption algorithm using a 256 bit key. KeePassXC uses a database format that is compatible with KeePass Password Safe. Your wallet works offline and requires no Internet connection. + +.SH OPTIONS +.IP "-h, --help" +Displays this help. + +.IP "-v, --version" +Displays version information. + +.IP "--config " +Path to a custom config file + +.IP "--keyfile " +Key file of the database + +.IP "--pw-stdin" +Read password of the database from stdin + +.IP "--pw, --parent-window " +Parent window handle + +.IP "--debug-info" +Displays debugging information. + +.SH AUTHOR +This manual page is maintained by the KeePassXC Team . diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 77acf290e..0e3bca7af 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -389,6 +389,10 @@ install(TARGETS ${PROGNAME} BUNDLE DESTINATION . COMPONENT Runtime RUNTIME DESTINATION ${BIN_INSTALL_DIR} COMPONENT Runtime) +if(APPLE OR UNIX) + install(FILES ../share/docs/man/keepassxc.1 DESTINATION ${CMAKE_INSTALL_MANDIR}/man1/) +endif() + if(MINGW) if(${CMAKE_SIZEOF_VOID_P} EQUAL "8") set(OUTPUT_FILE_POSTFIX "Win64") diff --git a/src/cli/CMakeLists.txt b/src/cli/CMakeLists.txt index 9ae438db2..f5c90df8d 100644 --- a/src/cli/CMakeLists.txt +++ b/src/cli/CMakeLists.txt @@ -119,5 +119,5 @@ if(APPLE AND WITH_APP_BUNDLE) endif() if(APPLE OR UNIX) - install(FILES keepassxc-cli.1 DESTINATION ${CMAKE_INSTALL_MANDIR}/man1/) + install(FILES ../../share/docs/man/keepassxc-cli.1 DESTINATION ${CMAKE_INSTALL_MANDIR}/man1/) endif() From 6a25c8dc84efe2968cabf27a03efbb4171d133c4 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sat, 26 Oct 2019 16:14:28 +0200 Subject: [PATCH 14/20] Force app exit if session manager signals a shutdown. (#3666) Resolves #3410. Additionally, "fix" main window toggling behaviour when clicking the tray icon while the window is visible, but not in focus (e.g. hidden by other windows). On platforms other than Windows, the window is now brought to the front if it does not already have focus or is toggled otherwise. Remove obsolete Windows session end handling code. --- src/core/OSEventFilter.cpp | 12 ++---------- src/gui/MainWindow.cpp | 37 +++++++++++++++---------------------- src/gui/MainWindow.h | 26 +++++++++++++------------- 3 files changed, 30 insertions(+), 45 deletions(-) diff --git a/src/core/OSEventFilter.cpp b/src/core/OSEventFilter.cpp index d5873ee8d..f1f4d97a9 100644 --- a/src/core/OSEventFilter.cpp +++ b/src/core/OSEventFilter.cpp @@ -37,16 +37,8 @@ bool OSEventFilter::nativeEventFilter(const QByteArray& eventType, void* message #if defined(Q_OS_UNIX) if (eventType == QByteArrayLiteral("xcb_generic_event_t")) { #elif defined(Q_OS_WIN) - auto winmsg = static_cast(message); - if (winmsg->message == WM_QUERYENDSESSION) { - *result = 1; - return true; - } else if (winmsg->message == WM_ENDSESSION) { - getMainWindow()->appExit(); - *result = 0; - return true; - } else if (eventType == QByteArrayLiteral("windows_generic_MSG") - || eventType == QByteArrayLiteral("windows_dispatcher_MSG")) { + if (eventType == QByteArrayLiteral("windows_generic_MSG") + || eventType == QByteArrayLiteral("windows_dispatcher_MSG")) { #endif return autoType()->callEventFilter(message) == 1; } diff --git a/src/gui/MainWindow.cpp b/src/gui/MainWindow.cpp index 01b8cf028..b33b322bc 100644 --- a/src/gui/MainWindow.cpp +++ b/src/gui/MainWindow.cpp @@ -142,10 +142,6 @@ MainWindow* getMainWindow() MainWindow::MainWindow() : m_ui(new Ui::MainWindow()) - , m_trayIcon(nullptr) - , m_appExitCalled(false) - , m_appExiting(false) - , m_lastFocusOutTime(0) { g_MainWindow = this; @@ -990,31 +986,29 @@ void MainWindow::toggleUsernamesHidden() void MainWindow::closeEvent(QCloseEvent* event) { - // ignore double close events (happens on macOS when closing from the dock) if (m_appExiting) { event->accept(); return; } - // Don't ignore close event when the app is hidden to tray. - // This can occur when the OS issues close events on shutdown. - if (config()->get("GUI/MinimizeOnClose").toBool() && !isHidden() && !m_appExitCalled) { + // Ignore event and hide to tray if this is not an actual close + // request by the system's session manager. + if (config()->get("GUI/MinimizeOnClose").toBool() && !m_appExitCalled && !isHidden() && !qApp->isSavingSession()) { event->ignore(); hideWindow(); return; } - bool accept = saveLastDatabases(); - - if (accept) { - m_appExiting = true; + m_appExiting = saveLastDatabases(); + if (m_appExiting) { saveWindowInformation(); - event->accept(); QApplication::quit(); - } else { - event->ignore(); + return; } + + m_appExitCalled = false; + event->ignore(); } void MainWindow::changeEvent(QEvent* event) @@ -1208,15 +1202,14 @@ void MainWindow::processTrayIconTrigger() toggleWindow(); } else if (m_trayIconTriggerReason == QSystemTrayIcon::Trigger || m_trayIconTriggerReason == QSystemTrayIcon::MiddleClick) { - // Toggle window if hidden - // If on windows, check if focus switched within the last second because - // clicking the tray icon removes focus from main window - // If on Linux or macOS, check if the window is active - if (isHidden() + // Toggle window if is not in front. #ifdef Q_OS_WIN - || (Clock::currentSecondsSinceEpoch() - m_lastFocusOutTime) <= 1) { + // If on Windows, check if focus switched within the last second because + // clicking the tray icon removes focus from main window. + if (isHidden() || (Clock::currentSecondsSinceEpoch() - m_lastFocusOutTime) <= 1) { #else - || windowHandle()->isActive()) { + // If on Linux or macOS, check if the window has focus. + if (hasFocus() || isHidden() || windowHandle()->isActive()) { #endif toggleWindow(); } else { diff --git a/src/gui/MainWindow.h b/src/gui/MainWindow.h index 71acb1081..81604e176 100644 --- a/src/gui/MainWindow.h +++ b/src/gui/MainWindow.h @@ -144,24 +144,24 @@ private: const QScopedPointer m_ui; SignalMultiplexer m_actionMultiplexer; - QAction* m_clearHistoryAction; - QAction* m_searchWidgetAction; - QMenu* m_entryContextMenu; - QActionGroup* m_lastDatabasesActions; - QActionGroup* m_copyAdditionalAttributeActions; - InactivityTimer* m_inactivityTimer; - InactivityTimer* m_touchIDinactivityTimer; + QPointer m_clearHistoryAction; + QPointer m_searchWidgetAction; + QPointer m_entryContextMenu; + QPointer m_lastDatabasesActions; + QPointer m_copyAdditionalAttributeActions; + QPointer m_inactivityTimer; + QPointer m_touchIDinactivityTimer; int m_countDefaultAttributes; - QSystemTrayIcon* m_trayIcon; - ScreenLockListener* m_screenLockListener; + QPointer m_trayIcon; + QPointer m_screenLockListener; QPointer m_searchWidget; Q_DISABLE_COPY(MainWindow) - bool m_appExitCalled; - bool m_appExiting; - bool m_contextMenuFocusLock; - uint m_lastFocusOutTime; + bool m_appExitCalled = false; + bool m_appExiting = false; + bool m_contextMenuFocusLock = false; + uint m_lastFocusOutTime = 0; QTimer m_trayIconTriggerTimer; QSystemTrayIcon::ActivationReason m_trayIconTriggerReason; }; From 8c300b4fcbcbd0ccbc9b5c4784792fa206dda167 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sat, 26 Oct 2019 14:53:18 -0400 Subject: [PATCH 15/20] Update About Dialog contributors and translators (#3669) --- src/gui/AboutDialog.cpp | 161 ++++++++++++++++++++------------- utils/transifex_translators.py | 79 ++++++++++++++++ 2 files changed, 177 insertions(+), 63 deletions(-) create mode 100644 utils/transifex_translators.py diff --git a/src/gui/AboutDialog.cpp b/src/gui/AboutDialog.cpp index 7abd9059e..4b9fe5f85 100644 --- a/src/gui/AboutDialog.cpp +++ b/src/gui/AboutDialog.cpp @@ -49,6 +49,14 @@ static const QString aboutContributors = R"(
  • Igor Zinovik
  • Morgan Courbet
  • Sergiu Coroi
  • +
  • Chris Sohns
  • +
  • Kyle Kneitinger
  • +
  • Sergey Vilgelm
  • +
  • Roman Vaughan (NZSmartie)
  • +
  • Shmavon Gazanchyan
  • +
  • Riley Moses
  • +
  • Korbinian Schildmann
  • +
  • Andreas (nitrohorse)
  • Notable Code Contributions:

      @@ -61,11 +69,15 @@ static const QString aboutContributors = R"(
    • hifi (SSH Agent)
    • ckieschnick (KeeShare)
    • seatedscribe (CSV Import)
    • +
    • Aetf (Secret Storage Server)
    • brainplot (many improvements)
    • kneitinger (many improvements)
    • frostasm (many improvements)
    • fonic (Entry Table View)
    • kylemanna (YubiKey)
    • +
    • c4rlo (Offline HIBP Checker)
    • +
    • wolframroesler (HTML Exporter)
    • +
    • mdaniel (OpVault Importer)
    • keithbennett (KeePassHTTP)
    • Typz (KeePassHTTP)
    • denk-mal (KeePassHTTP)
    • @@ -75,7 +87,6 @@ static const QString aboutContributors = R"(

    Patreon Supporters:

      -
    • Ashura
    • Alexanderjb
    • Andreas Kollmann
    • Richard Ames
    • @@ -83,77 +94,101 @@ static const QString aboutContributors = R"(
    • Gregory Werbin
    • Nuutti Toivola
    • SLmanDR
    • +
    • Ashura
    • Tyler Gass
    • Lionel Laské
    • Dmitrii Galinskii
    • Sergei Maximov
    • John-Ivar
    • Clayton Casciato
    • +
    • John
    • +
    • Darren
    • +
    • Brad
    • +
    • Mathieu Peltier
    • +
    • Oleksii Aleksieiev
    • +
    • Daniel Epp
    • +
    • Gernot Premper
    • +
    • Julian Stier
    • +
    • gonczor
    • +
    • Ruben Schade
    • +
    • Esteban Martinez
    • +
    • turin231
    • +
    • judd
    • +
    • Niels Ganser

    Translations:

      -
    • Arabic: AboShanab, Night1, kmutahar, muha_abdulaziz, omar.nsy
    • -
    • Basque: azken_tximinoa, Hey_neken
    • -
    • Bengali: codesmite
    • -
    • Burmese: Phyu
    • -
    • Catalan: capitantrueno, dsoms, mcus, raulua, ZJaume
    • -
    • Chinese (China): Biggulu, Brandon_c, Dy64, Felix2yu, Small_Ku, Z4HD, - carp0129, ef6, holic, kikyous, kofzhanganguo, ligyxy, remonli, slgray, umi_neko, vc5
    • -
    • Chinese (Taiwan): BestSteve, MiauLightouch, Small_Ku, flachesis, gojpdchx, - raymondtau, th3lusive, yan12125, ymhuang0808
    • -
    • Czech: DanielMilde, JosefVitu, awesomevojta, pavelb, tpavelek
    • -
    • Danish: nlkl, KalleDK, MannVera, alfabetacain, ebbe, thniels
    • -
    • Dutch: Bubbel, Dr.Default, apie, bartlibert, evanoosten, fvw, KnooL, - srgvg, Vistaus, wanderingidea, Stephan_P, Zombaya1, e2jk, ovisicnarf, pietermj, rigrig, - theniels17
    • -
    • English (UK): YCMHARHZ, rookwood01, throne3d
    • -
    • Esperanto: batisteo
    • -
    • Estonian: Hermanio
    • -
    • Finnish: artnay, Jarppi, MawKKe, petri, tomisalmi, hifi, varjolintu
    • -
    • French: yahoe.001, A1RO, Albynton, Cabirto, Fumble, Gui13, MartialBis, - MrHeadwar, Nesousx, Raphi111, Scrat15, aghilas.messara, alexisju, b_mortgat, benoitbalon, - bisaloo, e2jk, ebrious, frgnca, ggtr1138, gilbsgilbs, gtalbot, houdini, houdini69, - iannick, jlutran, kyodev, lacnic, laetilodie, logut, mlpo, narzb, nekopep, pBouillon, - plunkets, theodex, tl_pierre, wilfriedroset
    • -
    • German: origin_de, mithrial, andreas.maier, NotAName, Atalanttore, - Hativ, muellerma, mircsicz, derhagen, Wyrrrd, mbetz, kflesch, nursoda, BasicBaer, - mfernau77, for1real, joe776, waster, eth0, marcbone, mcliquid, transi_222, MarcEdinger, - DavidHamburg, jensrutschmann, codejunky, vlenzer, montilo, antsas, rgloor, Calyrx, - omnisome4, pcrcoding
    • -
    • Greek: magkopian, nplatis, tassos.b, xinomilo
    • -
    • Hungarian: bubu, meskobalazs, urbalazs, andras_tim
    • -
    • Indonesian: zk, bora_ach
    • -
    • Italian: the.sailor, VosaxAlo, tosky, seatedscribe, bovirus, Peo, - NITAL, FranzMari, Gringoarg, amaxis, salvatorecordiano, duncanmid, lucaim
    • -
    • Japanese: masoo, metalic_cat, p2635, Shinichirou_Yamada, - vargas.peniel, vmemjp, yukinakato, gojpdchx, saita
    • -
    • Korean: cancantun, peremen
    • -
    • Lithuanian: Moo, pauliusbaulius, rookwood101
    • -
    • Norweigian Bokmål: sattor, ysteinalver, jumpingmushroom, - JardarBolin, eothred, torgeirf, haarek
    • -
    • Polish: keypress, konradmb, mrerexx, psobczak, SebJez, hoek
    • -
    • Portuguese: weslly, xendez
    • -
    • Portuguese (Brazil): danielbibit, guilherme__sr, Havokdan, fabiom, - flaviobn, weslly, newmanisaac, rafaelnp, RockyTV, xendez, lucasjsoliveira, vitor895, - mauri.andres, andersoniop
    • -
    • Portuguese (Portugal): American_Jesus, xendez, hds, arainho, a.santos, - pfialho, smarquespt, mihai.ile, smiguel, lmagomes, xnenjm
    • -
    • Russian: Mogost, alexminza, KekcuHa, NcNZllQnHVU, ruslan.denisenko, - agag11507, anm, cl0ne, JayDi85, RKuchma, Rakleed, vsvyatski, NetWormKido, DG, - Mr.GreyWolf, VictorR2007, _nomoretears_, netforhack, denoos, wkill95, Shevchuk, - talvind, artemkonenko, ShareDVI
    • -
    • Slovak: l.martinicky, Slavko, crazko, pecer
    • -
    • Spanish: gonrial, iglpdc, vsvyatski, Xlate1984, erinm, AndreachongB, - piegope, lupa18, e2jk, capitantrueno, LeoBeltran, antifaz, Zranz, AdrianClv, - EdwardNavarro, rodolfo.guagnini, NicolasCGN, caralu74, puchrojo, DarkHolme, - pdinoto, masanchez5000, adolfogc, systurbed, mauri.andres, Bendhet, vargas.peniel, - eliluminado, jojobrambs, pquin
    • -
    • Swedish: theschitz, Anders_Bergqvist, LIINdd, krklns, henziger, - jpyllman, peron, Thelin, baxtex, zeroxfourc
    • -
    • Thai: arthit, rayg
    • -
    • Turkish: TeknoMobil, etc, SeLeNLeR, ethem578, cagries, N3pp
    • -
    • Ukrainian: brisk022, exlevan, chulivska, cl0ne, zoresvit, - netforhack, ShareDVI
    • +
    • العربية (Arabic): AboShanab, kmutahar, muha_abdulaziz, Night1, omar.nsy
    • +
    • euskara (Basque): azken_tximinoa, Galaipa, Hey_neken
    • +
    • বাংলা (Bengali): codesmite
    • +
    • ဗမာစာ (Burmese): Snooooowwwwwman
    • +
    • català (Catalan): antoniopolonio, capitantrueno, dsoms, MarcRiera, mcus, raulua, ZJaume
    • +
    • 中文 (Chinese (Simplified)): Biggulu, Brandon_c, carp0129, Dy64, ef6, Felix2yu, hoilc, ivlioioilvi, + kikyous, kofzhanganguo, ligyxy, lxx4380, remonli, ShuiHuo, slgray, Small_Ku, snhun, umi_neko, vc5, Wylmer_Wang, Z4HD
    • +
    • 中文 (台灣) (Chinese (Traditional)): BestSteve, flachesis, gojpdchx, ligyxy, MiauLightouch, plesry, + priv, raymondtau, Small_Ku, th3lusive, yan12125, ymhuang0808
    • +
    • hrvatski jezik (Croatian): Halberd, mladenuzelac
    • +
    • čeština (Czech): awesomevojta, DanielMilde, JosefVitu, pavelb, stps, tpavelek
    • +
    • dansk (Danish): alfabetacain, ebbe, GimliDk, JakobPP, KalleDK, MannVera, nlkl, thniels
    • +
    • Nederlands (Dutch): apie, bartlibert, Bubbel, bython, Dr.Default, e2jk, evanoosten, fourwood, + fvw, glotzbach, JCKalman, KnooL, ovisicnarf, pietermj, rigrig, srgvg, Stephan_P, stijndubrul, theniels17, + ThomasChurchman, Vistaus, wanderingidea, Zombaya1
    • +
    • English (UK): CisBetter, rookwood101, spacemanspiff, throne3d, YCMHARHZ
    • +
    • English (USA): alexandercrice, caralu74, cl0ne, DarkHolme, nguyenlekhtn, thedoctorsoad, throne3d
    • +
    • Esperanto (Esperanto): batisteo
    • +
    • eesti (Estonian): Hermanio
    • +
    • suomi (Finnish): artnay, hif1, MawKKe, petri, tomisalmi, varjolintu
    • +
    • français (French): A1RO, aghilas.messara, Albynton, alexisju, b_mortgat, Beatussum, benoitbalon, + bertranoel, bisaloo, Cabirto, Code2Mirabeau, e2jk, ebrious, frgnca, Fumble, ggtr1138, gilbsgilbs, gohuros, gtalbot, + Gui13, houdini, houdini69, iannick, jlutran, John.Mickael, kyodev, lacnic, laetilodie, logut, MartialBis, Maxime_J, + mlpo, Morgan, MrHeadwar, narzb, nekopep, Nesousx, pBouillon, Raphi111, Scrat15, TheFrenchGhosty, theodex, tl_pierre, + webafrancois, wilfriedroset, yahoe.001, zedentox
    • +
    • Galego (Galician): enfeitizador
    • +
    • Deutsch (German): andreas.maier, antsas, Atalanttore, BasicBaer, bwolkchen, Calyrx, codejunky, + DavidHamburg, derhagen, eth0, fahstat, for1real, Gyges, Hativ, hjonas, HoferJulian, janis91, jensrutschmann, + joe776, kflesch, man_at_home, marcbone, MarcEdinger, markusd112, Maxime_J, mbetz, mcliquid, mfernau77, mircsicz, + mithrial, montilo, MuehlburgPhoenix, muellerma, nautilusx, Nerzahd, Nightwriter, NotAName, nursoda, omnisome4, + origin_de, pcrcoding, PFischbeck, rgloor, rugk, ScholliYT, Silas_229, spacemanspiff, testarossa47, TheForcer, + transi_222, traschke, vlenzer, vpav, waster, wolfram.roesler, Wyrrrd
    • +
    • ελληνικά (Greek): anvo, magkopian, nplatis, tassos.b, xinomilo
    • +
    • עברית (Hebrew): shmag18
    • +
    • magyar (Hungarian): andras_tim, bubu, meskobalazs, urbalazs
    • +
    • Íslenska (Icelandic): MannVera
    • +
    • Bahasa (Indonesian): achmad, bora_ach, zk
    • +
    • Italiano (Italian): amaxis, bovirus, duncanmid, FranzMari, Gringoarg, lucaim, NITAL, Peo, + salvatorecordiano, seatedscribe, Stemby, the.sailor, tosky, VosaxAlo
    • +
    • 日本語 (Japanese): gojpdchx, masoo, metalic_cat, p2635, saita, Shinichirou_Yamada, take100yen, + Umoxfo, vargas.peniel, vmemjp, WatanabeShint, yukinakato
    • +
    • қазақ тілі (Kazakh): sotrud_nik
    • +
    • 한국어 (Korean): cancantun, peremen
    • +
    • latine (Latin): alexandercrice
    • +
    • lietuvių kalba (Lithuanian): Moo, pauliusbaulius, rookwood101
    • +
    • Norsk Bokmål (Norwegian Bokmål): eothred, haarek, JardarBolin, jumpingmushroom, sattor, torgeirf, + ysteinalver
    • +
    • język polski (Polish): AreYouLoco, dedal123, hoek, keypress, konradmb, mrerexx, pabli, psobczak, + SebJez
    • +
    • Português (Portuguese): weslly, xendez
    • +
    • Português (Portuguese (Brazil)): andersoniop, danielbibit, fabiom, flaviobn, guilherme__sr, + Havokdan, lucasjsoliveira, mauri.andres, newmanisaac, rafaelnp, RockyTV, vitor895, weslly, xendez
    • +
    • Português (Portuguese (Portugal)): a.santos, American_Jesus, arainho, hds, lmagomes, mihai.ile, + pfialho, smarquespt, smiguel, xendez, xnenjm
    • +
    • Română (Romanian): alexminza, drazvan, polearnik
    • +
    • русский (Russian): _nomoretears_, agag11507, alexminza, anm, artemkonenko, cl0ne, denoos, DG, + JayDi85, KekcuHa, Mogost, Mr.GreyWolf, MustangDSG, NcNZllQnHVU, netforhack, NetWormKido, Rakleed, RKuchma, + ruslan.denisenko, ShareDVI, Shevchuk, solodyagin, talvind, VictorR2007, vsvyatski, wkill95
    • +
    • српски језик (Serbian): ArtBIT, oros
    • +
    • Slovenčina (Slovak): Asprotes, crazko, l.martinicky, pecer, Slavko
    • +
    • Español (Spanish): adolfogc, AdrianClv, AndreachongB, AndresQ, antifaz, Bendhet, capitantrueno, + caralu74, DarkHolme, e2jk, EdwardNavarro, eliluminado, erinm, gonrial, iglpdc, jojobrambs, LeoBeltran, lupa18, + masanchez5000, mauri.andres, NicolasCGN, Pablohn, pdinoto, picodotdev, piegope, pquin, puchrojo, rcalpha, + rodolfo.guagnini, systurbed, vargas.peniel, ventolinmono, vsvyatski, Xlate1984, zmzpa, Zranz
    • +
    • Svenska (Swedish): 0x9fff00, Anders_Bergqvist, ArmanB, baxtex, eson, henziger, jpyllman, krklns, + LIINdd, malkus, peron, Thelin, theschitz, victorhggqvst, zeroxfourc
    • +
    • ไทย (Thai): arthit, ben_cm, chumaporn.t, darika, digitalthailandproject, GitJirasamatakij, + muhammadmumean, nipattra, ordinaryjane, rayg, sirawat, Socialister, Wipanee
    • +
    • Türkçe (Turkish): cagries, etc, ethem578, mcveri, N3pp, SeLeNLeR, TeknoMobil, Ven_Zallow
    • +
    • Українська (Ukrainian): brisk022, chulivska, cl0ne, exlevan, m0stik, netforhack, paul_sm, ShareDVI, + zoresvit
    )"; diff --git a/utils/transifex_translators.py b/utils/transifex_translators.py new file mode 100644 index 000000000..6c79c13d2 --- /dev/null +++ b/utils/transifex_translators.py @@ -0,0 +1,79 @@ +#!/usr/bin/env python3 +import json +import os + +# Download Transifex languages dump at: https://www.transifex.com/api/2/project/keepassxc/languages +# Language information from https://www.wikiwand.com/en/List_of_ISO_639-1_codes and http://www.lingoes.net/en/translator/langcode.htm + +LANGS = { + "ar" : "العربية (Arabic)", + "bn" : "বাংলা (Bengali)", + "ca" : "català (Catalan)", + "cs" : "čeština (Czech)", + "da" : "dansk (Danish)", + "de" : "Deutsch (German)", + "el" : "ελληνικά (Greek)", + "en_GB" : "English (UK)", + "en_US" : "English (USA)", + "eo" : "Esperanto (Esperanto)", + "es" : "Español (Spanish)", + "et" : "eesti (Estonian)", + "eu" : "euskara (Basque)", + "fa" : "فارسی (Farsi)", + "fa_IR" : "فارسی (Farsi (Iran))", + "fi" : "suomi (Finnish)", + "fr" : "français (French)", + "gl" : "Galego (Galician)", + "he" : "עברית (Hebrew)", + "hr_HR" : "hrvatski jezik (Croatian)", + "hu" : "magyar (Hungarian)", + "id" : "Bahasa (Indonesian)", + "is_IS" : "Íslenska (Icelandic)", + "it" : "Italiano (Italian)", + "ja" : "日本語 (Japanese)", + "kk" : "қазақ тілі (Kazakh)", + "ko" : "한국어 (Korean)", + "la" : "latine (Latin)", + "lt" : "lietuvių kalba (Lithuanian)", + "lv" : "latviešu valoda (Latvian)", + "nb" : "Norsk Bokmål (Norwegian Bokmål)", + "nl_NL" : "Nederlands (Dutch)", + "my" : "ဗမာစာ (Burmese)", + "pa" : "ਪੰਜਾਬੀ (Punjabi)", + "pa_IN" : "ਪੰਜਾਬੀ (Punjabi (India))", + "pl" : "język polski (Polish)", + "pt" : "Português (Portuguese)", + "pt_BR" : "Português (Portuguese (Brazil))", + "pt_PT" : "Português (Portuguese (Portugal))", + "ro" : "Română (Romanian)", + "ru" : "русский (Russian)", + "sk" : "Slovenčina (Slovak)", + "sl_SI" : "Slovenščina (Slovenian)", + "sr" : "српски језик (Serbian)", + "sv" : "Svenska (Swedish)", + "th" : "ไทย (Thai)", + "tr" : "Türkçe (Turkish)", + "uk" : "Українська (Ukrainian)", + "zh_CN" : "中文 (Chinese (Simplified))", + "zh_TW" : "中文 (台灣) (Chinese (Traditional))", +} + +TEMPLATE = "
  • {0}: {1}
  • \n" + +if not os.path.exists("languages.json"): + print("Could not find 'languages.json' in current directory!") + print("Save the output from https://www.transifex.com/api/2/project/keepassxc/languages") + exit(0) + +with open("languages.json") as json_file: + output = open("translators.html", "w", encoding="utf-8") + languages = json.load(json_file) + for lang in languages: + code = lang["language_code"] + if code not in LANGS: + print("WARNING: Could not find language code:", code) + continue + translators = ", ".join(sorted(lang["reviewers"] + lang["translators"], key=str.casefold)) + output.write(TEMPLATE.format(LANGS[code], translators)) + output.close() + print("Language translators written to 'translators.html'!") \ No newline at end of file From 57a7720274e86f814edf5279ffa11e376747583d Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sat, 26 Oct 2019 14:54:52 -0400 Subject: [PATCH 16/20] Additional fixes for entry context menu (#3671) Obtain context focus lock when showing new context menus Fix #3670 --- src/gui/MainWindow.cpp | 19 ++++++++++++++++++- src/gui/MainWindow.h | 1 + 2 files changed, 19 insertions(+), 1 deletion(-) diff --git a/src/gui/MainWindow.cpp b/src/gui/MainWindow.cpp index b33b322bc..0d53d88a8 100644 --- a/src/gui/MainWindow.cpp +++ b/src/gui/MainWindow.cpp @@ -179,6 +179,9 @@ MainWindow::MainWindow() m_entryContextMenu->addAction(m_ui->actionEntryOpenUrl); m_entryContextMenu->addAction(m_ui->actionEntryDownloadIcon); + m_entryNewContextMenu = new QMenu(this); + m_entryNewContextMenu->addAction(m_ui->actionEntryNew); + restoreGeometry(config()->get("GUI/MainWindowGeometry").toByteArray()); restoreState(config()->get("GUI/MainWindowState").toByteArray()); #ifdef WITH_XC_BROWSER @@ -284,6 +287,10 @@ MainWindow::MainWindow() connect(m_ui->menuEntries, SIGNAL(aboutToShow()), SLOT(obtainContextFocusLock())); connect(m_ui->menuEntries, SIGNAL(aboutToHide()), SLOT(releaseContextFocusLock())); + connect(m_entryContextMenu, SIGNAL(aboutToShow()), SLOT(obtainContextFocusLock())); + connect(m_entryContextMenu, SIGNAL(aboutToHide()), SLOT(releaseContextFocusLock())); + connect(m_entryNewContextMenu, SIGNAL(aboutToShow()), SLOT(obtainContextFocusLock())); + connect(m_entryNewContextMenu, SIGNAL(aboutToHide()), SLOT(releaseContextFocusLock())); connect(m_ui->menuGroups, SIGNAL(aboutToShow()), SLOT(obtainContextFocusLock())); connect(m_ui->menuGroups, SIGNAL(aboutToHide()), SLOT(releaseContextFocusLock())); @@ -1119,7 +1126,17 @@ void MainWindow::releaseContextFocusLock() void MainWindow::showEntryContextMenu(const QPoint& globalPos) { - m_entryContextMenu->popup(globalPos); + bool entrySelected = false; + auto dbWidget = m_ui->tabWidget->currentDatabaseWidget(); + if (dbWidget) { + entrySelected = dbWidget->currentEntryHasFocus(); + } + + if (entrySelected) { + m_entryContextMenu->popup(globalPos); + } else { + m_entryNewContextMenu->popup(globalPos); + } } void MainWindow::showGroupContextMenu(const QPoint& globalPos) diff --git a/src/gui/MainWindow.h b/src/gui/MainWindow.h index 81604e176..89501eff3 100644 --- a/src/gui/MainWindow.h +++ b/src/gui/MainWindow.h @@ -147,6 +147,7 @@ private: QPointer m_clearHistoryAction; QPointer m_searchWidgetAction; QPointer m_entryContextMenu; + QPointer m_entryNewContextMenu; QPointer m_lastDatabasesActions; QPointer m_copyAdditionalAttributeActions; QPointer m_inactivityTimer; From 744354c5508181f267fbb0ff4cc847a9fc42b677 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sat, 26 Oct 2019 14:55:26 -0400 Subject: [PATCH 17/20] Reduce default Argon2 memory and thread settings (#3672) * Fix #3550 * Default memory reduced to 64 MiB (from 128 MiB) and parallelism reduced to 2 threads. This allows for desktop and mobile device compatibility. --- src/gui/dbsettings/DatabaseSettingsWidgetEncryption.cpp | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/src/gui/dbsettings/DatabaseSettingsWidgetEncryption.cpp b/src/gui/dbsettings/DatabaseSettingsWidgetEncryption.cpp index e5bd08a10..e2a8cdafe 100644 --- a/src/gui/dbsettings/DatabaseSettingsWidgetEncryption.cpp +++ b/src/gui/dbsettings/DatabaseSettingsWidgetEncryption.cpp @@ -400,8 +400,10 @@ void DatabaseSettingsWidgetEncryption::updateFormatCompatibility(int index, bool if (kdf->uuid() == KeePass2::KDF_ARGON2) { auto argon2Kdf = kdf.staticCast(); - argon2Kdf->setMemory(128 * 1024); - argon2Kdf->setParallelism(static_cast(QThread::idealThreadCount())); + // Default to 64 MiB of memory and 2 threads + // these settings are safe for desktop and mobile devices + argon2Kdf->setMemory(1 << 16); + argon2Kdf->setParallelism(2); } activateChangeDecryptionTime(); From 74202a86b28e2f1491609f067993e1765d184f42 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sat, 26 Oct 2019 20:58:30 +0200 Subject: [PATCH 18/20] Finish changelog for 2.5.0 --- CHANGELOG.md | 153 +++++++++++++++++++++++++++++++++++---------------- 1 file changed, 105 insertions(+), 48 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 54222ca65..85eceb25c 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,73 +1,130 @@ # Changelog -## 2.5.0 (2019-07-05) +## 2.5.0 (2019-10-26) ### Added -- Group sorting feature [#3282](https://github.com/keepassxreboot/keepassxc/issues/3282) -- CLI: Add 'flatten' option to the 'ls' command [#3276](https://github.com/keepassxreboot/keepassxc/issues/3276) -- CLI: Add password generation options to `Add` and `Edit` commands [#3275](https://github.com/keepassxreboot/keepassxc/issues/3275) -- CLI: Add CSV export to the 'export' command [#3277] -- CLI: Add `-y --yubikey` option for YubiKey [#3416](https://github.com/keepassxreboot/keepassxc/issues/3416) -- Add 'Monospaced font' option to the Notes field [#3321](https://github.com/keepassxreboot/keepassxc/issues/3321) -- CLI: Add group commands (mv, mkdir and rmdir) [#3313]. -- CLI: Add interactive shell mode command `open` [#3224](https://github.com/keepassxreboot/keepassxc/issues/3224) -- Add "Paper Backup" aka "Export to HTML file" to the "Database" menu [#3277](https://github.com/keepassxreboot/keepassxc/pull/3277) -- Add statistics panel with information about the database (number of entries, number of unique passwords, etc.) to the Database Settings dialog [#2034](https://github.com/keepassxreboot/keepassxc/issues/2034) +- Add 'Paper Backup' aka 'Export to HTML file' to the 'Database' menu [[#3277](https://github.com/keepassxreboot/keepassxc/pull/3277)] +- Add statistics panel with information about the database (number of entries, number of unique passwords, etc.) to the Database Settings dialog [[#2034](https://github.com/keepassxreboot/keepassxc/issues/2034)] +- Add support for importing 1Password OpVault files [[#2292](https://github.com/keepassxreboot/keepassxc/issues/2292)] +- Implement Freedesktop.org secret storage DBus protocol so that KeePassXC can be used as a vault service by libsecret [[#2726](https://github.com/keepassxreboot/keepassxc/issues/2726)] +- Add support for OnlyKey as an alternative to YubiKeys (requires yubikey-personalization >= 1.20.0) [[#3352](https://github.com/keepassxreboot/keepassxc/issues/3352)] +- Add group sorting feature [[#3282](https://github.com/keepassxreboot/keepassxc/issues/3282)] +- Add feature to download favicons for all entries at once [[#3169](https://github.com/keepassxreboot/keepassxc/issues/3169)] +- Add word case option to passphrase generator [[#3172](https://github.com/keepassxreboot/keepassxc/issues/3172)] +- Add support for RFC6238-compliant TOTP hashes [[#2972](https://github.com/keepassxreboot/keepassxc/issues/2972)] +- Add support for offline HIBP checks [[#2707](https://github.com/keepassxreboot/keepassxc/issues/2707)] +- Add UNIX man page for main program [[#3665](https://github.com/keepassxreboot/keepassxc/issues/3665)] +- Add 'Monospaced font' option to the notes field [[#3321](https://github.com/keepassxreboot/keepassxc/issues/3321)] +- Add support for key files in auto open [[#3504](https://github.com/keepassxreboot/keepassxc/issues/3504)] +- Add search field for filtering entries in Auto-Type dialog [[#2955](https://github.com/keepassxreboot/keepassxc/issues/2955)] +- Complete usernames based on known usernames from other entries [[#3300](https://github.com/keepassxreboot/keepassxc/issues/3300)] +- Parse hyperlinks in the notes field of the entry preview pane [[#3596](https://github.com/keepassxreboot/keepassxc/issues/3596)] +- Allow abbreviation of field names in entry search [[#3440](https://github.com/keepassxreboot/keepassxc/issues/3440)] +- Allow setting group icons recursively [[#3273](https://github.com/keepassxreboot/keepassxc/issues/3273)] +- Add copy context menu for username and password in Auto-Type dialog [[#3038](https://github.com/keepassxreboot/keepassxc/issues/3038)] +- Add 'Lock databases' entry to tray icon menu [[#2896](https://github.com/keepassxreboot/keepassxc/issues/2896)] +- Add option to minimize window after unlocking [[#3439](https://github.com/keepassxreboot/keepassxc/issues/3439)] +- Add option to minimize window after copying a password to the clipboard [[#3253](https://github.com/keepassxreboot/keepassxc/issues/3253)] +- Add option to minimize window after opening a URL [[#3302](https://github.com/keepassxreboot/keepassxc/issues/3302)] +- Request accessibility permissions for Auto-Type on macOS [[#3624](https://github.com/keepassxreboot/keepassxc/issues/3624)] +- Browser: Add initial support for multiple URLs [[#3558](https://github.com/keepassxreboot/keepassxc/issues/3558)] +- Browser: Add entry-specific browser integration settings [[#3444](https://github.com/keepassxreboot/keepassxc/issues/3444)] +- CLI: Add 'flatten' option to the 'ls' command [[#3276](https://github.com/keepassxreboot/keepassxc/issues/3276)] +- CLI: Add password generation options to `Add` and `Edit` commands [[#3275](https://github.com/keepassxreboot/keepassxc/issues/3275)] +- CLI: Add XML import [[#3572](https://github.com/keepassxreboot/keepassxc/issues/3572)] +- CLI: Add CSV export to the 'export' command [[#3278](https://github.com/keepassxreboot/keepassxc/issues/3278)] +- CLI: Add `-y --yubikey` option for YubiKey [[#3416](https://github.com/keepassxreboot/keepassxc/issues/3416)] +- CLI: Add `--dry-run` option for merging databases [[#3254](https://github.com/keepassxreboot/keepassxc/issues/3254)] +- CLI: Add group commands (mv, mkdir and rmdir) [[#3313](https://github.com/keepassxreboot/keepassxc/issues/3313)]. +- CLI: Add interactive shell mode command `open` [[#3224](https://github.com/keepassxreboot/keepassxc/issues/3224)] + ### Changed -- CLI: The password length option `-l` for the CLI commands - `Add` and `Edit` is now `-L` [#3275](https://github.com/keepassxreboot/keepassxc/issues/3275) -- CLI: the `-u` shorthand for the `--upper` password generation option has been renamed `-U` [#3275](https://github.com/keepassxreboot/keepassxc/issues/3275) -- CLI: Renamed command `extract` -> `export`. [#3277] -- Rework the Entry Preview panel [#3306](https://github.com/keepassxreboot/keepassxc/issues/3306) -- Move notes to General tab on Group Preview Panel [#3336](https://github.com/keepassxreboot/keepassxc/issues/3336) -- Drop to background when copy feature [#3253](https://github.com/keepassxreboot/keepassxc/issues/3253) +- Redesign database unlock dialog [ [#3287](https://github.com/keepassxreboot/keepassxc/issues/3287)] +- Rework the entry preview panel [ [#3306](https://github.com/keepassxreboot/keepassxc/issues/3306)] +- Move notes to General tab on Group Preview Panel [[#3336](https://github.com/keepassxreboot/keepassxc/issues/3336)] +- Enable entry actions when editing an entry and cleanup entry context menu [[#3641](https://github.com/keepassxreboot/keepassxc/issues/3641)] +- Improve detection of external database changes [[#2389](https://github.com/keepassxreboot/keepassxc/issues/2389)] +- Warn if user is trying to use a KDBX file as a key file [[#3625](https://github.com/keepassxreboot/keepassxc/issues/3625)] +- Add option to disable KeePassHTTP settings migrations prompt [[#3349](https://github.com/keepassxreboot/keepassxc/issues/3349), [#3344](https://github.com/keepassxreboot/keepassxc/issues/3344)] +- Re-enabled Wayland support (no Auto-Type yet) [[#3520](https://github.com/keepassxreboot/keepassxc/issues/3520), [#3341](https://github.com/keepassxreboot/keepassxc/issues/3341)] +- Add icon to 'Toggle Window' action in tray icon menu [[3244](https://github.com/keepassxreboot/keepassxc/issues/3244)] +- Merge custom data between databases only when necessary [[#3475](https://github.com/keepassxreboot/keepassxc/issues/3475)] +- Improve various file-handling related issues when picking files using the system's file dialog [[#3473](https://github.com/keepassxreboot/keepassxc/issues/3473)] +- Add 'New Entry' context menu when no entries are selected [[#3671](https://github.com/keepassxreboot/keepassxc/issues/3671)] +- Reduce default Argon2 settings from 128 MiB and one thread per CPU core to 64 MiB and two threads to account for lower-spec mobile hardware [ [#3672](https://github.com/keepassxreboot/keepassxc/issues/3672)] +- Browser: Remove unused 'Remember' checkbox for HTTP Basic Auth [[#3371](https://github.com/keepassxreboot/keepassxc/issues/3371)] +- Browser: Show database name when pairing with a new browser [[#3638](https://github.com/keepassxreboot/keepassxc/issues/3638)] +- Browser: Show URL in allow access dialog [[#3639](https://github.com/keepassxreboot/keepassxc/issues/3639)] +- CLI: The password length option `-l` for the CLI commands `Add` and `Edit` is now `-L` [[#3275](https://github.com/keepassxreboot/keepassxc/issues/3275)] +- CLI: The `-u` shorthand for the `--upper` password generation option has been renamed to `-U` [[#3275](https://github.com/keepassxreboot/keepassxc/issues/3275)] +- CLI: Rename command `extract` to `export`. [[#3277](https://github.com/keepassxreboot/keepassxc/issues/3277)] ### Fixed -- Fix password generator issues with special characters [#3303](https://github.com/keepassxreboot/keepassxc/issues/3303) +- Improve accessibility for assistive technologies [[#3409](https://github.com/keepassxreboot/keepassxc/issues/3409)] +- Correctly unlock all databases if `--pw-stdin` is provided [[#2916](https://github.com/keepassxreboot/keepassxc/issues/2916)] +- Fix password generator issues with special characters [[#3303](https://github.com/keepassxreboot/keepassxc/issues/3303)] +- Fix KeePassXC interrupting shutdown procedure [[#3666](https://github.com/keepassxreboot/keepassxc/issues/3666)] +- Fix password visibility toggle button state on unlock dialog [[#3312](https://github.com/keepassxreboot/keepassxc/issues/3312)] +- Fix potential data loss if database is reloaded while user is editing an entry [[#3656](https://github.com/keepassxreboot/keepassxc/issues/3656)] +- Fix hard-coded background color in search help popup [[#3001](https://github.com/keepassxreboot/keepassxc/issues/3001)] +- Fix font choice for password preview [[#3425](https://github.com/keepassxreboot/keepassxc/issues/3425)] +- Fix handling of read-only files when autosave is enabled [[#3408](https://github.com/keepassxreboot/keepassxc/issues/3408)] +- Handle symlinks correctly when atomic saves are disabled [[#3463](https://github.com/keepassxreboot/keepassxc/issues/3463)] +- Enable HighDPI icon scaling on Linux [[#3332](https://github.com/keepassxreboot/keepassxc/issues/3332)] +- Make Auto-Type on macOS more robust and remove old Carbon API calls [[#3634](https://github.com/keepassxreboot/keepassxc/issues/3634), [[#3347](https://github.com/keepassxreboot/keepassxc/issues/3347))] +- Hide Share tab if KeePassXC is compiled without KeeShare support and other minor KeeShare improvements [[#3654](https://github.com/keepassxreboot/keepassxc/issues/3654), [[#3291](https://github.com/keepassxreboot/keepassxc/issues/3291), [#3029](https://github.com/keepassxreboot/keepassxc/issues/3029), [#3031](https://github.com/keepassxreboot/keepassxc/issues/3031), [#3236](https://github.com/keepassxreboot/keepassxc/issues/3236)] +- Correctly bring window to the front when clicking tray icon on macOS [[#3576](https://github.com/keepassxreboot/keepassxc/issues/3576)] +- Correct application shortcut created by MSI Installer on Windows [[#3296](https://github.com/keepassxreboot/keepassxc/issues/3296)] +- Fix crash when removing custom data [[#3508](https://github.com/keepassxreboot/keepassxc/issues/3508)] +- Fix placeholder resolution in URLs [[#3281](https://github.com/keepassxreboot/keepassxc/issues/3281)] +- Fix various inconsistencies and platform-dependent compilation bugs [[#3664](https://github.com/keepassxreboot/keepassxc/issues/3664), [#3662](https://github.com/keepassxreboot/keepassxc/issues/3662), [#3660](https://github.com/keepassxreboot/keepassxc/issues/3660), [#3655](https://github.com/keepassxreboot/keepassxc/issues/3655), [#3649](https://github.com/keepassxreboot/keepassxc/issues/3649), [#3417](https://github.com/keepassxreboot/keepassxc/issues/3417), [#3357](https://github.com/keepassxreboot/keepassxc/issues/3357), [#3319](https://github.com/keepassxreboot/keepassxc/issues/3319), [#3318](https://github.com/keepassxreboot/keepassxc/issues/3318), [#3304](https://github.com/keepassxreboot/keepassxc/issues/3304)] +- Browser: Fix potential leaking of entries through the browser integration API if multiple databases are opened [[#3480](https://github.com/keepassxreboot/keepassxc/issues/3480)] +- Browser: Fix password entropy calculation [[#3107](https://github.com/keepassxreboot/keepassxc/issues/3107)] +- Browser: Fix Windows registry settings for portable installation [[#3603](https://github.com/keepassxreboot/keepassxc/issues/3603)] ## 2.4.3 (2019-06-12) ### Added -- Add documentation for keyboard shortcuts to source code distribution [#3215](https://github.com/keepassxreboot/keepassxc/issues/3215) +- Add documentation for keyboard shortcuts to source code distribution [[#3215](https://github.com/keepassxreboot/keepassxc/issues/3215)] ### Fixed -- Fix library loading issues in the Snap and macOS releases [#3247](https://github.com/keepassxreboot/keepassxc/issues/3247) -- Fix various keyboard navigation issues [#3248](https://github.com/keepassxreboot/keepassxc/issues/3248) -- Fix main window toggling regression when clicking the tray icon on KDE [#3258](https://github.com/keepassxreboot/keepassxc/issues/3258) +- Fix library loading issues in the Snap and macOS releases [[#3247](https://github.com/keepassxreboot/keepassxc/issues/3247)] +- Fix various keyboard navigation issues [[#3248](https://github.com/keepassxreboot/keepassxc/issues/3248)] +- Fix main window toggling regression when clicking the tray icon on KDE [[#3258](https://github.com/keepassxreboot/keepassxc/issues/3258)] ## 2.4.2 (2019-05-31) -- Improve resilience against memory attacks - overwrite memory before free [#3020](https://github.com/keepassxreboot/keepassxc/issues/3020) -- Prevent infinite save loop when location is unavailable [#3026](https://github.com/keepassxreboot/keepassxc/issues/3026) -- Attempt to fix quitting application when shutdown or logout issued [#3199](https://github.com/keepassxreboot/keepassxc/issues/3199) -- Support merging database custom data [#3002](https://github.com/keepassxreboot/keepassxc/issues/3002) -- Fix opening URL's with non-http schemes [#3153](https://github.com/keepassxreboot/keepassxc/issues/3153) -- Fix data loss due to not reading all database attachments if duplicates exist [#3180](https://github.com/keepassxreboot/keepassxc/issues/3180) -- Fix entry context menu disabling when using keyboard navigation [#3199](https://github.com/keepassxreboot/keepassxc/issues/3199) -- Fix behaviors when canceling an entry edit [#3199](https://github.com/keepassxreboot/keepassxc/issues/3199) -- Fix processing of tray icon click and doubleclick [#3112](https://github.com/keepassxreboot/keepassxc/issues/3112) -- Update group in preview widget when focused [#3199](https://github.com/keepassxreboot/keepassxc/issues/3199) -- Prefer DuckDuckGo service over direct icon download (increases resolution) [#2996](https://github.com/keepassxreboot/keepassxc/issues/2996) -- Remove apply button in application settings [#3019](https://github.com/keepassxreboot/keepassxc/issues/3019) -- Use winqtdeploy on Windows to correct deployment issues [#3025](https://github.com/keepassxreboot/keepassxc/issues/3025) -- Don't mark entry edit as modified when attribute selection changes [#3041](https://github.com/keepassxreboot/keepassxc/issues/3041) -- Use console code page CP_UTF8 on Windows if supported [#3050](https://github.com/keepassxreboot/keepassxc/issues/3050) -- Snap: Fix locking database with session lock [#3046](https://github.com/keepassxreboot/keepassxc/issues/3046) -- Snap: Fix theming across Linux distributions [#3057](https://github.com/keepassxreboot/keepassxc/issues/3057) -- Snap: Use SNAP_USER_COMMON and SNAP_USER_DATA directories [#3131](https://github.com/keepassxreboot/keepassxc/issues/3131) -- KeeShare: Automatically enable WITH_XC_KEESHARE_SECURE if quazip is found [#3088](https://github.com/keepassxreboot/keepassxc/issues/3088) -- macOS: Fix toolbar text when in dark mode [#2998](https://github.com/keepassxreboot/keepassxc/issues/2998) -- macOS: Lock database on switching user [#3097](https://github.com/keepassxreboot/keepassxc/issues/3097) -- macOS: Fix global Auto-Type when the database is locked [#3138](https://github.com/keepassxreboot/keepassxc/issues/3138) -- Browser: Close popups when database is locked [#3093](https://github.com/keepassxreboot/keepassxc/issues/3093) -- Browser: Add tests [#3016](https://github.com/keepassxreboot/keepassxc/issues/3016) -- Browser: Don't create default group if custom group is enabled [#3127](https://github.com/keepassxreboot/keepassxc/issues/3127) +- Improve resilience against memory attacks - overwrite memory before free [[#3020](https://github.com/keepassxreboot/keepassxc/issues/3020)] +- Prevent infinite save loop when location is unavailable [[#3026](https://github.com/keepassxreboot/keepassxc/issues/3026)] +- Attempt to fix quitting application when shutdown or logout issued [[#3199](https://github.com/keepassxreboot/keepassxc/issues/3199)] +- Support merging database custom data [[#3002](https://github.com/keepassxreboot/keepassxc/issues/3002)] +- Fix opening URL's with non-http schemes [[#3153](https://github.com/keepassxreboot/keepassxc/issues/3153)] +- Fix data loss due to not reading all database attachments if duplicates exist [[#3180](https://github.com/keepassxreboot/keepassxc/issues/3180)] +- Fix entry context menu disabling when using keyboard navigation [[#3199](https://github.com/keepassxreboot/keepassxc/issues/3199)] +- Fix behaviors when canceling an entry edit [[#3199](https://github.com/keepassxreboot/keepassxc/issues/3199)] +- Fix processing of tray icon click and doubleclick [[#3112](https://github.com/keepassxreboot/keepassxc/issues/3112)] +- Update group in preview widget when focused [[#3199](https://github.com/keepassxreboot/keepassxc/issues/3199)] +- Prefer DuckDuckGo service over direct icon download (increases resolution) [#2996](https://github.com/keepassxreboot/keepassxc/issues/2996)] +- Remove apply button in application settings [[#3019](https://github.com/keepassxreboot/keepassxc/issues/3019)] +- Use winqtdeploy on Windows to correct deployment issues [[#3025](https://github.com/keepassxreboot/keepassxc/issues/3025)] +- Don't mark entry edit as modified when attribute selection changes [[#3041](https://github.com/keepassxreboot/keepassxc/issues/3041)] +- Use console code page CP_UTF8 on Windows if supported [[#3050](https://github.com/keepassxreboot/keepassxc/issues/3050)] +- Snap: Fix locking database with session lock [[#3046](https://github.com/keepassxreboot/keepassxc/issues/3046)] +- Snap: Fix theming across Linux distributions [[#3057](https://github.com/keepassxreboot/keepassxc/issues/3057)] +- Snap: Use SNAP_USER_COMMON and SNAP_USER_DATA directories [[#3131](https://github.com/keepassxreboot/keepassxc/issues/3131)] +- KeeShare: Automatically enable WITH_XC_KEESHARE_SECURE if quazip is found [[#3088](https://github.com/keepassxreboot/keepassxc/issues/3088)] +- macOS: Fix toolbar text when in dark mode [[#2998](https://github.com/keepassxreboot/keepassxc/issues/2998)] +- macOS: Lock database on switching user [[#3097](https://github.com/keepassxreboot/keepassxc/issues/3097)] +- macOS: Fix global Auto-Type when the database is locked[ [#3138](https://github.com/keepassxreboot/keepassxc/issues/3138)] +- Browser: Close popups when database is locked [[#3093](https://github.com/keepassxreboot/keepassxc/issues/3093)] +- Browser: Add tests [[#3016](https://github.com/keepassxreboot/keepassxc/issues/3016)] +- Browser: Don't create default group if custom group is enabled [[#3127](https://github.com/keepassxreboot/keepassxc/issues/3127)] ## 2.4.1 (2019-04-12) From 0a273ba1e2763b4eca88dc72a6c8dd02da49833a Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sat, 26 Oct 2019 21:15:17 +0200 Subject: [PATCH 19/20] Last changelog updates and update to appdata.xml file --- CHANGELOG.md | 5 +- .../linux/org.keepassxc.KeePassXC.appdata.xml | 81 +++++++++++++++++++ 2 files changed, 84 insertions(+), 2 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 85eceb25c..9a8ad96f0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -6,6 +6,7 @@ - Add 'Paper Backup' aka 'Export to HTML file' to the 'Database' menu [[#3277](https://github.com/keepassxreboot/keepassxc/pull/3277)] - Add statistics panel with information about the database (number of entries, number of unique passwords, etc.) to the Database Settings dialog [[#2034](https://github.com/keepassxreboot/keepassxc/issues/2034)] +- Add offline user manual accessible via the 'Help' menu [[#3274](https://github.com/keepassxreboot/keepassxc/issues/3274)] - Add support for importing 1Password OpVault files [[#2292](https://github.com/keepassxreboot/keepassxc/issues/2292)] - Implement Freedesktop.org secret storage DBus protocol so that KeePassXC can be used as a vault service by libsecret [[#2726](https://github.com/keepassxreboot/keepassxc/issues/2726)] - Add support for OnlyKey as an alternative to YubiKeys (requires yubikey-personalization >= 1.20.0) [[#3352](https://github.com/keepassxreboot/keepassxc/issues/3352)] @@ -13,7 +14,6 @@ - Add feature to download favicons for all entries at once [[#3169](https://github.com/keepassxreboot/keepassxc/issues/3169)] - Add word case option to passphrase generator [[#3172](https://github.com/keepassxreboot/keepassxc/issues/3172)] - Add support for RFC6238-compliant TOTP hashes [[#2972](https://github.com/keepassxreboot/keepassxc/issues/2972)] -- Add support for offline HIBP checks [[#2707](https://github.com/keepassxreboot/keepassxc/issues/2707)] - Add UNIX man page for main program [[#3665](https://github.com/keepassxreboot/keepassxc/issues/3665)] - Add 'Monospaced font' option to the notes field [[#3321](https://github.com/keepassxreboot/keepassxc/issues/3321)] - Add support for key files in auto open [[#3504](https://github.com/keepassxreboot/keepassxc/issues/3504)] @@ -23,13 +23,14 @@ - Allow abbreviation of field names in entry search [[#3440](https://github.com/keepassxreboot/keepassxc/issues/3440)] - Allow setting group icons recursively [[#3273](https://github.com/keepassxreboot/keepassxc/issues/3273)] - Add copy context menu for username and password in Auto-Type dialog [[#3038](https://github.com/keepassxreboot/keepassxc/issues/3038)] +- Drop to background after copying a password to the clipboard [[#3253](https://github.com/keepassxreboot/keepassxc/issues/3253)] - Add 'Lock databases' entry to tray icon menu [[#2896](https://github.com/keepassxreboot/keepassxc/issues/2896)] - Add option to minimize window after unlocking [[#3439](https://github.com/keepassxreboot/keepassxc/issues/3439)] -- Add option to minimize window after copying a password to the clipboard [[#3253](https://github.com/keepassxreboot/keepassxc/issues/3253)] - Add option to minimize window after opening a URL [[#3302](https://github.com/keepassxreboot/keepassxc/issues/3302)] - Request accessibility permissions for Auto-Type on macOS [[#3624](https://github.com/keepassxreboot/keepassxc/issues/3624)] - Browser: Add initial support for multiple URLs [[#3558](https://github.com/keepassxreboot/keepassxc/issues/3558)] - Browser: Add entry-specific browser integration settings [[#3444](https://github.com/keepassxreboot/keepassxc/issues/3444)] +- CLI: Add offline HIBP checker (requires a downloaded HIBP dump) [[#2707](https://github.com/keepassxreboot/keepassxc/issues/2707)] - CLI: Add 'flatten' option to the 'ls' command [[#3276](https://github.com/keepassxreboot/keepassxc/issues/3276)] - CLI: Add password generation options to `Add` and `Edit` commands [[#3275](https://github.com/keepassxreboot/keepassxc/issues/3275)] - CLI: Add XML import [[#3572](https://github.com/keepassxreboot/keepassxc/issues/3572)] diff --git a/share/linux/org.keepassxc.KeePassXC.appdata.xml b/share/linux/org.keepassxc.KeePassXC.appdata.xml index b8e8c36d6..69d26cf54 100644 --- a/share/linux/org.keepassxc.KeePassXC.appdata.xml +++ b/share/linux/org.keepassxc.KeePassXC.appdata.xml @@ -50,6 +50,87 @@ + + +
      +
    • Add 'Paper Backup' aka 'Export to HTML file' to the 'Database' menu [#3277]
    • +
    • Add statistics panel with information about the database (number of entries, number of unique passwords, etc.) to the Database Settings dialog [#2034]
    • +
    • Add offline user manual accessible via the 'Help' menu [#3274]
    • +
    • Add support for importing 1Password OpVault files [#2292]
    • +
    • Implement Freedesktop.org secret storage DBus protocol so that KeePassXC can be used as a vault service by libsecret [#2726]
    • +
    • Add support for OnlyKey as an alternative to YubiKeys (requires yubikey-personalization >= 1.20.0) [#3352]
    • +
    • Add group sorting feature [#3282]
    • +
    • Add feature to download favicons for all entries at once [#3169]
    • +
    • Add word case option to passphrase generator [#3172]
    • +
    • Add support for RFC6238-compliant TOTP hashes [#2972]
    • +
    • Add UNIX man page for main program [#3665]
    • +
    • Add 'Monospaced font' option to the notes field [#3321]
    • +
    • Add support for key files in auto open [#3504]
    • +
    • Add search field for filtering entries in Auto-Type dialog [#2955]
    • +
    • Complete usernames based on known usernames from other entries [#3300]
    • +
    • Parse hyperlinks in the notes field of the entry preview pane [#3596]
    • +
    • Allow abbreviation of field names in entry search [#3440]
    • +
    • Allow setting group icons recursively [#3273]
    • +
    • Add copy context menu for username and password in Auto-Type dialog [#3038]
    • +
    • Drop to background after copying a password to the clipboard [#3253]
    • +
    • Add 'Lock databases' entry to tray icon menu [#2896]
    • +
    • Add option to minimize window after unlocking [#3439]
    • +
    • Add option to minimize window after opening a URL [#3302]
    • +
    • Request accessibility permissions for Auto-Type on macOS [#3624]
    • +
    • Browser: Add initial support for multiple URLs [#3558]
    • +
    • Browser: Add entry-specific browser integration settings [#3444]
    • +
    • Add offline HIBP checker (requires a downloaded HIBP dump) [#2707]
    • +
    • CLI: Add 'flatten' option to the 'ls' command [#3276]
    • +
    • CLI: Add password generation options to `Add` and `Edit` commands [#3275]
    • +
    • CLI: Add XML import [#3572]
    • +
    • CLI: Add CSV export to the 'export' command [#3278]
    • +
    • CLI: Add `-y --yubikey` option for YubiKey [#3416]
    • +
    • CLI: Add `--dry-run` option for merging databases [#3254]
    • +
    • CLI: Add group commands (mv, mkdir and rmdir) [#3313].
    • +
    • CLI: Add interactive shell mode command `open` [#3224]
    • +
    • Redesign database unlock dialog [ [#3287]
    • +
    • Rework the entry preview panel [ [#3306]
    • +
    • Move notes to General tab on Group Preview Panel [#3336]
    • +
    • Enable entry actions when editing an entry and cleanup entry context menu [#3641]
    • +
    • Improve detection of external database changes [#2389]
    • +
    • Warn if user is trying to use a KDBX file as a key file [#3625]
    • +
    • Add option to disable KeePassHTTP settings migrations prompt [#3349, #3344]
    • +
    • Re-enabled Wayland support (no Auto-Type yet) [#3520, #3341]
    • +
    • Add icon to 'Toggle Window' action in tray icon menu [[3244]
    • +
    • Merge custom data between databases only when necessary [#3475]
    • +
    • Improve various file-handling related issues when picking files using the system's file dialog [#3473]
    • +
    • Add 'New Entry' context menu when no entries are selected [#3671]
    • +
    • Reduce default Argon2 settings from 128 MiB and one thread per CPU core to 64 MiB and two threads to account for lower-spec mobile hardware [#3672]
    • +
    • Browser: Remove unused 'Remember' checkbox for HTTP Basic Auth [#3371]
    • +
    • Browser: Show database name when pairing with a new browser [#3638]
    • +
    • Browser: Show URL in allow access dialog [#3639]
    • +
    • CLI: The password length option `-l` for the CLI commands `Add` and `Edit` is now `-L` [#3275]
    • +
    • CLI: The `-u` shorthand for the `--upper` password generation option has been renamed to `-U` [#3275]
    • +
    • CLI: Rename command `extract` to `export`. [#3277]
    • +
    • Improve accessibility for assistive technologies [#3409]
    • +
    • Correctly unlock all databases if `--pw-stdin` is provided [#2916]
    • +
    • Fix password generator issues with special characters [#3303]
    • +
    • Fix KeePassXC interrupting shutdown procedure [#3666]
    • +
    • Fix password visibility toggle button state on unlock dialog [#3312]
    • +
    • Fix potential data loss if database is reloaded while user is editing an entry [#3656]
    • +
    • Fix hard-coded background color in search help popup [#3001]
    • +
    • Fix font choice for password preview [#3425]
    • +
    • Fix handling of read-only files when autosave is enabled [#3408]
    • +
    • Handle symlinks correctly when atomic saves are disabled [#3463]
    • +
    • Enable HighDPI icon scaling on Linux [#3332]
    • +
    • Make Auto-Type on macOS more robust and remove old Carbon API calls [#3634, #3347]
    • +
    • Hide Share tab if KeePassXC is compiled without KeeShare support and other minor KeeShare improvements [#3654, #3291, #3029, #3031, #3236]
    • +
    • Correctly bring window to the front when clicking tray icon on macOS [#3576]
    • +
    • Correct application shortcut created by MSI Installer on Windows [#3296]
    • +
    • Fix crash when removing custom data [#3508]
    • +
    • Fix placeholder resolution in URLs [#3281]
    • +
    • Fix various inconsistencies and platform-dependent compilation bugs [#3664, #3662, #3660, #3655, #3649, #3417, #3357, #3319, #3318, #3304]
    • +
    • Browser: Fix potential leaking of entries through the browser integration API if multiple databases are opened [#3480]
    • +
    • Browser: Fix password entropy calculation [#3107]
    • +
    • Browser: Fix Windows registry settings for portable installation [#3603]
    • +
    +
    +
      From b3d834acb0b90394747bd5e1fb3ba4feeca57a94 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sat, 26 Oct 2019 21:34:28 +0200 Subject: [PATCH 20/20] Update translations --- share/translations/keepassx_ar.ts | 2255 +++++++++++--- share/translations/keepassx_cs.ts | 2350 ++++++++++++--- share/translations/keepassx_da.ts | 3771 +++++++++++++++++------- share/translations/keepassx_de.ts | 2461 +++++++++++++--- share/translations/keepassx_en.ts | 18 +- share/translations/keepassx_en_GB.ts | 2315 ++++++++++++--- share/translations/keepassx_en_US.ts | 2312 ++++++++++++--- share/translations/keepassx_es.ts | 2704 +++++++++++++---- share/translations/keepassx_fi.ts | 2369 ++++++++++++--- share/translations/keepassx_fr.ts | 3161 +++++++++++++++----- share/translations/keepassx_hu.ts | 2323 ++++++++++++--- share/translations/keepassx_id.ts | 2683 +++++++++++++---- share/translations/keepassx_it.ts | 2699 +++++++++++++---- share/translations/keepassx_ja.ts | 2431 +++++++++++++--- share/translations/keepassx_ko.ts | 2290 ++++++++++++--- share/translations/keepassx_lt.ts | 2301 ++++++++++++--- share/translations/keepassx_nb.ts | 2628 +++++++++++++---- share/translations/keepassx_nl_NL.ts | 2549 +++++++++++++--- share/translations/keepassx_pl.ts | 2372 ++++++++++++--- share/translations/keepassx_pt.ts | 2427 +++++++++++++--- share/translations/keepassx_pt_BR.ts | 2408 ++++++++++++--- share/translations/keepassx_pt_PT.ts | 2372 ++++++++++++--- share/translations/keepassx_ro.ts | 4031 ++++++++++++++++++-------- share/translations/keepassx_ru.ts | 2797 ++++++++++++++---- share/translations/keepassx_sk.ts | 2582 +++++++++++++---- share/translations/keepassx_sv.ts | 3578 ++++++++++++++++------- share/translations/keepassx_th.ts | 2950 ++++++++++++++----- share/translations/keepassx_tr.ts | 2565 ++++++++++++---- share/translations/keepassx_uk.ts | 2336 ++++++++++++--- share/translations/keepassx_zh_CN.ts | 2500 +++++++++++++--- share/translations/keepassx_zh_TW.ts | 3351 +++++++++++++++------ 31 files changed, 63999 insertions(+), 15890 deletions(-) diff --git a/share/translations/keepassx_ar.ts b/share/translations/keepassx_ar.ts index ddffd7fa8..a89fa7533 100644 --- a/share/translations/keepassx_ar.ts +++ b/share/translations/keepassx_ar.ts @@ -95,6 +95,14 @@ Follow style + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC شغل تطبيق واحد فقط من KeePassXC - - Remember last databases - تذكر قواعد البيانات الأخيرة - - - Remember last key files and security dongles - تذكر الملفات الرئيسية الأخيرة و قواعد الأمن - - - Load previous databases on startup - إستعادة قواعد البيانات السابقة عند بدء التشغيل - Minimize window at application startup تصغير النافذة عند بدء تشغيل التطبيق @@ -162,10 +158,6 @@ Use group icon on entry creation استخدم رمز المجموعة عند إنشاء الإدخال - - Minimize when copying to clipboard - تصغير عند النسخ إلى الحافظة - Hide the entry preview panel @@ -194,10 +186,6 @@ Hide window to system tray when minimized إخفاء النافذة إلى شريط المهام عند تصغيرها - - Language - اللغة - Auto-Type الطباعة التلقائية @@ -231,20 +219,101 @@ Auto-Type start delay - - Check for updates at application startup - - - - Include pre-releases when checking for updates - - Movable toolbar - Button style + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + ثانية + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds @@ -320,7 +389,28 @@ الخصوصية - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + + + + Clear search query after @@ -389,6 +479,17 @@ التسلسل + + AutoTypeMatchView + + Copy &username + نسخ &اسم المستخدم + + + Copy &password + + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: حدد مدخل للطباعة التلقائية: + + Search... + البحث... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 طلب الدخول إلى كلمات المرور للعنصر التالي (العناصر) التالية. يرجى تحديد ما إذا كنت تريد السماح بالوصول أم لا. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -455,10 +568,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser هذا مطلوب للوصول إلى قواعد بياناتك مع KeePassXC-Browser - - Enable KeepassXC browser integration - تفعيل تكامل KeepassXC مع المتصفح - General العام @@ -502,7 +611,7 @@ Please select the correct database for saving credentials. Only returns the best matches for a specific URL instead of all entries for the whole domain. - لا تعرض سوى أفضل التطابقات للرابط المحدد بدلا من جميع الإدخالات للنطاق بأكمله. + لا تعرض سوى أفضل التطابقات للرابط المحدد بدلًا من جميع الإدخالات للنطاق بأكمله. &Return only best-matching credentials @@ -532,10 +641,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension لا تسأل مطلقًا قبل تحديث بيانات الإعتماد - - Only the selected database has to be connected with a client. - قاعدة البيانات المحددة هي التي يجب تتصل مع العميل فقط. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -591,10 +696,6 @@ Please select the correct database for saving credentials. &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files @@ -620,6 +721,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -708,6 +853,10 @@ This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? + + Don't show this warning again + لا تُظهر هذا التحذير مرة أخرى + CloneDialog @@ -766,10 +915,6 @@ Would you like to migrate your existing settings now? First record has field names يحتوي السجل الأول على أسماء الحقول - - Number of headers line to discard - عدد رؤوس الأسطر لتجاهلها - Consider '\' an escape character يعتبر '\' حرف هروب @@ -819,12 +964,28 @@ Would you like to migrate your existing settings now? %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n عمود%n عمود%n عمود%n عمود%n عمود%n عمود + %1, %2, %3 @@ -859,10 +1020,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 - - Could not save, database has no file name. - - File cannot be written as it is opened in read-only mode. @@ -871,6 +1028,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + سلة المهملات + DatabaseOpenDialog @@ -881,30 +1059,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - أدخل المفتاح الرئيسي - Key File: ملف المفتاح: - - Password: - كلمه السر: - - - Browse - تصّفح - Refresh تحديث - - Challenge Response: - استجابة التحدي: - Legacy key file format تنسيق ملف المفتاح القديم @@ -936,17 +1098,95 @@ Please consider generating a new key file. إختر ملف المفتاح - TouchID for quick unlock + Failed to open key file: %1 - Unable to open the database: -%1 + Select slot... - Can't open key file: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + إستعراض... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + مسح + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password @@ -1098,6 +1338,14 @@ Permissions to access entries will be revoked. This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1240,6 +1488,57 @@ If you keep this number, your database may be too easy to crack! seconds + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1287,6 +1586,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) تفعيل &الضغط (مستحسن) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1352,6 +1684,10 @@ Are you sure you want to continue without a password? Failed to change master key + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1363,6 +1699,129 @@ Are you sure you want to continue without a password? Description: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + الاسم + + + Value + القيمة + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1411,10 +1870,6 @@ Are you sure you want to continue without a password? This is definitely a bug, please report it to the developers. - - The database file does not exist or is not accessible. - - Select CSV file @@ -1438,6 +1893,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1455,7 +1934,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟هل تريد حقًا نقل %n مُدخل إلى سلة المهملات؟ + Execute command? @@ -1527,10 +2006,6 @@ Do you want to merge your changes? Move entry(s) to recycle bin? - - File opened in read only mode. - الملف تم فتحه بوضع القراءة فقط. - Lock Database? @@ -1569,11 +2044,6 @@ Disable safe saves and try again? KeePassXC قد فشل في حفظ قاعدة البيانات عدة مرات. هذا غالبا ما يحدث بسبب خدمات مزامنة الملف حيث تقوم بمنع الكتابة على الملف. أتريد إلغاء خيار الحفظ الامن ثم المحاولة مرة أخرى؟ - - Writing the database failed. -%1 - - Passwords كلمه السر @@ -1618,6 +2088,14 @@ Disable safe saves and try again? Shared group... + + Writing the database failed: %1 + + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1699,11 +2177,11 @@ Disable safe saves and try again? %n week(s) - %n أسبوعأسبوعأسبوعين%n أسابيع%n أسبوع%n أسابيع + %n month(s) - %n شهرشهرشهرين%n شهور%n شهور%n شهور + Apply generated password? @@ -1737,6 +2215,18 @@ Disable safe saves and try again? Confirm Removal + + Browser Integration + تكامل المتصفح + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1776,6 +2266,42 @@ Disable safe saves and try again? Background Color: لون الخلفية: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1811,6 +2337,77 @@ Disable safe saves and try again? Use a specific sequence for this association: إستخدم تسلسل محدد لهذا الإرتباط: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + العام + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + إضافة + + + Remove + إزالة + + + Edit + + EditEntryWidgetHistory @@ -1830,6 +2427,26 @@ Disable safe saves and try again? Delete all حذف الكل + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1869,6 +2486,62 @@ Disable safe saves and try again? Expires انتهاء + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1945,6 +2618,22 @@ Disable safe saves and try again? Require user confirmation when this key is used يتطلب تأكيد المستخدم عندما يتم إستخدام هذا المفتاح + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1980,6 +2669,10 @@ Disable safe saves and try again? Inherit from parent group (%1) ورث من المجموعة الرئيسية (%1) + + Entry has unsaved changes + + EditGroupWidgetKeeShare @@ -2007,34 +2700,6 @@ Disable safe saves and try again? Inactive - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - - KeeShare unsigned container @@ -2060,15 +2725,73 @@ Disable safe saves and try again? مسح - The export container %1 is already referenced. + Import + إستيراد + + + Export - The import container %1 is already imported. + Synchronize - The container %1 imported and export by different groups. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2102,6 +2825,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence تعيين تسلسل الطباعة التلقائية الإفتراضي + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2137,22 +2888,10 @@ Disable safe saves and try again? All files كل الملفات - - Custom icon already exists - الرمز المخصص موجود بالفعل - Confirm Delete تأكيد الحذف - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) @@ -2177,6 +2916,42 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2222,6 +2997,30 @@ This may cause the affected plugins to malfunction. Value القيمة + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2269,7 +3068,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - هل أنت متأكد من حذف %n مرفق؟هل أنت متأكد من حذف %n مرفق؟هل أنت متأكد من حذف %n مرفق؟هل أنت متأكد من حذف %n مرفقات؟هل أنت متأكد من حذف %n مرفق؟هل أنت متأكد من حذف %n مرفقات؟ + Save attachments @@ -2316,6 +3115,26 @@ This may cause the affected plugins to malfunction. %1 + + Attachments + المرفقات + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2409,10 +3228,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - إنشاء رمز TOTP - Close إغلاق @@ -2498,6 +3313,14 @@ This may cause the affected plugins to malfunction. Share + + Display current TOTP value + + + + Advanced + متقدم + EntryView @@ -2531,11 +3354,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - سلة المهملات + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2553,6 +3398,58 @@ This may cause the affected plugins to malfunction. لا يمكن حفظ ملف برنامج المراسلات الأصلية. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + ألغ + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + إغلاق + + + URL + رابط + + + Status + + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2574,10 +3471,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. تعذر إصدار إستجابة التحدي. - - Wrong key or database file is corrupt. - المفتاح أو ملف قاعدة البيانات معطوب. - missing database headers رؤوس قاعدة البيانات مفقودة @@ -2598,6 +3491,11 @@ This may cause the affected plugins to malfunction. Invalid header data length طول بيانات الرأس غير صحيح + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2628,10 +3526,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch رأس SHA256 غير متطابق - - Wrong key or database file is corrupt. (HMAC mismatch) - المفتاح خاطئ أو ملف قاعدة البيانات تالف. (HMAC غير متطابق) - Unknown cipher تشفير غير معروف @@ -2732,6 +3626,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data حقل حجم النوع للخريطة المتنوعة غير صحيح + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2952,12 +3855,12 @@ Line %2, column %3 KeePass1OpenWidget - Import KeePass1 database - إستيراد قاعدة بيانات KeePass1 + Unable to open the database. + يتعذر فتح قاعدة البيانات. - Unable to open the database. - فتح قاعدة البيانات غير ممكن. + Import KeePass1 Database + @@ -3015,10 +3918,6 @@ Line %2, column %3 Unable to calculate master key تعذر حساب المفتاح الرئيسي - - Wrong key or database file is corrupt. - المفتاح أو ملف قاعدة البيانات معطوب. - Key transformation failed تعذر تحويل المفتاح @@ -3115,39 +4014,56 @@ Line %2, column %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from + Inactive share %1 - Export to + Imported from %1 - Synchronize with + Exported to %1 - Disabled share %1 + Synchronized with %1 - Import from share %1 + Import is disabled in settings - Export to share %1 + Export is disabled in settings - Synchronize with share %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3192,10 +4108,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - تصّفح - Generate توليد @@ -3248,6 +4160,43 @@ Message: %2 Select a key file حدد ملف المفتاح + + Key file selection + + + + Browse for key file + + + + Browse... + إستعراض... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3335,10 +4284,6 @@ Message: %2 &Settings &الإعدادات - - Password Generator - مولد كلمة السر - &Lock databases &قفل قواعد البيانات @@ -3524,14 +4469,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... - - Check for Updates... - - - - Share entry - - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3549,6 +4486,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + تحميل رمز المفضلة + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3608,6 +4613,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3677,6 +4690,72 @@ Expect some bugs and minor issues, this version is not meant for production use. + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3776,6 +4855,17 @@ Expect some bugs and minor issues, this version is not meant for production use. نوع مفتاح غير معروف: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3802,6 +4892,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3830,22 +4936,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types أنواع الرموز - - Upper Case Letters - الحروف الكبيرة - - - Lower Case Letters - أحرف صغيرة - Numbers أرقام - - Special Characters - رموز مخصصة - Extended ASCII تمديد ASCII @@ -3876,7 +4970,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Copy - نسخة + نسخ Accept @@ -3926,18 +5020,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced متقدم - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3970,18 +5056,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' - - Math - - <*+!?= - - Dashes - - \_|-/ @@ -4030,6 +5108,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4037,11 +5183,8 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare - - - QFileDialog - Select + Statistics @@ -4079,6 +5222,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + + Continue + + QObject @@ -4170,10 +5317,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. إنشاء كلمة المرور للمُدخل. - - Length for the generated password. - طول كلمة المرور المُنشئة. - length الطول @@ -4223,18 +5366,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. إجراء تحليل متقدم على كلمة المرور. - - Extract and print the content of a database. - استخراج وطباعة محتوى قاعدة البيانات. - - - Path of the database to extract. - مسار قاعدة البيانات للإستخراج. - - - Insert password to unlock %1: - ادخل كلمة المرور لإلغاء قفل %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4279,10 +5410,6 @@ Available commands: Merge two databases. دمج قاعدتي بيانات. - - Path of the database to merge into. - مسار قاعدة البيانات المُراد دمجها. - Path of the database to merge from. مسار قاعدة البيانات المُراد الدمج منها. @@ -4359,10 +5486,6 @@ Available commands: Browser Integration تكامل المتصفح - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] إستجابة التحدي - فتحة %2 - %3 - Press اضغط @@ -4393,10 +5516,6 @@ Available commands: Generate a new random password. إنشاء كلمة مرور عشوائية جديدة. - - Invalid value for password length %1. - - Could not create entry with path %1. @@ -4454,10 +5573,6 @@ Available commands: CLI parameter العدد - - Invalid value for password length: %1 - - Could not find entry with path %1. @@ -4582,24 +5697,6 @@ Available commands: Failed to load key file %1: %2 - - File %1 does not exist. - - - - Unable to open file %1. - - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - - Length of the generated password @@ -4612,10 +5709,6 @@ Available commands: Use uppercase characters - - Use numbers. - - Use special characters @@ -4759,10 +5852,6 @@ Available commands: Successfully created new database. - - Insert password to encrypt database (Press enter to leave blank): - - Creating KeyFile %1 failed: %2 @@ -4771,10 +5860,6 @@ Available commands: Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - حذف مُدخل من قاعدة البيانات. - Path of the entry to remove. مسار المُدخل التي ستحذف. @@ -4831,6 +5916,330 @@ Available commands: Cannot create new group + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + + + + Build Type: %1 + + + + Revision: %1 + مراجعة: %1 + + + Distribution: %1 + مراجعة: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + نظام التشغيل: %1 +معمارية المعالج: %2 +النواة: %3 %4 + + + Auto-Type + الطباعة التلقائية + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + + + + TouchID + + + + None + + + + Enabled extensions: + الإضافات المُفعلة: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4984,6 +6393,93 @@ Available commands: + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + العام + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + المجموعة + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + إعدادات قاعدة البيانات + + + Edit database settings + + + + Unlock database + إلغاء قفل قاعدة البيانات + + + Unlock database to show more information + + + + Lock database + قفل قاعدة بيانات + + + Unlock to show + + + + None + + + SettingsWidgetKeeShare @@ -5107,9 +6603,100 @@ Available commands: Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + المفتاح + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + + + + Could not write export container (%1) + + + + Could not embed signature: Could not open file to write (%1) + + + + Could not embed signature: Could not write file (%1) + + + + Could not embed database: Could not open file to write (%1) + + + + Could not embed database: Could not write file (%1) + + + + Overwriting unsigned share container is not supported - export prevented + + + + Could not write export container + + + + Unexpected export error occurred + + + + + ShareImport Import from container without signature @@ -5122,6 +6709,10 @@ Available commands: Import from container with certificate + + Do you want to trust %1 with the fingerprint of %2 from %3? + + Not this time @@ -5138,18 +6729,6 @@ Available commands: Just this time - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - - Signed share container are not supported - import prevented @@ -5190,24 +6769,19 @@ Available commands: Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented + Import from %1 failed (%2) - Could not write export container (%1) + Import from %1 successful (%2) - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred + Imported from %1 @@ -5222,10 +6796,6 @@ Available commands: Export to %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - - Multiple import source path to %1 in %2 @@ -5234,22 +6804,6 @@ Available commands: Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - - TotpDialog @@ -5296,10 +6850,6 @@ Available commands: Setup TOTP إعداد TOTP - - Key: - المفتاح: - Default RFC 6238 token settings الإعدادات الإفتراضية لرمز RFC 6238 @@ -5330,16 +6880,45 @@ Available commands: حجم الكود: - 6 digits - 6 أرقام - - - 7 digits + Secret Key: - 8 digits - 8 أرقام + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5423,6 +7002,14 @@ Available commands: Welcome to KeePassXC %1 مرحبا بك في KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5446,5 +7033,13 @@ Available commands: No YubiKey inserted. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_cs.ts b/share/translations/keepassx_cs.ts index 98f5fcb0e..7527275db 100644 --- a/share/translations/keepassx_cs.ts +++ b/share/translations/keepassx_cs.ts @@ -95,6 +95,14 @@ Follow style Styl následování + + Reset Settings? + Vrátit nastavení do výchozích hodnot? + + + Are you sure you want to reset all general and security settings to default? + Opravdu chcete vrátit veškerá obecná nastavení a nastavení zabezpečení do výchozích hodnot? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Spouštět pouze jedinou instanci KeePassXC - - Remember last databases - Pamatovat si nedávno otevřené databáze - - - Remember last key files and security dongles - Pamatovat si minule použité soubory s klíči a zabezpečovací klíčenky - - - Load previous databases on startup - Při spouštění aplikace načíst minule otevřené databáze - Minimize window at application startup Spouštět aplikaci s minimalizovaným oknem @@ -162,10 +158,6 @@ Use group icon on entry creation Pro vytvářený záznam použít ikonu skupiny, pod kterou je vytvářen - - Minimize when copying to clipboard - Po zkopírování údaje do schránky odklidit okno aplikace jeho automatickou minimalizací - Hide the entry preview panel Skrýt panel náhledu položky @@ -194,10 +186,6 @@ Hide window to system tray when minimized Minimalizovat okno aplikace do oznamovací oblasti systémového panelu - - Language - Jazyk - Auto-Type Automatické vyplňování @@ -231,21 +219,102 @@ Auto-Type start delay Prodleva zahájení automatického vyplňování - - Check for updates at application startup - Kontrolovat dostupnost aktualizací při spouštění aplikace - - - Include pre-releases when checking for updates - Do vyhledávání aktualizací zahrnovat i ještě nehotové verze - Movable toolbar Přesouvatelná lišta nástrojů - Button style - Styl tlačítka + Remember previously used databases + Pamatovat si minule použité databáze + + + Load previously open databases on startup + Při spuštění načíst minule otevřené databáze + + + Remember database key files and security dongles + Pamatovat si soubory s klíči k databázím a hardwarová bezpečnostní zařízení + + + Check for updates at application startup once per week + Zjišťovat dostupnost aktualizací aplikace jednou týdně + + + Include beta releases when checking for updates + Při zjišťování případných aktualizací brát v potaz i vývojové testovací verze + + + Button style: + Styl tlačítka: + + + Language: + Jazyk: + + + (restart program to activate) + (pro aktivaci je třeba aplikaci ukončit a spustit znovu) + + + Minimize window after unlocking database + Po odemčení databáze okno minimalizovat + + + Minimize when opening a URL + Při otevírání URL okno minimalizovat + + + Hide window when copying to clipboard + Po zkopírování do schránky okno zminimalizovat + + + Minimize + Minimalizovat + + + Drop to background + Upustit na pozadí + + + Favicon download timeout: + Časový limit stažení ikony webu + + + Website icon download timeout in seconds + Časový limit (v sekundách) pro stažení ikony webu + + + sec + Seconds + sek. + + + Toolbar button style + Styl tlačítek na liště nástrojů + + + Use monospaced font for Notes + V sekci Poznámky použít písmo s neměnnou šířkou + + + Language selection + Výběr jazyka + + + Reset Settings to Default + Vráti nastavení do výchozích hodnot + + + Global auto-type shortcut + Globální zkratka automatického vyplňování + + + Auto-type character typing delay milliseconds + Prodleva mezi zadáváním jednotlivých znaků při automatickém vyplňování + + + Auto-type start delay milliseconds + Prodleva (v milisekundách) zahájení automatického vyplňování @@ -320,8 +389,29 @@ Soukromí - Use DuckDuckGo as fallback for downloading website icons - Použít DuckDuckGo jako náhradní zdroj pro stahování ikon webů + Use DuckDuckGo service to download website icons + Pro stahování ikon webů použít službu DuckDuckGo + + + Clipboard clear seconds + Za kolik sekund vyčistit schránku + + + Touch ID inactivity reset + Reset neaktivity Touch ID + + + Database lock timeout seconds + Časový limit (v sekundách) uzamčení databáze + + + min + Minutes + min + + + Clear search query after + Vyčistit vyhledávací dotaz po uplynutí @@ -386,7 +476,18 @@ Sequence - Posloupnost + Pořadí + + + + AutoTypeMatchView + + Copy &username + Zkopírovat &uživatelské jméno + + + Copy &password + Zko&pírovat heslo @@ -399,6 +500,10 @@ Select entry to Auto-Type: Vyberte záznam, kterým se bude automaticky vyplňovat: + + Search... + Hledat… + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 si vyžádalo přístup k heslům u následujících položek. Umožnit přístup? + + Allow access + Umožnit přístup + + + Deny access + Odepřít přístup + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Vyberte databázi, do které chcete přihlašovací údaje uložit.This is required for accessing your databases with KeePassXC-Browser Toto je potřebné pro přístup do vašich databází pomocí KeePassXC-Browser - - Enable KeepassXC browser integration - Zapnout propojení webového prohlížeče s KeepassXC - General Obecné @@ -533,10 +642,6 @@ Vyberte databázi, do které chcete přihlašovací údaje uložit.Credentials mean login data requested via browser extension Nikdy se neptat před akt&ualizací přihlašovacích údajů - - Only the selected database has to be connected with a client. - S klientem bude propojena pouze označená databáze. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Vyberte databázi, do které chcete přihlašovací údaje uložit.&Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Varování</b>, aplikace keepassxc-proxy nebyla nalezena! <br />Zkontrolujte instalační složku KeePassXC nebo v pokročilých možnostech potvrďte uživatelsky určené umístění.<br />Napojení na prohlížeč NEBUDE FUNGOVAT bez proxy aplikace. <br /> Očekávané umístění: - Executable Files Spustitelné soubory @@ -621,6 +722,50 @@ Vyberte databázi, do které chcete přihlašovací údaje uložit.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 Aby fungovalo napojení na prohlížeč, je třeba KeePassXC. <br /> Stáhnete ho pro %1 a %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Vracet přihlašovací údaje, kterým skončila platnost. Do názvu je přidán řetězec [expired]. + + + &Allow returning expired credentials. + &Umožnit poskytování i přihlašovacích údajů, kterým skončila platnost. + + + Enable browser integration + Zapnout napojení na webový prohlížeč + + + Browsers installed as snaps are currently not supported. + Prohlížeče, nainstalované formou snap balíčků, zatím nejsou podporované. + + + All databases connected to the extension will return matching credentials. + Odpovídající přihlašovací údaje budou poskytovány ze všech databází, napojených na toto rozšíření. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Nezobrazovat vyskakovací okno doporučující převedení nastavení ze starého KeePassHTTP. + + + &Do not prompt for KeePassHTTP settings migration. + Nedotazovat se na převedení nastavení z KeePassHTTP. + + + Custom proxy location field + Kolonka pro uživatelsky určené proxy umístění + + + Browser for custom proxy file + Nalistovat uživatelsky určený proxy soubor + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Varování</b>, aplikace keepassxc-prox nenalezena! <br />Zkontrolujte instalační složku KeePassXC nebo potvrďte vlastní popis umístění v pokročilých volbách.<br />Napojení na webový prohlížeč NEBUDE FUNGOVAT bez proxy aplikace.<br />Očekávaný popis umístění: %1 + BrowserService @@ -680,7 +825,7 @@ Přesunuto %2 klíčů do uživatelsky určených dat. Successfully moved %n keys to custom data. - %n klíč úspěšně přesunut do uživatelsky určených dat.%n klíče úspěšně přesunuty do uživatelsky určených dat.%n klíčů úspěšně přesunuto do uživatelsky určených dat.%n klíčy úspěšně přesunuty do uživatelsky určených dat. + %n klíč úspěšně přesunut do uživatelsky určených dat.%n klíče úspěšně přesunuty do uživatelsky určených dat.%n klíčů úspěšně přesunuto do uživatelsky určených dat.%n klíče úspěšně přesunuty do uživatelsky určených dat. KeePassXC: No entry with KeePassHTTP attributes found! @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Toto je nezbytné pro zachování vašich stávajících spojení prohlížeče. Chcete přenést vaše stávající nastavení nyní? + + Don't show this warning again + Toto varování znovu nezobrazovat + CloneDialog @@ -772,10 +921,6 @@ Chcete přenést vaše stávající nastavení nyní? First record has field names První záznam obsahuje názvy kolonek - - Number of headers line to discard - Počet řádek s hlavičkou, kterou zahodit - Consider '\' an escape character Považovat „\“ za únikový znak @@ -818,7 +963,7 @@ Chcete přenést vaše stávající nastavení nyní? [%n more message(s) skipped] - [%n další zpráva přeskočena][%n další zprávy přeskočeny][%n dalších zpráv přeskočeno][%n další zprávy přeskočeny] + [%n další zpráva přeskočeno][%n další zprávy přeskočeny][%n dalších zpráv přeskočeno][%n další zprávy přeskočeny] CSV import: writer has errors: @@ -826,12 +971,28 @@ Chcete přenést vaše stávající nastavení nyní? CSV import: chyby zápisu: %1 + + Text qualification + Zařazení textu + + + Field separation + Oddělování kolonek + + + Number of header lines to discard + Počet řádků hlavičky, které zahodit + + + CSV import preview + Náhled importu CSV + CsvParserModel %n column(s) - %n sloupec%n sloupce%n sloupců%n sloupců + %n sloupec%n sloupce%n sloupců%n sloupce %1, %2, %3 @@ -866,10 +1027,6 @@ Chcete přenést vaše stávající nastavení nyní? Error while reading the database: %1 Chyba při čtení databáze: %1 - - Could not save, database has no file name. - Nedaří se uložit, databáze nemá název. - File cannot be written as it is opened in read-only mode. Do souboru nelze zapisovat, protože je otevřen v režimu pouze pro čtení. @@ -878,6 +1035,28 @@ Chcete přenést vaše stávající nastavení nyní? Key not transformed. This is a bug, please report it to the developers! Klíč nebyl přeměněn. Toto je chyba, nahlaste to vývojářům. + + %1 +Backup database located at %2 + %1 +Záložní databáze se nachází v %2 + + + Could not save, database does not point to a valid file. + Není možné uložit, databáze neodkazuje na platný soubor. + + + Could not save, database file is read-only. + Nedaří se uložit, soubor s databází je přístupný pouze pro čtení. + + + Database file has unmerged changes. + V databázovém souboru jsou nesloučené změny. + + + Recycle Bin + Koš + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Chcete přenést vaše stávající nastavení nyní? DatabaseOpenWidget - - Enter master key - Zadejte hlavní klíč - Key File: Soubor s klíčem: - - Password: - Heslo: - - - Browse - Procházet - Refresh Načíst znovu - - Challenge Response: - Výzva–odpověď: - Legacy key file format Starý formát souboru s klíčem @@ -942,20 +1105,100 @@ Zvažte vytvoření nového souboru s klíčem. Vyberte soubor s klíčem - TouchID for quick unlock - TouchID pro rychlé odemčení + Failed to open key file: %1 + Nepodařilo se otevřít soubor s klíčem: %1 - Unable to open the database: -%1 - Databázi se nedaří otevřít: -%1 + Select slot... + Vybrat slot… - Can't open key file: -%1 - Soubor s klíčem se nedaří otevřít: -%1 + Unlock KeePassXC Database + Odemknout databázi KeePassXC + + + Enter Password: + Zadejte heslo: + + + Password field + Kolonka pro heslo + + + Toggle password visibility + Zobraz./nezobrazovat hesla + + + Enter Additional Credentials: + Zadejte další přihlašovací údaje: + + + Key file selection + Výběr souboru s klíčem + + + Hardware key slot selection + Výběr slotu v hardwarovém klíči + + + Browse for key file + Nalistovat soubor s klíčem + + + Browse... + Procházet… + + + Refresh hardware tokens + Znovu načíst hardwarová bezpečnostní zařízení + + + Hardware Key: + Hardwarový klíč: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + 1Je možné používat hardwarové bezpečnostní klíče jako například 2YubiKey2 nebo 3OnlyKey3 se sloty nastavenými pro HMAC-SHA1. + <p>Klikněte pro další informace…</p> + + + Hardware key help + Nápověda k hardwarovému klíči + + + TouchID for Quick Unlock + TouchID pro rychlé odemknutí + + + Clear + Vyčistit + + + Clear Key File + Vyčistit soubor s klíčem + + + Select file... + Vybrat soubor… + + + Unlock failed and no password given + Odemknutí se nezdařilo a nebylo zadáno žádné heslo + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Odemčení databáze se nezdařilo a nezadali jste heslo. +Chcete to zkusit znovu s „prázdným“ heslem? + +Abyste tomu, aby se tato chyba objevovala, je třeba přejít do „Nastavení databáze / Zabezpečení“ a nastavit heslo znovu. + + + Retry with empty password + Zkusit znovu bez hesla @@ -989,7 +1232,7 @@ Zvažte vytvoření nového souboru s klíčem. Browser Integration - Napojení webového prohlížeče + Napojení na webový prohlížeč @@ -1064,7 +1307,7 @@ To může zabránit spojení se zásuvným modulem prohlížeče. Successfully removed %n encryption key(s) from KeePassXC settings. - Z nastavení KeePassXC úspěšně odebrán %n šifrovací klíč.Z nastavení KeePassXC úspěšně odebrány %n šifrovací klíče.Z nastavení KeePassXC úspěšně odebráno %n šifrovacích klíčů.Z nastavení KeePassXC úspěšně odebrány %n šifrovací klíče. + Úspěšně odebrán %n šifrovací klíč z nastavení KeePassXC.Úspěšně odebrány %n šifrovací klíče z nastavení KeePassXC.Úspěšně odebráno %n šifrovacích klíčů z nastavení KeePassXC.Úspěšně odebrány %n šifrovací klíče z nastavení KeePassXC. Forget all site-specific settings on entries @@ -1090,7 +1333,7 @@ Oprávnění pro přístup k položkám budou odvolána. Successfully removed permissions from %n entry(s). - Z %n položky úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění.Z %n položek úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění. + Z %n položky úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění. KeePassXC: No entry with permissions found! @@ -1110,6 +1353,14 @@ This is necessary to maintain compatibility with the browser plugin. Opravdu chcete přesunout všechna data starého napojení na prohlížeč na nejnovější standard? Toto je nezbytné pro zachování kompatibility se zásuvným modulem pro prohlížeč. + + Stored browser keys + Uložené klíče prohlížeče + + + Remove selected key + Odebrat označený klíč + DatabaseSettingsWidgetEncryption @@ -1252,6 +1503,57 @@ Pokud tento počet ponecháte, může být velmi snadné prolomit šifrování v seconds %1 s%1 s%1 s%1 s + + Change existing decryption time + Změnit existující čas rozšifrování + + + Decryption time in seconds + Doba rozšifrování (v sekundách) + + + Database format + Formát databáze + + + Encryption algorithm + Šifrovací algoritmus + + + Key derivation function + Funkce pro odvození klíče + + + Transform rounds + Počet průchodů transformace + + + Memory usage + Využití operační paměti + + + Parallelism + Souběžné zpracovávání + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Vystavené záznamy + + + Don't e&xpose this database + &Nevystavovat tuto databázi + + + Expose entries &under this group: + Vystavit záznamy nacházející s v této sk&upině: + + + Enable fd.o Secret Service to access these settings. + Pro přístup k těmto nastavením zapněte fd.o Secret Service. + DatabaseSettingsWidgetGeneral @@ -1299,6 +1601,40 @@ Pokud tento počet ponecháte, může být velmi snadné prolomit šifrování v Enable &compression (recommended) Zapnout &kompresi (doporučeno) + + Database name field + Kolonka název databáze + + + Database description field + Kolonka popis databáze + + + Default username field + Kolonka výchozí uživatelské jméno + + + Maximum number of history items per entry + Nejvyšší umožněný počet historických záznamů pro jednotlivé záznamy + + + Maximum size of history per entry + Nejvyšší umožněná velikost historických záznamů pro jednotlivé záznamy + + + Delete Recycle Bin + Smazat Koš + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Chcete smazat stávající Koš a vše co obsahuje? +Tuto akci nelze vzít zpět. + + + (old) + (staré) + DatabaseSettingsWidgetKeeShare @@ -1366,6 +1702,10 @@ Opravdu chcete pokračovat bez hesla? Failed to change master key Hlavní klíč se nepodařilo změnit + + Continue without password + Pokračovat bez hesla + DatabaseSettingsWidgetMetaDataSimple @@ -1377,6 +1717,129 @@ Opravdu chcete pokračovat bez hesla? Description: Popis: + + Database name field + Kolonka název databáze + + + Database description field + Kolonka popis databáze + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statistiky + + + Hover over lines with error icons for further information. + Další informace získáte najetím kurzoru nad řádky s ikonou chyb. + + + Name + Název + + + Value + Hodnota + + + Database name + Název databáze + + + Description + Popis + + + Location + Umístění + + + Last saved + Naposledy uloženo + + + Unsaved changes + Neuložené změny + + + yes + ano + + + no + ne + + + The database was modified, but the changes have not yet been saved to disk. + Databáze byla změněna, ale změny doposud nebyly uloženy na disk. + + + Number of groups + Počet skupin + + + Number of entries + Počet položek + + + Number of expired entries + Počet záznamů, kterým skončila platnost + + + The database contains entries that have expired. + Databáze obsahuje záznamy, kterým skončila platnost. + + + Unique passwords + Hesel, která se neopakují + + + Non-unique passwords + Hesel, které se opakují + + + More than 10% of passwords are reused. Use unique passwords when possible. + Více než 10% hesel je použito na více místech. Pokud je to jen trochu možné, používejte pro různé účely různá hesla. + + + Maximum password reuse + Kolikrát nejvýše je možné opakovat použití hesla + + + Some passwords are used more than three times. Use unique passwords when possible. + Některá hesla jsou použita více než třikrát. Pokud možno používejte pro každou věc jiné heslo. + + + Number of short passwords + Počet krátkých hesel + + + Recommended minimum password length is at least 8 characters. + Doporučené minimum délky hesla je alespoň 8 znaků. + + + Number of weak passwords + Počet slabých hesel + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Doporučovat používání dlouhých, náhodných hesel s hodnocením „dobré“ nebo „excelentní“. + + + Average password length + Průměrná délka hesla + + + %1 characters + %1 znaků + + + Average password length is less than ten characters. Longer passwords provide more security. + Průměrná délka hesla je kratší, než deset znaků. Delší hesla poskytují vyšší zabezpečení. + DatabaseTabWidget @@ -1426,10 +1889,6 @@ This is definitely a bug, please report it to the developers. Vytvořená databáze nemá klíč nebo KDF, její uložení je domítnuto. Toto je nepochybně chyba, nahlaste ji prosím vývojářům. - - The database file does not exist or is not accessible. - Soubor s databází neexistuje nebo není přístupný. - Select CSV file Vyberte CSV soubor @@ -1453,6 +1912,30 @@ Toto je nepochybně chyba, nahlaste ji prosím vývojářům. Database tab name modifier %1 [pouze pro čtení] + + Failed to open %1. It either does not exist or is not accessible. + %1 se nepodařilo otevřít. Buď neexistuje, nebo není přístupné. + + + Export database to HTML file + Exportovat databázi do HTML souboru + + + HTML file + HTML soubor + + + Writing the HTML file failed. + Zápis do HTML souboru se nezdařil. + + + Export Confirmation + Potvrzení exportu + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Chystáte se exportovat svou databázi do nešifrovaného souboru. To zanechá vaše hesla a citlivé informace zranitelné. Opravdu to chcete? + DatabaseWidget @@ -1470,7 +1953,7 @@ Toto je nepochybně chyba, nahlaste ji prosím vývojářům. Do you really want to move %n entry(s) to the recycle bin? - Opravdu přesunout %n záznam do Koše? ()Opravdu přesunout %n záznamy do Koše? ()Opravdu přesunout %n záznamů do Koše?Opravdu přesunout %n záznamů do Koše? + Opravdu přesunout %n záznam do Koše?Opravdu přesunout %n záznamy do Koše?Opravdu přesunout %n záznamů do Koše?Opravdu přesunout %n záznamy do Koše? Execute command? @@ -1532,19 +2015,15 @@ Přejete si je sloučit? Do you really want to delete %n entry(s) for good? - Opravdu chcete %n položku nadobro smazat?Opravdu chcete %n položky nadobro smazat?Opravdu chcete %n položek nadobro smazat?Opravdu chcete %n položky nadobro smazat? + Opravdu chcete nadobro smazat %n položku?Opravdu chcete nadobro smazat %n položky?Opravdu chcete nadobro smazat %n položek?Opravdu chcete nadobro smazat %n položky? Delete entry(s)? - Smazat položkuSmazat položkySmazat položekSmazat položky + Smazat položku?Smazat položky?Smazat položek?Smazat položky? Move entry(s) to recycle bin? - Přesunout položku do Koše?Přesunout položky do Koše?Přesunout položek do Koše?Přesunout položky do Koše? - - - File opened in read only mode. - Soubor otevřen v režimu pouze pro čtení. + Přesunout položku do Koše?Přesunout položky do Koše?Přesunout položky do Koše?Přesunout položky do Koše? Lock Database? @@ -1585,12 +2064,6 @@ Chyba: %1 Disable safe saves and try again? I přes několikátý pokus se KeePassXC nepodařilo databázi uložit. To je nejspíš způsobeno službou synchronizace souborů, která drží zámek na ukládaném souboru. Vypnout bezpečné ukládání a zkusit to znovu? - - - Writing the database failed. -%1 - Zápis do databáze se nezdařil. -%1 Passwords @@ -1602,7 +2075,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? KeePass 2 Database - Databáze ve formátu KeePass 2 + Databáze ve formátu KeePass verze 2 Replace references to entry? @@ -1636,6 +2109,14 @@ Vypnout bezpečné ukládání a zkusit to znovu? Shared group... Sdílená skupina… + + Writing the database failed: %1 + Zápis do databáze se nezdařil: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Tato databáze je otevřena v režimu pouze pro čtení. Automatické ukládání je vypnuto. + EditEntryWidget @@ -1717,11 +2198,11 @@ Vypnout bezpečné ukládání a zkusit to znovu? %n week(s) - %n týden%n týdny%n týdnů%n týdnů + %n týden%n týdny%n týdnů%n týdny %n month(s) - %n měsíc%n měsíce%n měsíců%n měsíců + %n měsíc%n měsíce%n měsíců%n měsíce Apply generated password? @@ -1755,6 +2236,18 @@ Vypnout bezpečné ukládání a zkusit to znovu? Confirm Removal Potvrdit odebrání + + Browser Integration + Napojení na webový prohlížeč + + + <empty URL> + <prázdná URL> + + + Are you sure you want to remove this URL? + Opravdu chcete tuto URL odebrat? + EditEntryWidgetAdvanced @@ -1794,6 +2287,42 @@ Vypnout bezpečné ukládání a zkusit to znovu? Background Color: Barva pozadí: + + Attribute selection + Výběr atributu + + + Attribute value + Hodnota atributu + + + Add a new attribute + Přidat nový atribut + + + Remove selected attribute + Odebrat označený atribut + + + Edit attribute name + Upravit název atributu + + + Toggle attribute protection + Vyp/zap. ochranu atributu + + + Show a protected attribute + Zobrazit chráněný atribut + + + Foreground color selection + Výběr barvy popředí + + + Background color selection + Výběr barvy pozadí + EditEntryWidgetAutoType @@ -1829,6 +2358,77 @@ Vypnout bezpečné ukládání a zkusit to znovu? Use a specific sequence for this association: Pro toto přiřazení použít konkrétní posloupnost: + + Custom Auto-Type sequence + Uživatelsky určená posloupnost automatického vyplňování + + + Open Auto-Type help webpage + Otevřít webovou stránku s nápovědou k automatickému vyplňování + + + Existing window associations + Existující přiřazení k oknům + + + Add new window association + Přidat nové přiřazení k oknu + + + Remove selected window association + Odebrat označené přiřazení k oknu + + + You can use an asterisk (*) to match everything + Pro shodu s čímkoli je možné použít hvězdičku (*) + + + Set the window association title + Nastavit název okna, podle kterého přiřadit + + + You can use an asterisk to match everything + Pro shodu s čímkoli je možné použít hvězdičku + + + Custom Auto-Type sequence for this window + Uživatelsky určená posloupnost automatického vyplňování pro toto okno + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Tato nastavení ovlivní chování záznamu pro rozšíření pro webový prohlížeč. + + + General + Obecné + + + Skip Auto-Submit for this entry + Přeskočit automatické odeslání pro tento záznam + + + Hide this entry from the browser extension + Skrýt tento záznam před rozšířením pro prohlížeč + + + Additional URL's + Další URL adresy + + + Add + Přidat + + + Remove + Odebrat + + + Edit + Upravit + EditEntryWidgetHistory @@ -1848,6 +2448,26 @@ Vypnout bezpečné ukládání a zkusit to znovu? Delete all Smazat vše + + Entry history selection + Výběr historie záznamu + + + Show entry at selected history state + Zobrazit záznam ve vybraném stavu v historii + + + Restore entry to selected history state + Obnovit záznam do podoby označeného stavu v historii + + + Delete selected history state + Smazat označený stav v historii + + + Delete all history + Smazat veškerou historii + EditEntryWidgetMain @@ -1887,6 +2507,62 @@ Vypnout bezpečné ukládání a zkusit to znovu? Expires Platnost skončí + + Url field + Kolonka pro URL + + + Download favicon for URL + Stáhnout ikonu webu pro URL + + + Repeat password field + Kolonka pro zopakování zadání hesla + + + Toggle password generator + Vyp./zap vytváření hesel + + + Password field + Kolonka pro heslo + + + Toggle password visibility + Zobraz./nezobrazovat hesla + + + Toggle notes visible + Zobraz./nezobrazovat poznámky + + + Expiration field + Kolonka data a času konce platnosti + + + Expiration Presets + Předpřipravené konce platnosti + + + Expiration presets + Předpřipravené konce platnosti + + + Notes field + Kolonka pro poznámky + + + Title field + Kolonka pro název + + + Username field + Kolonka pro uživatelské jméno + + + Toggle expiration + Vyp/zap. skončení platnosti + EditEntryWidgetSSHAgent @@ -1963,6 +2639,22 @@ Vypnout bezpečné ukládání a zkusit to znovu? Require user confirmation when this key is used Při použití tohoto klíče vyžadovat potvrzení od uživatele + + Remove key from agent after specified seconds + Odebrat klíč z agenta po uplynutí zadaného počtu sekund + + + Browser for key file + Nalistovat soubor s klíčem + + + External key file + Soubor s externím klíčem + + + Select attachment file + Vybrat soubor, který přiložit + EditGroupWidget @@ -1998,6 +2690,10 @@ Vypnout bezpečné ukládání a zkusit to znovu? Inherit from parent group (%1) Převzít od nadřazené skupiny (%1) + + Entry has unsaved changes + Položka má neuložené změny + EditGroupWidgetKeeShare @@ -2025,34 +2721,6 @@ Vypnout bezpečné ukládání a zkusit to znovu? Inactive Neaktivní - - Import from path - Importovat z umístění - - - Export to path - Exportovat do umístění - - - Synchronize with path - Synchronizovat s umístěním - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Vámi používaná verze KeePassXC nepodporuje sdílení vašeho typu kontejneru. Použijte %1. - - - Database sharing is disabled - Sdílení databáze je vypnuto - - - Database export is disabled - Export databáze je vypnutý - - - Database import is disabled - Import databáze je vypnutý - KeeShare unsigned container Nepodepsaný KeeShare kontejner @@ -2078,16 +2746,75 @@ Vypnout bezpečné ukládání a zkusit to znovu? Vyčistit - The export container %1 is already referenced. - Exportní kontejner %1 už je odkazován. + Import + Importovat - The import container %1 is already imported. - Importní kontejner %1 už byl naimportován. + Export + Export - The container %1 imported and export by different groups. - Kontejner %1 naimportován a exportován různými skupinami. + Synchronize + Synchronizovat + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Vámi používaná verze KeePassXC nepodporuje sdílení tohoto typu kontejneru. +Podporovaná rozšíření jsou: %1. + + + %1 is already being exported by this database. + %1 už je exportováno touto databází. + + + %1 is already being imported by this database. + %1 už je importováno touto databází. + + + %1 is being imported and exported by different groups in this database. + %1 je importováno a exportováno jinými skupinami v této databázi. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare je nyní vypnuté. Import/export je možné zapnout v nastavení aplikace. + + + Database export is currently disabled by application settings. + Exportování databáze je nyní vypnuto v nastavení aplikace. + + + Database import is currently disabled by application settings. + Import do databáze je nyní vypnutý v nastavení aplikace. + + + Sharing mode field + Kolonka pro režim sdílení + + + Path to share file field + Kolonka pro popis umístění sdíleného souboru + + + Browser for share file + Nalistovat sdílený soubor + + + Password field + Kolonka pro heslo + + + Toggle password visibility + Zobraz./nezobrazovat hesla + + + Toggle password generator + Vyp./zap vytváření hesel + + + Clear fields + Vyčistit kolonky @@ -2120,6 +2847,34 @@ Vypnout bezpečné ukládání a zkusit to znovu? Set default Auto-Type se&quence Nastavit výchozí pořadí automatického vyplňování + + Name field + Kolonka pro název + + + Notes field + Kolonka pro poznámky + + + Toggle expiration + Vyp/zap. skončení platnosti + + + Auto-Type toggle for this and sub groups + Vyp/zap. automatické vyplňování pro tuto a podskupiny + + + Expiration field + Kolonka data a času konce platnosti + + + Search toggle for this and sub groups + Vyp/zap. pro tuto a podskupiny + + + Default auto-type sequence field + Výchozí kolonka pro posloupnost automatického vyplňování + EditWidgetIcons @@ -2155,22 +2910,10 @@ Vypnout bezpečné ukládání a zkusit to znovu? All files Veškeré soubory - - Custom icon already exists - Tato vlastní ikona už existuje - Confirm Delete Potvrdit smazání - - Custom icon successfully downloaded - Uživatelsky určená ikona úspěšně stažena - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Rada: Jako náhradní řešení můžete zapnout DuckDuckGo v Nástroje → Nastavení → Zabezpečení - Select Image(s) Vyberte obrázky @@ -2185,7 +2928,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? %n icon(s) already exist in the database - %n ikona už v databázi existuje%n ikony už v databázi existují%n ikon už v databázi existuje%n ikony už v databázi existují + V databázi už existuje %n ikonaV databázi už existují %n ikonyV databázi už existuje %n ikonV databázi už existují %n ikony The following icon(s) failed: @@ -2195,6 +2938,42 @@ Vypnout bezpečné ukládání a zkusit to znovu? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Tato ikona je používána %n záznamem a bude nahrazena výchozí ikonou. Opravdu ji chcete smazat?Tato ikona je používána %n záznamy a bude nahrazena výchozí ikonou. Opravdu ji chcete smazat?Tato ikona je používána %n záznamy a bude nahrazena výchozí ikonou. Opravdu ji chcete smazat?Tato ikona je používána %n záznamy a bude nahrazena výchozí ikonou. Opravdu ji chcete smazat? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Používání služby DuckDuckGo pro stahování ikon webových stránek je možné zapnout v Nástroje -> Nastavení -> zabezpečení + + + Download favicon for URL + Stáhnout ikonu webu pro URL + + + Apply selected icon to subgroups and entries + Uplatnit označenou ikonu na podskupiny a záznamy + + + Apply icon &to ... + Použí&t ikonu na… + + + Apply to this only + Použít pouze na toto + + + Also apply to child groups + Uplatnit také na podskupiny + + + Also apply to child entries + Uplatnit také na obsažené záznamy + + + Also apply to all children + Uplatnit také na vše obsažené + + + Existing icon selected. + Vybrána existující ikona. + EditWidgetProperties @@ -2240,6 +3019,30 @@ Dotčený zásuvný modul to může rozbít. Value Hodnota + + Datetime created + Datum a čas vytvoření + + + Datetime modified + Datum a čas změny + + + Datetime accessed + Datum a čas přístupu + + + Unique ID + Neopakující se identifikátor + + + Plugin data + Data zásuvného modulu + + + Remove selected plugin data + Odebrat označená data zásuvného modulu + Entry @@ -2287,7 +3090,7 @@ Dotčený zásuvný modul to může rozbít. Are you sure you want to remove %n attachment(s)? - Opravdu chcete odebrat %n přílohu?Opravdu chcete odebrat %n přílohy?Opravdu chcete odebrat %n příloh?Opravdu chcete odebrat %n příloh? + Opravdu chcete odebrat %n přílohu?Opravdu chcete odebrat %n přílohy?Opravdu chcete odebrat %n příloh?Opravdu chcete odebrat %n přílohy? Save attachments @@ -2334,10 +3137,30 @@ Dotčený zásuvný modul to může rozbít. %1 Nedaří se otevřít soubor: %1Nedaří se otevřít soubory: -%1Nedaří se otevřít soubory: +%1Nedaří se otevřít souborů: %1Nedaří se otevřít soubory: %1 + + Attachments + Přílohy + + + Add new attachment + Přidat novou přílohu + + + Remove selected attachment + Odebrat označenou přílohu + + + Open selected attachment + Otevřít označenou přílohu + + + Save selected attachment to disk + Uložit označenou přílohu na disk + EntryAttributesModel @@ -2431,10 +3254,6 @@ Dotčený zásuvný modul to může rozbít. EntryPreviewWidget - - Generate TOTP Token - Vytvořit token na času založeného jednorázového hesla (TOTP) - Close Zavřít @@ -2481,7 +3300,7 @@ Dotčený zásuvný modul to může rozbít. Sequence - Posloupnost + Pořadí Searching @@ -2520,6 +3339,14 @@ Dotčený zásuvný modul to může rozbít. Share Sdílet + + Display current TOTP value + Zobrazit stávající hodnotu TOTP + + + Advanced + Pokročilé + EntryView @@ -2553,11 +3380,33 @@ Dotčený zásuvný modul to může rozbít. - Group + FdoSecrets::Item - Recycle Bin - Koš + Entry "%1" from database "%2" was used by %3 + Záznam „%1“ z databáze „%2“ byl použit %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Nepodařilo se zaregistrovat službu DBus na %1: je spuštěná jiná služba. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n záznam byl použit %1%n záznamy byly použity %1%n záznamů bylo použito %1%n záznamy byly použity %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo tajná služba: %1 + + + + Group [empty] group has no children @@ -2575,6 +3424,59 @@ Dotčený zásuvný modul to může rozbít. Nedaří se uložit soubor se skriptem pro posílání zpráv mezi webovým prohlížečem a desktopovou aplikací (native messaging). + + IconDownloaderDialog + + Download Favicons + Stáhnout ikony webů + + + Cancel + Zrušit + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Máte problémy se stahováním ikon? +Můžete zapnout službu pro stahování ikon z DuckDuckGo v sekci zabezpečení v nastavení aplikace. + + + Close + Zavřít + + + URL + URL adresa + + + Status + Stav + + + Please wait, processing entry list... + Čekejte, zpracovává se seznam položek… + + + Downloading... + Stahování… + + + Ok + Ok + + + Already Exists + Už existuje + + + Download Failed + Stažení se nezdařilo + + + Downloading favicons (%1/%2)... + Stahování ikon webů (%1/%2)… + + KMessageWidget @@ -2590,16 +3492,12 @@ Dotčený zásuvný modul to může rozbít. Kdbx3Reader Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč Unable to issue challenge-response. Nedaří se vyvolat výzva-odpověď. - - Wrong key or database file is corrupt. - Byl zadán nesprávný klíč, nebo je soubor s databází poškozený. - missing database headers chybí databázové hlavičky @@ -2620,6 +3518,12 @@ Dotčený zásuvný modul to může rozbít. Invalid header data length Neplatné délka dat hlavičky + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Byly zadány neplatné přihlašovací údaje, zkuste to prosím znovu. +Pokud se toto opakuje, pak je možné, že je váš soubor s databází poškozený. + Kdbx3Writer @@ -2629,7 +3533,7 @@ Dotčený zásuvný modul to může rozbít. Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč @@ -2640,7 +3544,7 @@ Dotčený zásuvný modul to může rozbít. Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč Invalid header checksum size @@ -2650,10 +3554,6 @@ Dotčený zásuvný modul to může rozbít. Header SHA256 mismatch Neshoda SHA256 kontrolního součtu hlavičky - - Wrong key or database file is corrupt. (HMAC mismatch) - Nesprávný klíč nebo je soubor s databází poškozený (neshoda HMAC) - Unknown cipher Neznámá šifra @@ -2754,6 +3654,16 @@ Dotčený zásuvný modul to může rozbít. Translation: variant map = data structure for storing meta data Neplatná velikost typu kolonky mapy varianty + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Byly zadány neplatné přihlašovací údaje, zkuste to prosím znovu. +Pokud se toto opakuje, pak je možné, že je váš soubor s databází poškozený. + + + (HMAC mismatch) + (HMAC neshoda) + Kdbx4Writer @@ -2768,7 +3678,7 @@ Dotčený zásuvný modul to může rozbít. Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč Failed to serialize KDF parameters variant map @@ -2816,7 +3726,7 @@ Dotčený zásuvný modul to může rozbít. Not a KeePass database. - Nejedná se o databázi KeePass. + Nejedná se o databázi Keepass. The selected file is an old KeePass 1 database (.kdb). @@ -2975,14 +3885,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Importovat databázi ve formátu KeePass verze 1 - Unable to open the database. Databázi se nedaří otevřít. + + Import KeePass1 Database + Importovat databázi ve formátu KeePass1 + KeePass1Reader @@ -3039,10 +3949,6 @@ Line %2, column %3 Unable to calculate master key Nedaří se spočítat hlavní klíč - - Wrong key or database file is corrupt. - Byl zadán chybný klíč, nebo je poškozen databázový soubor. - Key transformation failed Transformace klíče se nezdařila @@ -3139,40 +4045,58 @@ Line %2, column %3 unable to seek to content position nedaří se posunout na pozici obsahu + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Byly zadány neplatné přihlašovací údaje, zkuste to prosím znovu. +Pokud se toto opakuje, pak je možné, že je váš soubor s databází poškozený. + KeeShare - Disabled share - Vypnuté sdílení + Invalid sharing reference + Neplatná reference sdílení - Import from - Importovat z + Inactive share %1 + Neaktivní sdílení %1 - Export to - Exportovat do + Imported from %1 + Importováno z %1 - Synchronize with - Synchronizovat s + Exported to %1 + Exportováno do %1 - Disabled share %1 - Sdílení %1 vypnuto + Synchronized with %1 + Synchronizováno s %1 - Import from share %1 - Importovat ze sdílení %1 + Import is disabled in settings + Import je vypnutý v nastavení - Export to share %1 - Exportovat do sdílení %1 + Export is disabled in settings + Export je vypnutý v nastavení - Synchronize with share %1 - Synchronizovat se sdílením %1 + Inactive share + Neaktivní sdílen + + + Imported from + Importováno z + + + Exported to + Exportováno do + + + Synchronized with + Synchronizováno s @@ -3216,10 +4140,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Procházet - Generate Tvoř @@ -3275,6 +4195,44 @@ Zpráva: %2 Select a key file Vyberte soubor s klíčem + + Key file selection + Výběr souboru s klíčem + + + Browse for key file + Nalistovat soubor s klíčem + + + Browse... + Procházet… + + + Generate a new key file + Vytvořit nový soubor s klíčem + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Pozn.: Nepoužívejte soubor, který se může změnit, protože by to znemožnilo odemčení databáze! + + + Invalid Key File + Neplatný soubor s klíčem + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Není možné použít stávající databázi jako soubor s klíčem pro ní samotnou. Zvolte jiný soubor nebo nějaký vytvořte. + + + Suspicious Key File + Podezřelý soubor s klíčem + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Zvolený soubor se zdá být souborem s databází hesel. Je třeba, aby soubor s klíčem byl soubor, který se nikdy nezmění, nebo navždy ztratíte k databázi přístup. +Opravdu chcete tento soubor použít? + MainWindow @@ -3362,10 +4320,6 @@ Zpráva: %2 &Settings Na&stavení - - Password Generator - Generátor hesel - &Lock databases Uzamknout databáze @@ -3552,14 +4506,6 @@ Doporučujeme použít AppImage, které je k dispozici v sekci stahování naši Show TOTP QR Code... Zobrazit QR kód s TOTP… - - Check for Updates... - Zjistit dostupnost aktualizací… - - - Share entry - Sdílet položku - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3578,6 +4524,74 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční You can always check for updates manually from the application menu. Vždy můžete aktualizace vyhledávat ručně z nabídky aplikace. + + &Export + &Export + + + &Check for Updates... + &Zjistit dostupnost případných aktualizací… + + + Downlo&ad all favicons + &Stáhnout veškeré ikony webů + + + Sort &A-Z + Seřadit &A-Z + + + Sort &Z-A + Seřadit &Z-A + + + &Password Generator + &Vytváření hesel + + + Download favicon + Stáhnout ikonu webu (favicon) + + + &Export to HTML file... + &Exportovat do HTML souboru… + + + 1Password Vault... + 1Password trezor… + + + Import a 1Password Vault + Importovat 1Password trezor + + + &Getting Started + &Začínáme + + + Open Getting Started Guide PDF + Otevřít PDF s příručkou Začínáme + + + &Online Help... + Náp&ověda na webu… + + + Go to online documentation (opens browser) + Přejít na dokumentaci na webu (otevře prohlížeč) + + + &User Guide + &Uživatelská příručka + + + Open User Guide PDF + Otevřít PDF s uživatelskou příručkou + + + &Keyboard Shortcuts + &Klávesové zkratky + Merger @@ -3637,6 +4651,14 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Adding missing icon %1 Přidávání chybějící ikony %1 + + Removed custom data %1 [%2] + Odebrána uživatelsky určená data %1 [%2] + + + Adding custom data %1 [%2] + Přidávána uživatelsky určená data %1 [%2] + NewDatabaseWizard @@ -3706,6 +4728,73 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Vyplňte zobrazovaný název a volitelný popis nové databáze: + + OpData01 + + Invalid OpData01, does not contain header + Neplatné OpData01 – neobsahuje hlavičku + + + Unable to read all IV bytes, wanted 16 but got %1 + Nedaří se číst všech IV bajtů, chtěno 16, ale obdrženo %1 + + + Unable to init cipher for opdata01: %1 + Nedaří se inicializovat šifru pro opdata01: %1 + + + Unable to read all HMAC signature bytes + Nedaří se číst všechny bajty HMAC signatury + + + Malformed OpData01 due to a failed HMAC + Chybně formulované OpData01 kvůli selhavšímu HMAC + + + Unable to process clearText in place + Nedaří se zpracovat clearText v jednom kroku + + + Expected %1 bytes of clear-text, found %2 + Očekáváno %1 bajtů v neformátovaném textu, nalezeno %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Čtení databáze nevytvořilo instanci +%1 + + + + OpVaultReader + + Directory .opvault must exist + Je třeba, aby existovala složka .opvault + + + Directory .opvault must be readable + Je třeba, aby složka .opvault byla přístupná pro čtení + + + Directory .opvault/default must exist + Je třeba, aby existovala složka .opvault/default + + + Directory .opvault/default must be readable + Je třeba, aby složka .opvault/default byla přístupná pro čtení + + + Unable to decode masterKey: %1 + Nedaří se dekódovat masterKey: %1 + + + Unable to derive master key: %1 + Nedaří se odvodit hlavní klíč: %1 + + OpenSSHKey @@ -3805,6 +4894,17 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Neznámý typ klíče: %1 + + PasswordEdit + + Passwords do not match + Zadání hesla se neshodují + + + Passwords match so far + Zadání hesla jsou zatím shodná + + PasswordEditWidget @@ -3831,6 +4931,22 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Generate master password Vytvořit hlavní heslo + + Password field + Kolonka pro heslo + + + Toggle password visibility + Zobraz./nezobrazovat hesla + + + Repeat password field + Kolonka pro zopakování zadání hesla + + + Toggle password generator + Vyp./zap vytváření hesel + PasswordGeneratorWidget @@ -3859,22 +4975,10 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Character Types Typy znaků - - Upper Case Letters - Velká písmena - - - Lower Case Letters - Malá písmena - Numbers Číslice - - Special Characters - Zvláštní znaky - Extended ASCII Rozšířené ASCII @@ -3955,18 +5059,10 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Advanced Pokročilé - - Upper Case Letters A to F - Velká písmena od A do F - A-Z A-Z - - Lower Case Letters A to F - Malá písmena od A do F - a-z a-z @@ -3999,18 +5095,10 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční " ' " ' - - Math - Matematické - <*+!?= <*+!?= - - Dashes - Pomlčky - \_|-/ \_|-/ @@ -4059,6 +5147,74 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Regenerate Vytvoř nové + + Generated password + Vytvořené heslo + + + Upper-case letters + Velká písmena + + + Lower-case letters + Malá písmena + + + Special characters + Zvláštní znaky + + + Math Symbols + Matematické symboly + + + Dashes and Slashes + Pomlčky a lomítka + + + Excluded characters + Vyloučené znaky + + + Hex Passwords + Šestnáctková hesla + + + Password length + Délka hesla + + + Word Case: + Velikost písmen: + + + Regenerate password + Znovu vytvořit heslo + + + Copy password + Zkopírovat heslo + + + Accept password + Přijmout heslo + + + lower case + malá písmena + + + UPPER CASE + VELKÁ PÍSMENA + + + Title Case + Velikost písmen nadpisu + + + Toggle password visibility + Zobraz./nezobrazovat hesla + QApplication @@ -4066,12 +5222,9 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční KeeShare KeeShare - - - QFileDialog - Select - Vybrat + Statistics + Statistiky @@ -4108,6 +5261,10 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Merge Sloučit + + Continue + Pokračovat + QObject @@ -4199,10 +5356,6 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Generate a password for the entry. Vytvořit heslo pro položku. - - Length for the generated password. - Délka vytvářeného hesla. - length délka @@ -4252,18 +5405,6 @@ Očekávejte chyby a drobné problémy, tato verze není určena pro produkční Perform advanced analysis on the password. Provést pokročilou analýzu hesla. - - Extract and print the content of a database. - Vytáhnout a vypsat obsah databáze. - - - Path of the database to extract. - Umístění databáze ze které vytáhnout. - - - Insert password to unlock %1: - Zadejte heslo pro odemknutí %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4307,10 +5448,6 @@ Příkazy k dispozici: Merge two databases. Sloučit dvě databáze. - - Path of the database to merge into. - Umístění databáze do které sloučit. - Path of the database to merge from. Umístění databáze ze které sloučit. @@ -4387,10 +5524,6 @@ Příkazy k dispozici: Browser Integration Napojení na webový prohlížeč - - YubiKey[%1] Challenge Response - Slot %2 - %3 - Výzva–odpověď YubiKey[%1] – slot %2 - %3 - Press Stisknout @@ -4421,10 +5554,6 @@ Příkazy k dispozici: Generate a new random password. Vytvořit nové náhodné heslo. - - Invalid value for password length %1. - Neplatná hodnota pro délku hesla %1. - Could not create entry with path %1. Nedaří se vytvořit položku v umístění %1. @@ -4467,7 +5596,7 @@ Příkazy k dispozici: Clearing the clipboard in %1 second(s)... - Vyčištění schránky za %1 sekundu…Vyčištění schránky za %1 sekundy…Vyčištění schránky za %1 sekund…Vyčištění schránky za %1 sekundy… + Obsah schránky bude vymazán za %1 sekundu…Obsah schránky bude vymazán za %1 sekundy…Obsah schránky bude vymazán za %1 sekund…Obsah schránky bude vymazán za %1 sekundy… Clipboard cleared! @@ -4482,10 +5611,6 @@ Příkazy k dispozici: CLI parameter počet - - Invalid value for password length: %1 - Neplatná hodnota pro délku hesla: %1. - Could not find entry with path %1. Položku se nedaří v umístění %1 nalézt. @@ -4610,26 +5735,6 @@ Příkazy k dispozici: Failed to load key file %1: %2 Nepodařilo se načíst soubor s klíčem %1: %2 - - File %1 does not exist. - Soubor %1 neexistuje. - - - Unable to open file %1. - Soubor %1 se nedaří otevřít. - - - Error while reading the database: -%1 - Chyba při čtení databáze: -%1 - - - Error while parsing the database: -%1 - Chyba při zpracování databáze: -%1 - Length of the generated password Délka vytvářeného hesla @@ -4642,10 +5747,6 @@ Příkazy k dispozici: Use uppercase characters Použít velká písmena - - Use numbers. - Použít čísla. - Use special characters Použít zvláštní znaky @@ -4790,10 +5891,6 @@ Příkazy k dispozici: Successfully created new database. Nová databáze úspěšně vytvořena. - - Insert password to encrypt database (Press enter to leave blank): - Zadejte heslo pro zašifrování databáze (pokud nechcete vyplňovat, stiskněte Enter): - Creating KeyFile %1 failed: %2 Vytváření souboru s klíčem %1 se nezdařilo: %2 @@ -4802,10 +5899,6 @@ Příkazy k dispozici: Loading KeyFile %1 failed: %2 Načítání souboru s klíčem %1 se nezdařilo: %2 - - Remove an entry from the database. - Odebrat položku z databáze. - Path of the entry to remove. Popis umístění položky k odebrání. @@ -4862,6 +5955,332 @@ Příkazy k dispozici: Cannot create new group Novou skupinu se nedaří vytvořit + + Deactivate password key for the database. + Deaktivovat klíč heslo pro databázi. + + + Displays debugging information. + Zobrazuje ladící informace. + + + Deactivate password key for the database to merge from. + Deaktivovat klíč heslo pro databázi, ze které sloučit. + + + Version %1 + Verze %1 + + + + Build Type: %1 + Typ sestavení: %1 + + + + Revision: %1 + Revize: %1 + + + Distribution: %1 + Distribuce: %1 + + + Debugging mode is disabled. + Ladící režim je vypnutý. + + + Debugging mode is enabled. + Ladící režim je zapnutý. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operační systém: %1 +Architektura procesoru: %2 +Jádro systému: %3 %4 + + + Auto-Type + Automatické vyplňování + + + KeeShare (signed and unsigned sharing) + KeeShare (podepsané a nepodepsané sdílení) + + + KeeShare (only signed sharing) + KeeShare (pouze podepsané sdílení) + + + KeeShare (only unsigned sharing) + KeeShare (pouze nepodepsané sdílení) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Žádné + + + Enabled extensions: + Zapnutá rozšíření: + + + Cryptographic libraries: + Kryptografické knihovny: + + + Cannot generate a password and prompt at the same time! + Není možné vytvořit a dotázat se na heslo naráz! + + + Adds a new group to a database. + Přidá do databáze novou skupinu. + + + Path of the group to add. + Popis umístění skupiny, kterou přidat. + + + Group %1 already exists! + Skupina %1 už existuje! + + + Group %1 not found. + Skupina %1 nenalezena. + + + Successfully added group %1. + Úspěšně přidána skupina %1. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Zkontrolovat, zda otisky některých z hesel unikly na veřejnost. Je třeba, aby SOUBOR byl popis umístění souboru, obsahujícího výpis SHA-1 otisků uniklých hesel ve formátu HIBP, jak je k dispozici z https://haveibeenpwned.com/Passwords. + + + FILENAME + SOUBOR + + + Analyze passwords for weaknesses and problems. + Analyzovat hesla a vyhledat slabiny a ostatní problémy. + + + Failed to open HIBP file %1: %2 + Nepodařilo se otevřít HIBP soubor %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Vyhodnocování databázových záznamů vůči HIBP souboru – chvíli potrvá… + + + Close the currently opened database. + Zavřít právě otevřenou databázi. + + + Display this help. + Zobrazit tuto nápovědu. + + + Yubikey slot used to encrypt the database. + Slot v Yubikey použitý pro šifrování databáze. + + + slot + slot + + + Invalid word count %1 + Neplatný počet slov %1 + + + The word list is too small (< 1000 items) + Seznam slov je příliš malý (< 1000 položek) + + + Exit interactive mode. + Opustit interaktivní režim. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Formát který použít pro export. Možnosti jsou xml nebo csv. Výchozí je xml. + + + Exports the content of a database to standard output in the specified format. + Exportuje obsah databáze na standardní výstup v zadaném formátu. + + + Unable to export database to XML: %1 + Nedaří se exportovat databázi do XML: %1 + + + Unsupported format %1 + Nepodporovaný formát %1 + + + Use numbers + Použít čísla + + + Invalid password length %1 + Neplatná délka hesla %1 + + + Display command help. + Zobrazit nápovědu k příkazu + + + Available commands: + Příkazy k dispozici: + + + Import the contents of an XML database. + Importovat obsah XML databáze. + + + Path of the XML database export. + Popis umístění XML souboru pro export z databáze. + + + Path of the new database. + Popis umístění nové databáze. + + + Unable to import XML database export %1 + Nedaří se importovat XML export z databáze %1 + + + Successfully imported database. + Úspěšně naimportovaná databáze. + + + Unknown command %1 + Neznámý příkaz %1 + + + Flattens the output to single lines. + Zploští výstup do jediných řádek. + + + Only print the changes detected by the merge operation. + Vypsat pouze změny zjištěné operací sloučení. + + + Yubikey slot for the second database. + Slož na Yubikey pro druhou databázi. + + + Successfully merged %1 into %2. + %1 úspěšně sloučeno do %2. + + + Database was not modified by merge operation. + Databáze nebyla operací slučování upravena. + + + Moves an entry to a new group. + Přesune záznam do nové skupiny. + + + Path of the entry to move. + Popis umístění záznamu, který přesunout. + + + Path of the destination group. + Popis umístění cílové skupiny. + + + Could not find group with path %1. + Nedaří se nalézt skupinu s popisem umístění %1. + + + Entry is already in group %1. + Záznam už se nachází ve skupině %1. + + + Successfully moved entry %1 to group %2. + Záznam %1 úspěšně přesunut do skupiny %2. + + + Open a database. + Otevřít databázi. + + + Path of the group to remove. + Popis umístění skupiny, kterou odebrat. + + + Cannot remove root group from database. + Z databáze není možné odebrat kořenovou skupinu. + + + Successfully recycled group %1. + Skupina %1 úspěšně zrecyklována. + + + Successfully deleted group %1. + Úspěšně smazána skupina %1. + + + Failed to open database file %1: not found + Nepodařilo se otevřít soubor s databází %1: nenalezen + + + Failed to open database file %1: not a plain file + Nepodařilo se otevřít soubor s databází %1: nejedná se o holý soubor + + + Failed to open database file %1: not readable + Nepodařilo se otevřít soubor s databází %1: není přístupný pro čtení + + + Enter password to unlock %1: + Zadejte heslo pro odemčení %1: + + + Invalid YubiKey slot %1 + Neplatný slot na YubiKey %1 + + + Please touch the button on your YubiKey to unlock %1 + Odemkněte %1 dotknutím se tlačítka na YubiKey + + + Enter password to encrypt database (optional): + Zadejte heslo pro zašifrování databáze (volitelné): + + + HIBP file, line %1: parse error + HIBP soubor, řádek %1: chyba zpracovávání + + + Secret Service Integration + Zapnout napojení na Secret Service + + + User name + Uživatelské jméno + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Výzva-odpověď – slot %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Otisk z hesla pro „%1“ unikl %2 krát!Otisk z hesla pro „%1“ unikl %2 krát!Otisk z hesla pro „%1“ unikl %2 krát!Otisk z hesla pro „%1“ unikl %2 krát! + + + Invalid password generator after applying all options + Po uplatnění všech možností není vytváření hesel platné + QtIOCompressor @@ -5015,6 +6434,93 @@ Příkazy k dispozici: Rozlišovat malá/velká písmena + + SettingsWidgetFdoSecrets + + Options + Možnosti + + + Enable KeepassXC Freedesktop.org Secret Service integration + Zapnout napojení KeepassXC na Freedesktop Secret Service + + + General + Obecné + + + Show notification when credentials are requested + Při vyžádání si přihlašovacích údajů zobrazit oznámení + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body></p>Pokud je pro databázi zapnutý Koš, záznamy budou přesouvány přímo do něj. Jinak budou bez potvrzování smazány.</p><p>Pokud je položka odkazována z jiné, budete ale dotázáni.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Když jsou záznamy mazány klienty, nevyžadovat potvrzení. + + + Exposed database groups: + Vystavené skupiny databáze: + + + File Name + Soubor + + + Group + Skupina + + + Manage + Spravovat + + + Authorization + Autorizace + + + These applications are currently connected: + Tyto aplikace jsou aktuálně připojené: + + + Application + Aplikace + + + Disconnect + Odpojit + + + Database settings + Nastavení databáze + + + Edit database settings + Upravit nastavení databáze + + + Unlock database + Odemknout databázi + + + Unlock database to show more information + Odemknout databázi a zobrazit další informace + + + Lock database + Uzamknout databázi + + + Unlock to show + Odemkněte pro zobrazení + + + None + Žádné + + SettingsWidgetKeeShare @@ -5138,9 +6644,100 @@ Příkazy k dispozici: Signer: Podepsal(a): + + Allow KeeShare imports + Umožnit KeeShare importy + + + Allow KeeShare exports + Umožnit KeeShare exporty + + + Only show warnings and errors + Zobrazovat pouze varování a chyby + + + Key + Klíč + + + Signer name field + Kolonka pro jméno podepisujícího + + + Generate new certificate + Vytvořit nový certifikát + + + Import existing certificate + Importovat existující certifikát + + + Export own certificate + Exportovat vlastní certifikát + + + Known shares + Známá sdílení + + + Trust selected certificate + Důvěřovat označený certifikát + + + Ask whether to trust the selected certificate every time + Ptát se pokaždé zda označenému certifikátu důvěřujete + + + Untrust selected certificate + Přestat důvěřovat označenému certifikátu + + + Remove selected certificate + Odebrat označený certifikát + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Přepsání podepsaného kontejneru sdílení není podporováno – exportu zabráněno + + + Could not write export container (%1) + Nedaří se zapsat exportní kontejner (%1) + + + Could not embed signature: Could not open file to write (%1) + Nedaří se zapouzdřit podpis: Soubor se nedaří otevřít pro zápis (%1) + + + Could not embed signature: Could not write file (%1) + Nedaří se zapouzdřit podpis: Do souboru se nedaří zapsat (%1) + + + Could not embed database: Could not open file to write (%1) + Nedaří se zapouzdřit databázi: Soubor se nedaří otevřít pro zápis (%1) + + + Could not embed database: Could not write file (%1) + Nedaří se zapouzdřit databázi: Do souboru se nedaří zapsat (%1) + + + Overwriting unsigned share container is not supported - export prevented + Přepsání nepodepsaného kontejneru sdílení není podporováno – exportu zabráněno + + + Could not write export container + Nedaří se zapsat do exportního kontejneru + + + Unexpected export error occurred + Došlo k neočekávané chybě exportu + + + + ShareImport Import from container without signature Importovat z kontejneru bez podpisu @@ -5153,6 +6750,10 @@ Příkazy k dispozici: Import from container with certificate Importovat z kontejneru s certifikátem + + Do you want to trust %1 with the fingerprint of %2 from %3? + Věříte %1 s otiskem %2 od %3? {1 ?} {2 ?} + Not this time Tentokrát ne @@ -5169,18 +6770,6 @@ Příkazy k dispozici: Just this time Jen pro teď - - Import from %1 failed (%2) - Import z %1 se nezdařil (%2) - - - Import from %1 successful (%2) - Import z %1 úspěšný (%2) - - - Imported from %1 - Importováno z %1 - Signed share container are not supported - import prevented Kontejner podepsaného sdílení není podporován – importu zabráněno @@ -5221,25 +6810,20 @@ Příkazy k dispozici: Unknown share container type Neznámý typ kontejneru pro sdílení + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Přepsání podepsaného kontejneru sdílení není podporováno – exportu zabráněno + Import from %1 failed (%2) + Import z %1 se nezdařil (%2) - Could not write export container (%1) - Nedaří se zapsat exportní kontejner (%1) + Import from %1 successful (%2) + Import z %1 úspěšný (%2) - Overwriting unsigned share container is not supported - export prevented - Přepsání nepodepsaného kontejneru sdílení není podporováno – exportu zabráněno - - - Could not write export container - Nedaří se zapsat do exportního kontejneru - - - Unexpected export error occurred - Došlo k neočekávané chybě exportu + Imported from %1 + Importováno z %1 Export to %1 failed (%2) @@ -5253,10 +6837,6 @@ Příkazy k dispozici: Export to %1 Exportovat do %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Věříte %1 s otiskem %2 od %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Popis umístění zdroje pro vícero importů do %1 v %2 @@ -5265,22 +6845,6 @@ Příkazy k dispozici: Conflicting export target path %1 in %2 Kolidující popis umístění %1 cíle exportu v %2 - - Could not embed signature: Could not open file to write (%1) - Nedaří se zapouzdřit podpis: Soubor se nedaří otevřít pro zápis (%1) - - - Could not embed signature: Could not write file (%1) - Nedaří se zapouzdřit podpis: Do souboru se nedaří zapsat (%1) - - - Could not embed database: Could not open file to write (%1) - Nedaří se zapouzdřit databázi: Soubor se nedaří otevřít pro zápis (%1) - - - Could not embed database: Could not write file (%1) - Nedaří se zapouzdřit databázi: Do souboru se nedaří zapsat (%1) - TotpDialog @@ -5298,7 +6862,7 @@ Příkazy k dispozici: Expires in <b>%n</b> second(s) - Platnost končí za <b>%n</b> sekunduPlatnost končí za %n sekundyPlatnost končí za %n sekundPlatnost končí za %n sekundy + Platnost skončí za <b>%n</b> sekunduPlatnost skončí za %n sekundyPlatnost skončí za %n sekundPlatnost skončí za %n sekundy @@ -5327,10 +6891,6 @@ Příkazy k dispozici: Setup TOTP Nastavit na času založené jednorázové heslo (TOTP) - - Key: - Klíč: - Default RFC 6238 token settings Výchozí nastavení RFC 6238 tokenu @@ -5361,16 +6921,46 @@ Příkazy k dispozici: Velikost kódu: - 6 digits - 6 číslic + Secret Key: + Tajný klíč: - 7 digits - 7 číslic + Secret key must be in Base32 format + Je třeba, aby tajný klíč byl ve formátu Base32 - 8 digits - 8 číslic + Secret key field + Kolonka pro tajný klíč + + + Algorithm: + Algoritmus: + + + Time step field + Kolonka pro časový krok + + + digits + číslice + + + Invalid TOTP Secret + Neplatné TOTP tajemství + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Zadali jste neplatný tajný klíč. Je třeba, aby byl ve formátu Base32. +Příklad: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Potvrdit odebrání nastavení pro TOTP + + + Are you sure you want to delete TOTP settings for this entry? + Opravdu chcete smazat nastavení TOTP u tohoto záznamu? @@ -5454,6 +7044,14 @@ Příkazy k dispozici: Welcome to KeePassXC %1 Vítejte v KeePassXC %1 + + Import from 1Password + Importovat z 1Password + + + Open a recent database + Otevřít nedávno otevřenou databázi + YubiKeyEditWidget @@ -5477,5 +7075,13 @@ Příkazy k dispozici: No YubiKey inserted. Není připojeno žádné Yubikey zařízení. + + Refresh hardware tokens + Znovu načíst hardwarová bezpečnostní zařízení + + + Hardware key slot selection + Výběr slotu v hardwarovém klíči + \ No newline at end of file diff --git a/share/translations/keepassx_da.ts b/share/translations/keepassx_da.ts index 558cfbd6f..eb096f963 100644 --- a/share/translations/keepassx_da.ts +++ b/share/translations/keepassx_da.ts @@ -31,11 +31,11 @@ Include the following information whenever you report a bug: - Inkludér følgende information når du indrapporterer en fejl: + Inkludér følgende information når du rapporterer en fejl: Copy to clipboard - Kopier til udklipsholder + Kopiér til udklipsholder Project Maintainers: @@ -43,18 +43,18 @@ Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - Særlig tak fra KeePassXC holdet går til debfx for at udvikle den oprindelige KeePassX. + Særlig tak fra KeePassXC-holdet går til debfx for at udvikle den oprindelige KeePassX. AgentSettingsWidget Enable SSH Agent (requires restart) - Slå SSH Agenten til (kræver genstart) + Aktivér SSH-agent (kræver genstart) Use OpenSSH for Windows instead of Pageant - + Brug OpenSSH til Windows i stedet for Pageant @@ -77,22 +77,30 @@ Icon only - + Kun ikon Text only - + Kun tekst Text beside icon - + Tekst ved siden af ikon Text under icon - + Tekst uden ikon Follow style + Følg stil + + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? @@ -100,7 +108,7 @@ ApplicationSettingsWidgetGeneral Basic Settings - Grundlæggende indstillinnger + Grundlæggende indstillinger Startup @@ -108,23 +116,11 @@ Start only a single instance of KeePassXC - Start kun en enkelt instans af KeePassXC - - - Remember last databases - Husk seneste databaser - - - Remember last key files and security dongles - Husk de sidste nøglefiler og sikkerhedsdongler - - - Load previous databases on startup - Load den forrige database ved opstart + Start kun én instans af KeePassXC Minimize window at application startup - Minimér vindue ved opstart + Minimer vindue ved opstart File Management @@ -132,15 +128,15 @@ Safely save database files (may be incompatible with Dropbox, etc) - Gem databasefiler sikkert (kan være inkompatibelt med Dropbox, etc.) + Gem databasefiler sikkert (kan være inkompatibelt med Dropbox osv.) Backup database file before saving - Lav backup af databasefil før der gemmes + Sikkerhedskopiér databasefilen inden den gemmes Automatically save after every change - Gem automatisk ved ændringer + Gem automatisk når der foretages ændringer Automatically save on exit @@ -152,7 +148,7 @@ Automatically reload the database when modified externally - Load automatisk databasenn når den bliver ændret udefra + Genindlæs automatisk databasen når den er blevet ændret eksternt Entry Management @@ -162,13 +158,9 @@ Use group icon on entry creation Brug gruppeikon ved oprettelse af post - - Minimize when copying to clipboard - Minimér ved kopiering til udklipsholder - Hide the entry preview panel - + Skjul panelet til forhåndsvisning af post General @@ -176,11 +168,11 @@ Hide toolbar (icons) - + Skjul værktøjslinje (ikoner) Minimize instead of app exit - + Minimer i stedet for at afslutte programmet Show a system tray icon @@ -188,63 +180,140 @@ Dark system tray icon - Mørk ikon i systembakken + Mørkt ikon i systembakken Hide window to system tray when minimized Skjul vindue i systembakken når det er minimeret - - Language - Sprog - Auto-Type - Auto-Indsæt + Autoskriv Use entry title to match windows for global Auto-Type - Brug post-titel til at matche vinduer for global Auto-Indsæt + Brug postens titel til at matche vinduer for global autoskriv Use entry URL to match windows for global Auto-Type - Brug post-URL til at matche vinduer for global Auto-Indsæt + Brug postens URL til at matche vinduer for global autoskriv Always ask before performing Auto-Type - Spørg altid for Auto-Indsæt udføres + Spørg altid før autoskriv udføres Global Auto-Type shortcut - Global Auto-Indsæt genvej + Global genvej til autoskriv Auto-Type typing delay - + Skriveforsinkelse for autoskriv ms Milliseconds - ms + ms Auto-Type start delay - - - - Check for updates at application startup - - - - Include pre-releases when checking for updates - + Startforsinkelse for autoskriv Movable toolbar + Værktøjslinje kan flyttes + + + Remember previously used databases - Button style + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sek + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds @@ -261,7 +330,7 @@ sec Seconds - sek + sek Lock databases after inactivity of @@ -269,11 +338,11 @@ min - + min Forget TouchID after inactivity of - + Glem TouchID efter inaktivitet på Convenience @@ -281,46 +350,67 @@ Lock databases when session is locked or lid is closed - Lås databaser når sessionen låses eller låget er lukket + Lås databaser når sessionen låses eller låget lukkes Forget TouchID when session is locked or lid is closed - + Glem TouchID når sessionen låses eller låget lukkes Lock databases after minimizing the window - Lås databaser efter at minimere vinduet + Lås databaser efter vinduet er blevet minimeret Re-lock previously locked database after performing Auto-Type - Lås tidligere låste databaser efter udførsel af Auto-Indsæt + Lås tidligere låste databaser igen efter udførsel af autoskriv Don't require password repeat when it is visible - Kræv ikke kodeord gentaget når det er synligt + Kræv ikke gentagelse af adgangskode når det er synligt Don't hide passwords when editing them - + Skjul ikke adgangskoder når de redigeres Don't use placeholder for empty password fields - + Brug ikke pladsholder til tomme adgangskodefelter Hide passwords in the entry preview panel - + Skjul adgangskoder i panelet til forhåndsvisning af post Hide entry notes by default - Skjul post-noter som standard + Skjul postens bemærkninger som standard Privacy Privatliv - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after @@ -332,27 +422,27 @@ Auto-Type - KeePassXC - Auto-Indsæt - KeePassXC + Autoskriv - KeePassXC Auto-Type - Auto-Indsæt + Autoskriv The Syntax of your Auto-Type statement is incorrect! - Syntaksen af dit Auto-Type udtryk er forkert! + Syntaksen af dit autoskriv-udtryk er forkert! This Auto-Type command contains a very long delay. Do you really want to proceed? - Denne Auto-Indsæt sætning indeholder en meget lang pause. Er du sikker på at du vil fortsætte? + Denne autoskriv-kommando indholder en meget lang pause. Er du sikker på, at du vil fortsætte? This Auto-Type command contains very slow key presses. Do you really want to proceed? - Denne Auto-Indsæt kommando indeholder meget langsomme tastetryk. Er du sikker på at du vil fortsætte? + Denne autoskriv-kommando indholder meget langsomme tastetryk. Er du sikker på, at du vil fortsætte? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? - Denne Auto-Indsæt kommando indeholder argumenter, som er gentaget ofte. Er du sikker på at du vil fortsætte? + Denne autoskriv-kommando indholder argumenter, som er gentaget ofte. Er du sikker på, at du vil fortsætte? @@ -389,15 +479,30 @@ Sekvens + + AutoTypeMatchView + + Copy &username + Kopiér &brugernavn + + + Copy &password + Kopiér adgangsk&ode + + AutoTypeSelectDialog Auto-Type - KeePassXC - Auto-Indsæt - KeePassXC + Autoskriv - KeePassXC Select entry to Auto-Type: - Vælg post til Auto-Indsæt: + Vælg post til autoskriv: + + + Search... + Søg... @@ -421,28 +526,37 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 har forespurgt adgang til kodeord tilhørende disse element(er). + %1 har anmodet om adgang til adgangskoder tilhørende disse element(er). Vælg venligst hvorvidt du vil tillade denne adgang. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog KeePassXC-Browser Save Entry - + KeePassXC-Browser gem post Ok - + Ok Cancel - Afbryd + Annuller You have multiple databases open. Please select the correct database for saving credentials. - + Du har flere databaser åbne. +Venligst vælg den korrekte database for at gemme loginoplysninger. @@ -455,17 +569,13 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser Dette er nødvendigt for at tilgå din database med KeePassXC-Browser - - Enable KeepassXC browser integration - Slå KeepassXC browser integration til - General Generelt Enable integration for these browsers: - Slå integration til for disse browsere: + Aktivér integritet for disse browsere: &Google Chrome @@ -486,37 +596,37 @@ Please select the correct database for saving credentials. Show a &notification when credentials are requested Credentials mean login data requested via browser extension - Vis en notifikation når legitimationsoplysninger forespørges + Vis en &underretning når der anmodes om loginoplysninger Re&quest to unlock the database if it is locked - Anmod om at låse databasen op hvis den er låst + Anmod om at låse op for databasen hvis den er låst Only entries with the same scheme (http://, https://, ...) are returned. - Kun poster med samme skema (http://, https://, ftp://, ...) bliver returneret. + Kun poster med samme skema (http://, https:// ...) bliver returneret. &Match URL scheme (e.g., https://...) - &Match URL skemaer (f.eks., https://...) + &Match URL-skema (f.eks. https://...) Only returns the best matches for a specific URL instead of all entries for the whole domain. - Returner kun det bedste match for en specifik URL i stedet for alle matches for hele domænet. + Returnér kun det bedste match for en specifik URL i stedet for alle matches for hele domænet. &Return only best-matching credentials - &Returnér kun de bedst matchende poster + &Returnér kun de loginoplysninger som matcher bedst Sort &matching credentials by title Credentials mean login data requested via browser extension - Sorter matchende poster efter &navn + Sortér matchende loginoplysninger efter &titel Sort matching credentials by &username Credentials mean login data requested via browser extension - Sorter matchende poster efter &brugernavn + Sortér matchende loginoplysninger efter &brugernavn Advanced @@ -525,99 +635,135 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Spørg aldrig om lov for hente leigitamationsoplysninger + &Spørg aldrig før loginoplysninger tilgås Never ask before &updating credentials Credentials mean login data requested via browser extension - Spørg aldrig før legitimationsoplysninger &ændres - - - Only the selected database has to be connected with a client. - Kun den valgte database er nødt til at være forbundet med en klient. + Spørg aldrig før loginoplysninger &opdateres Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - Søg i alle åbnede databaser efter matchende legitimationsoplysninger + Søg i &alle åbne databaser efter matchende loginoplysninger Automatically creating or updating string fields is not supported. - At automatisk skabe eller opdatere tekst-felter er ikke understøttet. + Automatisk oprettelse eller opdatering af tekstfelter understøttes ikke. &Return advanced string fields which start with "KPH: " - &Vis avancerede tekst felter som begynder med "KPH:" + &Returnér avancerede strengfelter som begynder med "KPH: " Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - Opdaterer KeePassXC eller keepassxc-proxy binære sti automatisk til beskedscript ved opstart + Opdaterer KeePassXC eller keepassxc-proxy binære sti automatisk til beskedscript ved opstart. Update &native messaging manifest files at startup - Opdater besked manifest dokumenter ved opstart + Opdater &beskedmanifestfiler ved opstart Support a proxy application between KeePassXC and browser extension. - Understøt en proxy applikation mellem KeePassXC og browser-udvidelse. + Understøttelse af et proxyprogram mellem KeePassXC og browserudvidelse. Use a &proxy application between KeePassXC and browser extension - Understøt en proxy applikation mellem KeePassXC og browser-udvidelse. + Brug et proxyprogram mellem KeePassXC og browserudvidelse Use a custom proxy location if you installed a proxy manually. - Brug en brugerdefineret proxy lokation hvis du har installeret en proxy manuelt. + Brug en tilpasset proxyplacering hvis du har installeret en proxy manuelt. Use a &custom proxy location Meant is the proxy for KeePassXC-Browser - Vælg en brugerdefineret proxy lokation + Brug en tilpasset proxyplacering Browse... Button for opening file dialog - Gennemse... + Gennemse ... <b>Warning:</b> The following options can be dangerous! - <b>Advarsel:</b>De følgende instillinger kan være farlige! + <b>Advarsel:</b> Følgende indstillinger kan være farlige! Select custom proxy location - Vælg en brugerdefineret proxy lokation + Vælg en tilpasset proxyplacering &Tor Browser - - - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - + &Tor Browser Executable Files - + Eksekverbare filer All Files - + Alle filer Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - + Spørg ikke om tilladelse til HTTP &Basic Auth Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + Grundet Snap-sandkasse, er du nødsaget til at køre et script for at aktivere browserintegritet.<br />Du kan hente scriptet fra %1 Please see special instructions for browser extension use below - + Venligst se vigtige instruktioner for brug af browser tilføjelsen nedenfor KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + KeePassXC-Browser kræves for at browserintegritet skal virke. <br />Download den til %1 og %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 @@ -632,10 +778,10 @@ Please select the correct database for saving credentials. If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. - Du har modtaget en associeringsanmodelse for the ovenstående nøgle. + Du har modtaget en associeringsanmodelse for ovenstående nøgle. -Hvis du gerne vil give den adgang til din KeePassXC database, -så giv den et unikt navn for at kunne identificere den og accepter den. +Hvis du vil give den adgang til din KeePassXC-database, +så giv den et unikt navn for at kunne identificere og acceptere den. Save and allow access @@ -665,48 +811,57 @@ Vil du overskrive den? Converting attributes to custom data… - + Konverterer attributter til tilpasset data … KeePassXC: Converted KeePassHTTP attributes - + KeePassXC: Konverterede KeePassHTTP-attributter Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Det lykkedes at konvertere attributter fra %1 post(er). +Flyttede %2 nøgler til tilpasset data. Successfully moved %n keys to custom data. - + Det lykkedes at flytte %n nøgle til tilpasset data.Det lykkedes at flytte %n nøgler til tilpasset data. KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC: Fandt ingen post med KeePassHTTP-attributter! The active database does not contain an entry with KeePassHTTP attributes. - + Den aktive database indeholder ikke en post med KeePassHTTP-attributter. KeePassXC: Legacy browser integration settings detected - + KeePassXC: Registreret udgået browserintegritetindstillinger KeePassXC: Create a new group - + KeePassXC: Opret en ny gruppe A request for creating a new group "%1" has been received. Do you want to create this group? - + Modtog en anmodning om at oprette en ny gruppe "%1". +Vil du oprette gruppen? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + Dine indstillinger for KeePassXC-Browser skal flyttes ind i databaseindstillingerne. +Det er nødvendigt for at vedligeholde dine nuværende browserforbindelser. +Vil du migrere dine eksisterende indstillinger nu? + + + Don't show this warning again + Vis ikke denne advarsel igen @@ -717,15 +872,15 @@ Would you like to migrate your existing settings now? Append ' - Clone' to title - Tilføj ' - Clone' til titel + Tilføj ' - Klon' til titel Replace username and password with references - Udskift brugernavn og kodeord med referencer + Udskift brugernavn og adgangskode med referencer Copy history - Kopier historik + Kopiér historik @@ -744,7 +899,7 @@ Would you like to migrate your existing settings now? Encoding - Encoding + Kodning Codec @@ -752,7 +907,7 @@ Would you like to migrate your existing settings now? Text is qualified by - + Tekst er kvalificeret af Fields are separated by @@ -766,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names Første optegnelse har feltnavne - - Number of headers line to discard - Antallet af header linjer, som skal ignoreres - Consider '\' an escape character Betragt '\' som en escape karakter @@ -792,7 +943,7 @@ Would you like to migrate your existing settings now? Original data: - Original data: + Original data: Error @@ -800,23 +951,40 @@ Would you like to migrate your existing settings now? Empty fieldname %1 - + Tomt feltnavn %1 column %1 - + kolonne %1 Error(s) detected in CSV file! - + Fejl registreret i CSV-fil! [%n more message(s) skipped] - + [%n yderligere meddelelse sprunget over][%n yderligere meddelelser sprunget over] CSV import: writer has errors: %1 + CSV-import: skriver har fejl: +%1 + + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview @@ -824,20 +992,20 @@ Would you like to migrate your existing settings now? CsvParserModel %n column(s) - + %n kolonne%n kolonner %1, %2, %3 file info: bytes, rows, columns - + %1, %2, %3 %n byte(s) - + %n byte%n bytes %n row(s) - + %n række%n rækker @@ -849,72 +1017,74 @@ Would you like to migrate your existing settings now? File %1 does not exist. - + Filen %1 findes ikke. Unable to open file %1. - + Kan ikke åbne filen %1. Error while reading the database: %1 - - - - Could not save, database has no file name. - + Fejl ved læsning af databasen: %1 File cannot be written as it is opened in read-only mode. - + Filen kan ikke skrives da den er åbnet i skrivebeskyttet tilstand. Key not transformed. This is a bug, please report it to the developers! + Nøglen blev ikke transformeret. Det er en fejl. Rapportér det venligst til udviklerne! + + + %1 +Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Papirkurv + DatabaseOpenDialog Unlock Database - KeePassXC - + Lås op for database - KeePassXC DatabaseOpenWidget - - Enter master key - Indtast hovednøgle - Key File: Nøglefil: - - Password: - Kodeord: - - - Browse - Gennemse - Refresh Genopfrisk - - Challenge Response: - Udfordring Svar - Legacy key file format - Forældet nøglefilformat + Udgået nøglefilformat You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - Du benytter et forældet nøglefilformat, som muligvis ikke vil blive understøttet i fremtiden. + Du bruger et udgået nøglefilformat, som muligvis +ikke understøttes i fremtiden. Overvej at generere en ny nøglefil. @@ -935,17 +1105,95 @@ Overvej at generere en ny nøglefil. Vælg nøglefil - TouchID for quick unlock + Failed to open key file: %1 - Unable to open the database: -%1 + Select slot... - Can't open key file: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Gennemse ... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Ryd + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password @@ -953,14 +1201,14 @@ Overvej at generere en ny nøglefil. DatabaseSettingWidgetMetaData Passwords - Kodeord + Adgangskoder DatabaseSettingsDialog Advanced Settings - + Avancerede indstillinger General @@ -972,38 +1220,38 @@ Overvej at generere en ny nøglefil. Master Key - + Hovednøgle Encryption Settings - + Krypteringsindstillinger Browser Integration - Browser-integration + Browserintegritet DatabaseSettingsWidgetBrowser KeePassXC-Browser settings - + KeePassXC-Browserindstillinger &Disconnect all browsers - &Fjern tilslutning til alle browsere + &Afbryd forbindelse til alle browsere Forg&et all site-specific settings on entries - + &Glem alle stedspecifikke indstillinger på posterne Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + Flyt KeePassHTTP-attributter til KeePassXC-Browser &tilpasset data Stored keys - + Gemte nøgler Remove @@ -1011,12 +1259,13 @@ Overvej at generere en ny nøglefil. Delete the selected key? - + Slet den valgte nøgle? Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + Vil du virkelig slette den valgte nøgle? +Det kan forhindre forbindelse til browserpluginet. Key @@ -1028,16 +1277,17 @@ This may prevent connection to the browser plugin. Enable Browser Integration to access these settings. - + Aktivér browserintegritet for at tilgå indstillingerne. Disconnect all browsers - + Afbryd forbindelse til alle browsere Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + Vil du virkelig afbryde forbindelsen til alle browsere? +Det kan forhindre forbindelse til browserpluginet. KeePassXC: No keys found @@ -1045,7 +1295,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - + Fandt ingen delte krypteringsnøgler i KeePassXC-indstillinger. KeePassXC: Removed keys from database @@ -1053,20 +1303,21 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - + Det lykkedes at fjerne %n krypteret nøgle fra KeePassXC-indstillingerne.Det lykkedes at fjerne %n krypteret nøgler fra KeePassXC-indstillingerne. Forget all site-specific settings on entries - + Glem alle stedspecifikke indstillinger på posterne Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + Vil du virkelig glemme alle stedspecifikke indstillinger på hver post? +Tilladelser til at tilgå poster tilbagekaldes. Removing stored permissions… - Fjerner gemte tilladelser... + Fjerner gemte tilladelser … Abort @@ -1078,23 +1329,32 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - + Det lykkedes at fjerne tilladelser fra %n post.Det lykkedes at fjerne tilladelser fra %n poster. KeePassXC: No entry with permissions found! - KeePassXC: Ingen nøgler fundet + KeePassXC: Ingen nøgler fundet! The active database does not contain an entry with permissions. - Den aktive database indholder ikke en post med tilladelser + Den aktive database indholder ikke en post med tilladelser. Move KeePassHTTP attributes to custom data - + Flyt KeePassHTTP-attributter til tilpasset data Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + Vil du virkelig flytte alle udgået browerintegrationsdata til den seneste standard? +Det er nødvendigt for at vedligeholde kompatibilitet med browserpluginet. + + + Stored browser keys + + + + Remove selected key @@ -1102,19 +1362,19 @@ This is necessary to maintain compatibility with the browser plugin. DatabaseSettingsWidgetEncryption Encryption Algorithm: - Krypteringsalgoritme + Krypteringsalgoritme: AES: 256 Bit (default) - AES: 256 Bit (standard) + AES: 256 bit (standard) Twofish: 256 Bit - Twofish: 256 Bit + Twofish: 256 bit Key Derivation Function: - Nøgleafledningsfunktion + Nøgleafledningsfunktion: Transform rounds: @@ -1122,11 +1382,11 @@ This is necessary to maintain compatibility with the browser plugin. Benchmark 1-second delay - Benchmark 1-sekunds forsinkelse + Benchmark forsinkelse på 1 sekund Memory Usage: - Hukommelsesforbrug + Hukommelsesforbrug: Parallelism: @@ -1134,48 +1394,48 @@ This is necessary to maintain compatibility with the browser plugin. Decryption Time: - + Krypteringstid: ?? s - + ?? s Change - + Skift 100 ms - + 100 ms 5 s - + 5 s Higher values offer more protection, but opening the database will take longer. - + Højere værdier giver mere beskyttelse, men det vil tage længere at åbne databasen. Database format: - + Format på database: This is only important if you need to use your database with other programs. - + Det er kun vigtigt hvis du skal bruge din database med andre programmer. KDBX 4.0 (recommended) - + KDBX 4.0 (anbefales) KDBX 3.1 - + KDBX 3.1 unchanged Database decryption time is unchanged - + uændret Number of rounds too high @@ -1196,7 +1456,7 @@ Hvis du vil beholde antallet, så kan din database tage timer eller dage (eller Cancel - Afbryd + Annuller Number of rounds too low @@ -1222,22 +1482,73 @@ Hvis du beholder dette antal, så kan din database være nem af knække! MiB Abbreviation for Mebibytes (KDF settings) - + MiB MiB thread(s) Threads for parallel execution (KDF settings) - + tråd tråde %1 ms milliseconds - + %1 ms%1 ms %1 s seconds - + %1 s%1 s + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1248,7 +1559,7 @@ Hvis du beholder dette antal, så kan din database være nem af knække! Database name: - Databasenavn: + Navn på database: Database description: @@ -1272,7 +1583,7 @@ Hvis du beholder dette antal, så kan din database være nem af knække! MiB - MB + MiB Use recycle bin @@ -1280,68 +1591,103 @@ Hvis du beholder dette antal, så kan din database være nem af knække! Additional Database Settings - Flere database-indstillinger + Yderligere databaseindstillinger Enable &compression (recommended) - Slå &compression til (anbefalet) + Aktivér &komprimering (anbefales) + + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + DatabaseSettingsWidgetKeeShare Sharing - + Deling Breadcrumb - + Brødkrumme Type - + Type Path - + Sti Last Signer - + Sidste underskriver Certificates - + Certifikater > Breadcrumb separator - + > DatabaseSettingsWidgetMasterKey Add additional protection... - + Tilføj yderligere beskyttelse ... No encryption key added - + Ingen krypteringsnøgle tilføjet You must add at least one encryption key to secure your database! - + Du skal tilføje mindst en krypteringsnøgle for at sikre din database! No password set - + Ingen adgangskode indstillet WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - + ADVARSEL! Du har ikke indstillet en adgangskode. Det frarådes kraftigt at bruge en database uden en adgangskode! + +Er du sikker på, du vil fortsætte uden en adgangskode? Unknown error @@ -1349,6 +1695,10 @@ Are you sure you want to continue without a password? Failed to change master key + Kunne ikke skifte hovednøgle + + + Continue without password @@ -1356,10 +1706,133 @@ Are you sure you want to continue without a password? DatabaseSettingsWidgetMetaDataSimple Database Name: - + Navn på database: Description: + Beskrivelse: + + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Navn + + + Value + Værdi + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. @@ -1367,7 +1840,7 @@ Are you sure you want to continue without a password? DatabaseTabWidget KeePass 2 Database - KeePass 2 Database + KeePass 2-database All files @@ -1375,7 +1848,7 @@ Are you sure you want to continue without a password? Open database - Åben database + Åbn database CSV file @@ -1383,58 +1856,79 @@ Are you sure you want to continue without a password? Merge database - Flet database + Sammenlæg database Open KeePass 1 database - Åben KeePass 1 database + Åbn KeePass 1-database KeePass 1 database - KeePass 1 database + KeePass 1-database Export database to CSV file - Eksportér databasen til CSV-fil + Eksportér database til CSV-fil Writing the CSV file failed. - Kan ikke skrive til CSV-fil. + Skrivning af CSV-fil mislykkedes. Database creation error - + Fejl ved oprettelse af database The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + Den oprettede database har ingen nøgle eller KDF. Nægter at gemme den. +Det er helt sikkert en fejl. Rapportér det venligst til udviklerne. Select CSV file - + Vælg CSV-fil New Database - + Ny database %1 [New Database] Database tab name modifier - + %1 [Ny database] %1 [Locked] Database tab name modifier - + %1 [Låst] %1 [Read-only] Database tab name modifier + %1 [Skrivebeskyttet] + + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? @@ -1442,7 +1936,7 @@ This is definitely a bug, please report it to the developers. DatabaseWidget Searching... - Søger... + Søger ... Do you really want to delete the entry "%1" for good? @@ -1450,11 +1944,11 @@ This is definitely a bug, please report it to the developers. Do you really want to move entry "%1" to the recycle bin? - Ønsker du virkelig at rykke post "%1" til skraldespanden? + Vil du virkelig flytte posten "%1" til papirkurven? Do you really want to move %n entry(s) to the recycle bin? - + Vil du virkelig flytte %n post til papirkurven?Vil du virkelig flytte %n poster til papirkurven? Execute command? @@ -1462,7 +1956,7 @@ This is definitely a bug, please report it to the developers. Do you really want to execute the following command?<br><br>%1<br> - Er du sikker på at du vil udføre følgende kommando? <br><br>%1<br> + Er du sikker på, at du vil udføre følgende kommando?<br><br>%1<br> Remember my choice @@ -1470,11 +1964,11 @@ This is definitely a bug, please report it to the developers. Do you really want to delete the group "%1" for good? - Ønsker du at slette gruppen "%1" permanent? + Vil du slette gruppen "%1" permanent? No current database. - Ingen database valgt + Ingen database valgt. No source database, nothing to do. @@ -1494,59 +1988,57 @@ This is definitely a bug, please report it to the developers. The database file has changed. Do you want to load the changes? - Database-filen har ændret sig. Er du sikker på at du vil indlæse ændringerne? + Databasefilen har ændret sig. Er du sikker på, at du vil indlæse ændringerne? Merge Request - Fletteanmodning + Sammenlægningsanmodning The database file has changed and you have unsaved changes. Do you want to merge your changes? - Database-filen har ændringer og du har ændringer som du ikke har gemt. Vil du kombinere dine ændringer med databasens? + Databasefilen har ændringer og du har ændringer som du ikke har gemt. +Vil du sammenlægge dine ændringer med databasens? Empty recycle bin? - Tøm skraldespanden? + Tøm papirkurven? Are you sure you want to permanently delete everything from your recycle bin? - Er du sikker på at du vil permanent slette alt fra din skraldespand? + Er du sikker på, at du vil slette alt fra din papirkurv permanent? Do you really want to delete %n entry(s) for good? - + Vil du virkelig slette %n post permanent?Vil du virkelig slette %n poster permanent? Delete entry(s)? - + Slet post?Slet poster? Move entry(s) to recycle bin? - - - - File opened in read only mode. - Fil åbnet i skrivebeskyttet tilstand + Flyt post til papirkurven?Flyt poster til papirkurven? Lock Database? - + Lås database? You are editing an entry. Discard changes and lock anyway? - + Du er ved at redigere en post. Forkast ændringerne og lås alligevel? "%1" was modified. Save changes? "%1" blev ændret. -Gem disse ændringer? +Gem ændringerne? Database was modified. Save changes? - + Databasen blev ændret. +Gem ændringerne? Save changes? @@ -1555,7 +2047,8 @@ Save changes? Could not open the new database file while attempting to autoreload. Error: %1 - + Kunne ikke åbne den nye databasefil ved forsøg på automatisk genindlæsning. +Fejl: %1 Disable safe saves? @@ -1567,14 +2060,9 @@ Disable safe saves and try again? KeePassXC har ikke været i stand til at gemme databasen flere gange. Dette er formentlig fordi en filsynkroniseringstjeneste har en lås på filen. Så sikre gem fra og prøv igen? - - Writing the database failed. -%1 - - Passwords - Kodeord + Adgangskoder Save database as @@ -1582,15 +2070,15 @@ Så sikre gem fra og prøv igen? KeePass 2 Database - KeePass 2 Database + KeePass 2-database Replace references to entry? - + Erstat referencer til post? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - + Posten "%1" har %2 reference. Vil du overskrive referencerne med værdier, springe over posten eller slette alligevel?Posten "%1" har %2 referencer. Vil du overskrive referencerne med værdier, springe over posten eller slette alligevel? Delete group @@ -1598,22 +2086,30 @@ Så sikre gem fra og prøv igen? Move group to recycle bin? - + Flyt gruppe til papirkurv? Do you really want to move the group "%1" to the recycle bin? - + Vil du virkelig flytte gruppen "%1" til papirkurven? Successfully merged the database files. - + Sammenlægning af databasefiler lykkedes. Database was not modified by merge operation. - + Databasen blev ikke ændret af sammenlægningshandlingen. Shared group... + Delt gruppe ... + + + Writing the database failed: %1 + Skrivning af databasen mislykkedes: %1 + + + This database is opened in read-only mode. Autosave is disabled. @@ -1633,7 +2129,7 @@ Så sikre gem fra og prøv igen? Auto-Type - Auto-Indsæt + Autoskriv Properties @@ -1645,11 +2141,11 @@ Så sikre gem fra og prøv igen? SSH Agent - SSH Agent + SSH-agent n/a - Ikke aktuel + - (encrypted) @@ -1681,7 +2177,7 @@ Så sikre gem fra og prøv igen? Different passwords supplied. - Andre kodeord leveret. + Andre adgangskoder leveret. New attribute @@ -1689,7 +2185,7 @@ Så sikre gem fra og prøv igen? Are you sure you want to remove this attribute? - Er du sikker på at du vil fjerne denne attribut? + Er du sikker på, at du vil fjerne denne attribut? Tomorrow @@ -1697,19 +2193,19 @@ Så sikre gem fra og prøv igen? %n week(s) - + %n uge%n uger %n month(s) - + %n måned%n måneder Apply generated password? - Anvend genereret kodeord? + Anvend genereret adgangskode? Do you want to apply the generated password to this entry? - Vil du bruge det genererede kodeord i denne post? + Vil du bruge den genererede adgangskode i denne post? Entry updated successfully. @@ -1717,22 +2213,34 @@ Så sikre gem fra og prøv igen? Entry has unsaved changes - + Posten har ændringer som ikke er blevet gemt New attribute %1 - + Ny attribut %1 [PROTECTED] Press reveal to view or edit - + [BESKYTTET] Tryk på vis for at vise eller redigere %n year(s) - + %n år%n år Confirm Removal + Bekræft fjernelse + + + Browser Integration + Browserintegritet + + + <empty URL> + + + + Are you sure you want to remove this URL? @@ -1774,24 +2282,60 @@ Så sikre gem fra og prøv igen? Background Color: Baggrundsfarve: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType Enable Auto-Type for this entry - Aktivér Auto-Indsæt for denne post + Aktivér autoskriv for denne post Inherit default Auto-Type sequence from the &group - Arv standard Auto-Indsæt sekvens fra gruppen + Nedarv standard autoskriv-sekvens fra &gruppen &Use custom Auto-Type sequence: - Brug brugerdefineret Auto-Indsæt sekvens: + &Brug tilpasset autoskriv-sekvens: Window Associations - Vindue-associationer + Vinduesassocieringer + @@ -1809,6 +2353,77 @@ Så sikre gem fra og prøv igen? Use a specific sequence for this association: Brug en specifik sekvens for denne associering: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Generelt + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Tilføj + + + Remove + Fjern + + + Edit + Rediger + EditEntryWidgetHistory @@ -1828,6 +2443,26 @@ Så sikre gem fra og prøv igen? Delete all Slet alle + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1837,7 +2472,7 @@ Så sikre gem fra og prøv igen? Password: - Kodeord: + Adgangskode: Repeat: @@ -1849,15 +2484,15 @@ Så sikre gem fra og prøv igen? Notes - Noter + Bemærkninger Presets - Predefinerede + Forudindstillinger Toggle the checkbox to reveal the notes section. - Klik på afkrydsningsfeltet for at vise notes-sektionen. + Klik på afkrydsningsfeltet for at vise bemærkninger-afsnittet. Username: @@ -1867,6 +2502,62 @@ Så sikre gem fra og prøv igen? Expires Udløber + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1880,7 +2571,7 @@ Så sikre gem fra og prøv igen? seconds - sekunder + sekunder Fingerprint @@ -1888,7 +2579,7 @@ Så sikre gem fra og prøv igen? Remove key from agent when database is closed/locked - Fjern nøglen fra agenten når databasen er lukket/låst + Fjern nøglen fra agenten når databasen lukkes/låses Public key @@ -1896,7 +2587,7 @@ Så sikre gem fra og prøv igen? Add key to agent when database is opened/unlocked - Tilføj nøglen til agenten når databasen er åben/låst op + Tilføj nøglen til agenten når databasen åbnes/låses op Comment @@ -1908,11 +2599,11 @@ Så sikre gem fra og prøv igen? n/a - Ikke aktuel + - Copy to clipboard - Kopier til udklipsholder + Kopiér til udklipsholder Private key @@ -1925,7 +2616,7 @@ Så sikre gem fra og prøv igen? Browse... Button for opening file dialog - Gennemse... + Gennemse ... Attachment @@ -1943,6 +2634,22 @@ Så sikre gem fra og prøv igen? Require user confirmation when this key is used Kræv brugerbekræftigelse når denne nøgle bruges + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1968,7 +2675,7 @@ Så sikre gem fra og prøv igen? Enable - Aktiver + Aktivér Disable @@ -1976,7 +2683,11 @@ Så sikre gem fra og prøv igen? Inherit from parent group (%1) - Arv fra forældregruppe (%1) + Nedarv fra forældregruppe (%1) + + + Entry has unsaved changes + Posten har ændringer som ikke er blevet gemt @@ -1987,86 +2698,116 @@ Så sikre gem fra og prøv igen? Type: - + Type: Path: - + Sti: ... - + ... Password: - Kodeord: + Adgangskode: Inactive - - - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - + Inaktiv KeeShare unsigned container - + KeeShare-beholder som ikke er underskrevet KeeShare signed container - + KeeShare-beholder som er underskrevet Select import source - + Vælg importkilde Select export target - + Vælg eksportmål Select import/export file - + Vælg import-/eksportfil Clear Ryd - The export container %1 is already referenced. + Import + Importér + + + Export + Eksportér + + + Synchronize - The import container %1 is already imported. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. - The container %1 imported and export by different groups. + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2078,7 +2819,7 @@ Så sikre gem fra og prøv igen? Notes - Noter + Bemærkninger Expires @@ -2090,34 +2831,62 @@ Så sikre gem fra og prøv igen? Auto-Type - Auto-Indsæt + Autoskriv &Use default Auto-Type sequence of parent group - &Brug standard Auto-Indsæt sekvens fra forældregruppe + &Brug standard autoskriv-sekvens fra forældregruppe Set default Auto-Type se&quence - Definér standard Auto-Indsæt sekvens + Definér standard autoskriv-sekvens + + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + EditWidgetIcons &Use default icon - &Brug standard-ikon + &Brug standardikon Use custo&m icon - Brug brugerbestemt ikon + Brug &tilpasset ikon Add custom icon - Tilføj brugerbestemt ikon + Tilføj tilpasset ikon Delete custom icon - Slet brugerbestemt ikon + Slet tilpasset ikon Download favicon @@ -2135,45 +2904,69 @@ Så sikre gem fra og prøv igen? All files Alle filer - - Custom icon already exists - Brugervalgt ikon findes allerede - Confirm Delete Bekræft sletning - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) - + Vælg billede(r) Successfully loaded %1 of %n icon(s) - + Det lykkedes at indlæse %1 af %n ikonDet lykkedes at indlæse %1 af %n ikoner No icons were loaded - + Ingen ikoner blev indlæst %n icon(s) already exist in the database - + %n ikon findes allerede i databasen%n ikoner findes allerede i databasen The following icon(s) failed: - + Følgende ikon mislykkedes:Følgende ikoner mislykkedes: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - + Ikonet bruges af %n post og erstattes med standardikonet. Er du sikker på, at du vil slette det?Ikonet bruges af %n poster og erstattes med standardikonet. Er du sikker på, at du vil slette det? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2196,7 +2989,7 @@ Så sikre gem fra og prøv igen? Plugin Data - Plugin data + Plugindata Remove @@ -2204,13 +2997,13 @@ Så sikre gem fra og prøv igen? Delete plugin data? - Slet plugin data? + Slet plugindata? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - Er du sikker på at du vil slette den valgte plugin data? -Dette kan få det påvirkede plugin til at svigte. + Vil du virkelig slette den valgte plugindata? +Det kan få de påvirkede plugins til at svigte. Key @@ -2220,12 +3013,36 @@ Dette kan få det påvirkede plugin til at svigte. Value Værdi + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry %1 - Clone - + %1 - Klon @@ -2255,7 +3072,7 @@ Dette kan få det påvirkede plugin til at svigte. Open - Åben + Åbn Save @@ -2267,7 +3084,7 @@ Dette kan få det påvirkede plugin til at svigte. Are you sure you want to remove %n attachment(s)? - + Er du sikker på, at du vil fjerne %n vedhæftning?Er du sikker på, at du vil fjerne %n vedhæftninger? Save attachments @@ -2281,11 +3098,11 @@ Dette kan få det påvirkede plugin til at svigte. Are you sure you want to overwrite the existing file "%1" with the attachment? - Er du sikker på at du vil overskrive den eksisterende fil "%1" med denne vedhæftning? + Er du sikker på, at du vil overskrive den eksisterende fil "%1" med denne vedhæftning? Confirm overwrite - Bekræft overskrivningn + Bekræft overskrivning Unable to save attachments: @@ -2307,12 +3124,34 @@ Dette kan få det påvirkede plugin til at svigte. Confirm remove - + Bekræft fjernelse Unable to open file(s): %1 - + Kan ikke åbne filen: +%1Kan ikke åbne filerne: +%1 + + + Attachments + Vedhæftninger + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2346,7 +3185,7 @@ Dette kan få det påvirkede plugin til at svigte. Ref: Reference abbreviation - Ref: + Ref: Group @@ -2370,11 +3209,11 @@ Dette kan få det påvirkede plugin til at svigte. Password - Kodeord + Adgangskode Notes - Noter + Bemærkninger Expires @@ -2398,19 +3237,15 @@ Dette kan få det påvirkede plugin til at svigte. Yes - + Ja TOTP - + TOTP EntryPreviewWidget - - Generate TOTP Token - Generér TOTP Token - Close Luk @@ -2425,7 +3260,7 @@ Dette kan få det påvirkede plugin til at svigte. Password - Kodeord + Adgangskode Expiration @@ -2445,11 +3280,11 @@ Dette kan få det påvirkede plugin til at svigte. Notes - Noter + Bemærkninger Autotype - Auto-Indsæt + Autoskriv Window @@ -2461,7 +3296,7 @@ Dette kan få det påvirkede plugin til at svigte. Searching - Søger + Søgning Search @@ -2482,7 +3317,7 @@ Dette kan få det påvirkede plugin til at svigte. <b>%1</b>: %2 attributes line - + <b>%1</b>: %2 Enabled @@ -2494,8 +3329,16 @@ Dette kan få det påvirkede plugin til at svigte. Share + Del + + + Display current TOTP value + + Advanced + Avanceret + EntryView @@ -2509,7 +3352,7 @@ Dette kan få det påvirkede plugin til at svigte. Hide Passwords - Skjul kodeord + Skjul adgangskoder Fit to window @@ -2521,7 +3364,7 @@ Dette kan få det påvirkede plugin til at svigte. Reset to defaults - Nulstil til standard-indstillinger + Nulstil til standardindstillinger Attachments (icon) @@ -2529,15 +3372,37 @@ Dette kan få det påvirkede plugin til at svigte. - Group + FdoSecrets::Item - Recycle Bin - Skraldespand + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children - + [tom] @@ -2548,7 +3413,59 @@ Dette kan få det påvirkede plugin til at svigte. Cannot save the native messaging script file. - Kan ikke gemme besked-script filen! + Kan ikke gemme besked-script filen. + + + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Annuller + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Luk + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + @@ -2570,38 +3487,39 @@ Dette kan få det påvirkede plugin til at svigte. Unable to issue challenge-response. - Kunne ikke udstede udfordring-svar. - - - Wrong key or database file is corrupt. - Forkert nøgle eller databasefil er korrupt. + Kunne ikke udstede udfordring/svar. missing database headers - Database headers mangler + mangler databaseheadere Header doesn't match hash - + Headeren matcher ikke hashen Invalid header id size - Invalid størrelse for gruppefelt + Ugyldig størrelse på gruppefelt Invalid header field length - Invalid størrelse i headerfelt + Ugyldig længde på headerfelt Invalid header data length - Invalid størrelse i headerfelt + Ugyldig længde på headerdata + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Kdbx3Writer Unable to issue challenge-response. - Kunne ikke udstede udfordring-svar. + Kunne ikke udstede udfordring/svar. Unable to calculate master key @@ -2612,7 +3530,7 @@ Dette kan få det påvirkede plugin til at svigte. Kdbx4Reader missing database headers - Database headers mangler + mangler databaseheadere Unable to calculate master key @@ -2620,15 +3538,11 @@ Dette kan få det påvirkede plugin til at svigte. Invalid header checksum size - Invalid størrelse for gruppefelt + Ugyldig størrelse på gruppefelt Header SHA256 mismatch - Header SHA256 stemmer ikke - - - Wrong key or database file is corrupt. (HMAC mismatch) - Forkert nøgle eller database-filen er korrupt. (HMAC mismatch) + Uoverensstemmelse i header SHA256 Unknown cipher @@ -2636,15 +3550,15 @@ Dette kan få det påvirkede plugin til at svigte. Invalid header id size - Invalid størrelse for gruppefelt + Ugyldig størrelse på gruppefelt Invalid header field length - Invalid størrelse i headerfelt + Ugyldig længde på headerfelt Invalid header data length - Invalid størrelse i headerfelt + Ugyldig længde på headerdata Failed to open buffer for KDF parameters in header @@ -2652,7 +3566,7 @@ Dette kan få det påvirkede plugin til at svigte. Unsupported key derivation function (KDF) or invalid parameters - Ikke understøtet nøgleafledningsfunktion (KDF) eller invalide parametre + Ikke understøttet nøgleafledningsfunktion (KDF) eller ugyldige parametre Legacy header fields found in KDBX4 file. @@ -2660,74 +3574,83 @@ Dette kan få det påvirkede plugin til at svigte. Invalid inner header id size - Invalid størrelse i indre headerfelt id + Ugyldig størrelse på indre headerfelt-id Invalid inner header field length - Invalid størrelse i headerfelt + Ugyldig længde på indre headerfelt Invalid inner header binary size - Invalid størrelse i binær indre header + Ugyldig størrelse på binær indre header Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - Ikke understøttet KeePass variant version + Ikke understøttet KeePass variant version. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - + Ugyldig længde på navn for variantkortets post Invalid variant map entry name data Translation: variant map = data structure for storing meta data - + Ugyldig data på navn for variantkortets post Invalid variant map entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets post Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - + Ugyldig data på værdi for variantkortets post Invalid variant map Bool entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets Bool-post Invalid variant map Int32 entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets Int32-post Invalid variant map UInt32 entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets UInt32-post Invalid variant map Int64 entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets Int64-post Invalid variant map UInt64 entry value length Translation: variant map = data structure for storing meta data - + Ugyldig længde på værdi for variantkortets UInt64-post Invalid variant map entry type Translation: variant map = data structure for storing meta data - + Ugyldig type på post for variantkort Invalid variant map field type size Translation: variant map = data structure for storing meta data + Ugyldig størrelse på felttype for variantkort + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) @@ -2735,12 +3658,12 @@ Dette kan få det påvirkede plugin til at svigte. Kdbx4Writer Invalid symmetric cipher algorithm. - Invalid symmetrisk ciffer algoritme + Ugyldig symmetrisk ciffer-algoritme. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - Invalid størrelse for IV for symmetrisk ciffer + Ugyldig størrelse på IV for symmetrisk ciffer. Unable to calculate master key @@ -2749,7 +3672,7 @@ Dette kan få det påvirkede plugin til at svigte. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - + Kunne ikke serielisere KDF-parameternes variantkort @@ -2760,7 +3683,7 @@ Dette kan få det påvirkede plugin til at svigte. Invalid compression flags length - Invalid længde af komprimeringsflag + Ugyldig længde på komprimeringsflag Unsupported compression algorithm @@ -2768,57 +3691,57 @@ Dette kan få det påvirkede plugin til at svigte. Invalid master seed size - Invalid størrelse for master seed + Ugyldig størrelse på hovedfrø Invalid transform seed size - Invalid størrelse for transformerings-seed + Ugyldig størrelse på transformeringsfrø Invalid transform rounds size - Invalidt antal af transformeringsrunder + Ugyldig antal af transformeringsrunder Invalid start bytes size - Invalid størrelse af start bytes + Ugyldig størrelse på start bytes Invalid random stream id size - Invalid størrelse af tilfældigt strøm id + Ugyldig størrelse på tilfældigt strøm id Invalid inner random stream cipher - Invalid ciffer for indre tilfældig strøm + Ugyldig ciffer for indre tilfældig strøm Not a KeePass database. - Dette er ikke en KeePass database. + Dette er ikke en KeePass-database. The selected file is an old KeePass 1 database (.kdb). You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. - Den valgte fil er en gammel KeePass 1 databasefil (.kdb). + Den valgte fil er en gammel KeePass 1-databasefil (.kdb). -Du kan importere den ved at klikke på Database > 'Importér KeePass 1 database...'. +Du kan importere den ved at klikke på Database > 'Importér KeePass 1-database ...'. Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den importerede database med den gamle KeePassX 0.4 version. Unsupported KeePass 2 database version. - Ikke understøttet KeePass 2 database version. + Ikke understøttet KeePass 2-database version. Invalid cipher uuid length: %1 (length=%2) - + Ugyldig længde på cifferets uuid: %1 (længde=%2) Unable to parse UUID: %1 - + Kan ikke fortolke uuid: %1 Failed to read database file. - + Kunne ikke læse databasefil. @@ -2833,11 +3756,11 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Missing icon uuid or data - Mangler icon uuid eller data + Mangler ikon-uuid eller -data Missing custom data key or value - Mangler brugervalgt data-nøgle eller -værdi + Mangler tilpasset datanøgle eller -værdi Multiple group elements @@ -2845,19 +3768,19 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Null group uuid - Tomt gruppe-uuid + Nul gruppe-uuid Invalid group icon number - Invalidt gruppeikonsnummer + Ugyldig gruppeikon-nummer Invalid EnableAutoType value - Invalid Slå-Auto-Indsæt-Til værdi + Ugyldig EnableAutoType-værdi Invalid EnableSearching value - Invalid værdi for Slå-Søgning-Til + Ugyldig EnableSearching-værdi No group uuid found @@ -2865,19 +3788,19 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Null DeleteObject uuid - Tomt Slet-Objekt uuid + Nul DeleteObject-uuid Missing DeletedObject uuid or time - Mangler Slet-Objekt uuid eller tid + Mangler DeletedObject-uuid eller klokkeslæt Null entry uuid - Tomt post-uuid + Nul post-uuid Invalid entry icon number - Invalidt gruppeikonsnummer + Ugyldig postikon-nummer History element in history entry @@ -2893,7 +3816,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Duplicate custom attribute found - Fandt ens brugerdefineret attribut + Fandt ens tilpasset attribut Entry string key or value missing @@ -2909,31 +3832,31 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Auto-type association window or sequence missing - Auto-Indsæt associerings-vindue eller -sekvens mangler + Autoskriv associeringsvindue eller -sekvens mangler Invalid bool value - Invalid boolsk værdi + Ugyldig boolesk-værdi Invalid date time value - Invalid dato tid værdi + Ugyldig dato klokkeslæt-værdi Invalid color value - Invalid farveværdi + Ugyldig farve-værdi Invalid color rgb part - Invalid farve RGB del + Ugyldig farve RGB-del Invalid number value - Invalid tal-værdi + Ugyldig nummer-værdi Invalid uuid value - Invalid uuid værdi + Ugyldig uuid-værdi Unable to decompress binary @@ -2944,19 +3867,21 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo XML error: %1 Line %2, column %3 - + Fejl ved XML: +%1 +Linje %2, kolonne %3 KeePass1OpenWidget - - Import KeePass1 database - Importér KeePass1 database - Unable to open the database. Kan ikke åbne databasen. + + Import KeePass1 Database + + KeePass1Reader @@ -2966,15 +3891,15 @@ Line %2, column %3 Not a KeePass database. - Dette er ikke en KeePass database. + Dette er ikke en KeePass-database. Unsupported encryption algorithm. - Ikke understøttet krypteringsalgoritme + Ikke understøttet krypteringsalgoritme. Unsupported KeePass database version. - KeePass database version ikke understøttet. + KeePass-databaseversion ikke understøttet. Unable to read encryption IV @@ -2983,23 +3908,23 @@ Line %2, column %3 Invalid number of groups - Invalidt antal grupper + Ugyldig antal grupper Invalid number of entries - Invalidt antal poster + Ugyldig antal poster Invalid content hash size - Invalid størrelse for indholds-hash + Ugyldig størrelse på indholdshash Invalid transform seed size - Invalid størrelse for transformerings-seed + Ugyldig størrelse på transformeringsfrø Invalid number of transform rounds - Invalidt antal transformationsfunder + Ugyldig antal runder for transformation Unable to construct group tree @@ -3013,57 +3938,53 @@ Line %2, column %3 Unable to calculate master key Kan ikke beregne hovednøgle - - Wrong key or database file is corrupt. - Forkert nøgle eller databasefil er korrupt. - Key transformation failed - Nøgletransformering fejlede + Nøgletransformering mislykkedes Invalid group field type number - Invalidt gruppefeltstypenummer + Ugyldig gruppefeltstype-nummer Invalid group field size - Invalid størrelse for gruppefelt + Ugyldig størrelse på gruppefelt Read group field data doesn't match size - Læsegruppefelt data har ikke samme størrelse + Læsegruppefeltsdata har ikke samme størrelse Incorrect group id field size - Forkert størrelse af gruppe id felt + Forkert størrelse på gruppe id felt Incorrect group creation time field size - Forkert størrelse for gruppeoprettelsestidsfelt + Forkert størrelse på gruppeoprettelsestidsfelt Incorrect group modification time field size - Forkert størrelse for gruppemodifikationstidsfelt + Forkert størrelse på gruppemodifikationstidsfelt Incorrect group access time field size - Forkert størrelse for gruppetilgåelsestidsfelt + Forkert størrelse på gruppetilgåelsestidsfelt Incorrect group expiry time field size - Forkert størrelse for gruppeudløbstidsfelt + Forkert størrelse på gruppeudløbstidsfelt Incorrect group icon field size - Invalid størrelse for gruppefelt + Forkert størrelse på gruppefelt Incorrect group level field size - Invalid størrelse for gruppefelt + Forkert størrelse på gruppefelt Invalid group field type - Invalid type for gruppefelt + Ugyldig gruppefeltstype Missing group id or level @@ -3075,7 +3996,7 @@ Line %2, column %3 Invalid entry field size - Invalid størrelse for gruppefelt + Ugyldig størrelse på gruppefelt Read entry field data doesn't match size @@ -3083,69 +4004,86 @@ Line %2, column %3 Invalid entry uuid field size - Invalid uuid værdi + Ugyldig uuid-værdi Invalid entry group id field size - Invalid størrelse for gruppe id felt + Ugyldig størrelse på gruppe id felt Invalid entry icon field size - Invalid størrelse for postikonsfelt + Ugyldig størrelse på postikonsfelt Invalid entry creation time field size - Invalid størrelse for postoprettelsestidsfelt + Ugyldig størrelse på postoprettelsestidsfelt Invalid entry modification time field size - Invalid størrelse for postmodifikationstidsfelt + Ugyldig størrelse på postmodifikationstidsfelt Invalid entry expiry time field size - Invalid størrelse for postudløbstidsfelt + Ugyldig størrelse på postudløbstidsfelt Invalid entry field type - Invalid post-felt-type + Ugyldig post-felt-type unable to seek to content position + kan ikke søge til indholdets placering + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. KeeShare - Disabled share + Invalid sharing reference - Import from + Inactive share %1 - Export to + Imported from %1 + Importerer fra %1 + + + Exported to %1 - Synchronize with + Synchronized with %1 - Disabled share %1 + Import is disabled in settings - Import from share %1 + Export is disabled in settings - Export to share %1 + Inactive share - Synchronize with share %1 + Imported from + + + + Exported to + + + + Synchronized with @@ -3153,74 +4091,74 @@ Line %2, column %3 KeyComponentWidget Key Component - + Nøglekomponent Key Component Description - + Beskrivelse for nøglekomponent Cancel - Afbryd + Annuller Key Component set, click to change or remove - + Nøglekomponenten er indstillet, klik for at ændre eller fjerne Add %1 Add a key component - + Tilføj %1 Change %1 Change a key component - + Skift %1 Remove %1 Remove a key component - + Fjern %1 %1 set, click to change or remove Change or remove a key component - + %1 er indstillet. Klik for at ændre eller fjerne KeyFileEditWidget - - Browse - Gennemse - Generate - Opret + Generér Key File - + Nøglefil <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>Du kan tilføje en nøglefil med tilfældige bytes for yderligere sikkerhed.</p><p>Du skal holde den hemmelig og aldrig miste den, ellers vil du være låst ude!</p> Legacy key file format - Forældet nøglefilformat + Udgået nøglefilformat You are using a legacy key file format which may become unsupported in the future. Please go to the master key settings and generate a new key file. - + Du bruger et udgået nøglefilformat, som muligvis ikke +understøttes i fremtiden. + +Gå venligst til hovednøgleindstillingerne og generér en ny nøglefil. Error loading the key file '%1' Message: %2 - + Fejl ved indlæsning af nøglefilen '%1' +Meddelelse: %2 Key files @@ -3232,20 +4170,57 @@ Message: %2 Create Key File... - Opret Nøglefil... + Opret nøglefil ... Error creating key file - + Fejl ved oprettelse af nøglefil Unable to create key file: %1 - + Kan ikke oprette nøglefil: %1 Select a key file Vælg en nøglefil + + Key file selection + + + + Browse for key file + + + + Browse... + Gennemse ... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3271,7 +4246,7 @@ Message: %2 &Tools - &Værktøj + &Værktøjer &Quit @@ -3283,7 +4258,7 @@ Message: %2 &Open database... - &Åben database.. + &Åbn database ... &Save database @@ -3307,7 +4282,7 @@ Message: %2 Sa&ve database as... - Gem database som + &Gem database som ... Database settings @@ -3319,7 +4294,7 @@ Message: %2 Copy &username - Kopier &brugernavn + Kopiér &brugernavn Copy username to clipboard @@ -3327,19 +4302,15 @@ Message: %2 Copy password to clipboard - Kopiér kodeord til udklipsholder + Kopiér adgangskode til udklipsholder &Settings &Indstillinger - - Password Generator - Kodeordsgenerator - &Lock databases - %Lås databaser + &Lås databaser &Title @@ -3347,7 +4318,7 @@ Message: %2 Copy title to clipboard - Kopier titel til udklipsholder + Kopiér titel til udklipsholder &URL @@ -3355,23 +4326,23 @@ Message: %2 Copy URL to clipboard - &Kopier URL til udklipsholder + Kopiér URL til udklipsholder &Notes - &Noter + &Bemærkninger Copy notes to clipboard - Kopier noter til udklipsholder + Kopiér bemærkninger til udklipsholder &Export to CSV file... - &Eksporter til CSV-fil... + &Eksportér til CSV-fil ... Set up TOTP... - Indstil TOTP... + Opsæt TOTP ... Copy &TOTP @@ -3379,7 +4350,7 @@ Message: %2 E&mpty recycle bin - Tøm skraldespand + &Tøm papirkurven Clear history @@ -3410,141 +4381,203 @@ Message: %2 There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. ADVARSEL: Du bruger en ustabil udgave af KeePassXC! -Der er høj risiko for korruption, sørg for at have en backup af dine databaser. +Der er høj risiko for korruption, sørg for at have en sikkerhedskopi af dine databaser. Denne version er ikke beregnet til at blive brugt i produktion. &Donate - + &Donér Report a &bug - + Rapportér en &fejl WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - + ADVARSEL: Din Qt-version kan få KeePassXC til at holde op med at virke ved brug af skærmtastatur! +Vi anbefaler at du i bruger det AppImage som findes på vores downloadside. &Import - + &Importér Copy att&ribute... - + Kopiér a&ttribut ... TOTP... - + TOTP ... &New database... - + &Ny database ... Create a new database - + Opret en ny database &Merge from database... - + Sammenlæg &fra database ... Merge from another KDBX database - + Sammenlæg fra en anden KDBX-database &New entry - + &Ny post Add a new entry - + Tilføj en ny post &Edit entry - + &Rediger post View or edit entry - + Vis eller rediger post &New group - + &Ny gruppe Add a new group - + Tilføj en ny gruppe Change master &key... - + Skift &hovednøgle ... &Database settings... - + &Databaseindstillinger ... Copy &password - + Kopiér adgangsk&ode Perform &Auto-Type - + Udfør &autoskriv Open &URL - + Åbn &URL KeePass 1 database... - + KeePass 1-database ... Import a KeePass 1 database - + Importér en KeePass 1-database CSV file... - + CSV-fil ... Import a CSV file - + Importér en CSV-fil Show TOTP... - + Vis TOTP ... Show TOTP QR Code... - - - - Check for Updates... - - - - Share entry - + Vis TOTP QR-kode ... NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + BEMÆRK: Du bruger en præudgivelsesversion af KeePassXC! +Forvent nogle fejl og mindre problemer. Denne version er ikke beregnet til produktionsbrug. Check for updates on startup? - + Søg efter opdateringer ved opstart? Would you like KeePassXC to check for updates on startup? - + Skal KeePassXC søge efter opdateringer ved opstart? You can always check for updates manually from the application menu. + Du kan altid søge efter opdateringer manuelt fra programmenuen. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Download favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts @@ -3552,58 +4585,66 @@ Expect some bugs and minor issues, this version is not meant for production use. Merger Creating missing %1 [%2] - + Opretter manglende %1 [%2] Relocating %1 [%2] - + Flytter %1 [%2] Overwriting %1 [%2] - + Overskriver %1 [%2] older entry merged from database "%1" - + gammel post sammenlagt fra databasen "%1" Adding backup for older target %1 [%2] - + Tilføjer sikkerhedskopi til ældre mål %1 [%2] Adding backup for older source %1 [%2] - + Tilføjer sikkerhedskopi til ældre kilde %1 [%2] Reapplying older target entry on top of newer source %1 [%2] - + Genanvender ældre målpost oven på nyere kilde %1 [%2] Reapplying older source entry on top of newer target %1 [%2] - + Genanvender ældre kildepost oven på nyere mål %1 [%2] Synchronizing from newer source %1 [%2] - + Synkroniserer fra nyere kilde %1 [%2] Synchronizing from older source %1 [%2] - + Synkroniserer fra ældre kilde %1 [%2] Deleting child %1 [%2] - + Sletter barnet %1 [%2] Deleting orphan %1 [%2] - + Sletter forælderløse %1 [%2] Changed deleted objects - + Ændrede slettet objekter Adding missing icon %1 + Tilføjer manglende ikon %1 + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] @@ -3611,7 +4652,7 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizard Create a new KeePassXC database... - + Opret en ny KeePassXC-database ... Root @@ -3623,55 +4664,121 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPage WizardPage - + Assistentside En&cryption Settings - + &Krypteringsindstillinger Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Her kan du justere databasens krypteringsindstillinger. Bare rolig, du kan ændre dem senere i databaseindstillingerne. Advanced Settings - + Avancerede indstillinger Simple Settings - + Simple indstillinger NewDatabaseWizardPageEncryption Encryption Settings - + Krypteringsindstillinger Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Her kan du justere databasens krypteringsindstillinger. Bare rolig, du kan ændre dem senere i databaseindstillingerne. NewDatabaseWizardPageMasterKey Database Master Key - + Hovednøgle til database A master key known only to you protects your database. - + En hovednøgle til at beskytte din database, som kun kendes af dig. NewDatabaseWizardPageMetaData General Database Information - + Generel information om database Please fill in the display name and an optional description for your new database: + Udfyld venligst det navn som skal vises og en valgfri beskrivelse til din nye database: + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 @@ -3679,15 +4786,15 @@ Expect some bugs and minor issues, this version is not meant for production use. OpenSSHKey Invalid key file, expecting an OpenSSH key - Invalid nøglefil, forventede en OpenSSH nøgle + Ugyldig nøglefil, forventede en OpenSSH nøgle PEM boundary mismatch - PEM grænse-mismatch + Uoverensstemmelse i PEM-grænse Base64 decoding failed - Base64 afkodning fejlede + Base64-afkodning mislykkedes Key file way too small. @@ -3695,7 +4802,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Key file magic header id invalid - Nøglefil magic i header er invalid + Nøglefil magic i header er ugyldig Found zero keys @@ -3719,15 +4826,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase is required to decrypt this key - Kodefrase er nødvendig for at dekryptere denne nøgle + Adgangssætning er nødvendig for at dekryptere denne nøgle Key derivation failed, key file corrupted? - Nøgleafledning fejlede, er nøglefilen korrupt? + Nøgleafledning mislykkedes, er nøglefilen korrupt? Decryption failed, wrong passphrase? - Dekryptering fejlede, forkert kodefrase? + Dekryptering mislykkedes, forkert adgangssætning? Unexpected EOF while reading public key @@ -3751,7 +4858,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Unexpected EOF when writing private key - Privat nøgle sluttede uventet under skrivnig + Privat nøgle sluttede uventet under skrivning Unsupported key type: %1 @@ -3774,30 +4881,57 @@ Expect some bugs and minor issues, this version is not meant for production use. Ukendt nøgletype: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget Enter password: - Indtast kodeord + Indtast adgangskode: Confirm password: - + Bekræft adgangskode: Password - Kodeord + Adgangskode <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - + <p>En adgangskode er den primære metode til at sikre din database.</p><p>Gode adgangskoder er lange og unikke. KeePassXC kan generere en for dig.</p> Passwords do not match. - + Adgangskoderne er ikke ens. Generate master password + Generér hovedadgangskode + + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator @@ -3809,7 +4943,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Password: - Kodeord: + Adgangskode: strength @@ -3818,31 +4952,19 @@ Expect some bugs and minor issues, this version is not meant for production use. entropy - entropi: + entropi Password - Kodeord + Adgangskode Character Types Tegntyper - - Upper Case Letters - Store Bogstaver - - - Lower Case Letters - Små Bogstaver - Numbers - Numre - - - Special Characters - Specialtegn + Tal Extended ASCII @@ -3850,11 +4972,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Exclude look-alike characters - Udeluk lool-alike tegn + Udeluk tegn som ligner hinanden Pick characters from every group - Vælg tegn fra alle grupper: + Vælg tegn fra alle grupper &Length: @@ -3862,7 +4984,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase - Nøgleord sætning/frase: + Adgangssætning Wordlist: @@ -3870,11 +4992,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Word Separator: - Ord separator: + Ordseparator: Copy - Kopier + Kopiér Accept @@ -3886,56 +5008,48 @@ Expect some bugs and minor issues, this version is not meant for production use. Entropy: %1 bit - Entropy: %1 bit + Entropi: %1 bit Password Quality: %1 - Kodeord kvalitet: %1 + Kvaliteten af adgangskoden: %1 Poor Password quality - Dårligt + Dårlig Weak Password quality - Svagt + Svag Good Password quality - Godt + God Excellent Password quality - Udmærket + Fremragende ExtendedASCII - + UdvidetASCII Switch to advanced mode - + Skift til avanceret tilstand Advanced Avanceret - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3946,86 +5060,146 @@ Expect some bugs and minor issues, this version is not meant for production use. Braces - + Parenteser {[( - + {[( Punctuation - + Tegnsætning .,:; - + .,:; Quotes - + Citationstegn " ' - - - - Math - + " ' <*+!?= - - - - Dashes - + <*+!?= \_|-/ - + \_|-/ Logograms - + Logogrammer #$%&&@^`~ - + #$%&&@^`~ Switch to simple mode - + Skift til simpel tilstand Simple - + Simpel Character set to exclude from generated password - + Tegnsæt som skal medtages fra generede adgangskode Do not include: - + Medtag ikke: Add non-hex letters to "do not include" list - + Tilføj tegn som ikke er hex i "medtag ikke"-liste Hex - + Hex Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - + Udeluk tegnene: "0", "1", "l", "I", "O", "|", "﹒" Word Co&unt: - + &Ordtælling: Regenerate + Regenerér + + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Kopiér kodeord + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility @@ -4033,13 +5207,10 @@ Expect some bugs and minor issues, this version is not meant for production use. QApplication KeeShare - + KeeShare - - - QFileDialog - Select + Statistics @@ -4047,7 +5218,7 @@ Expect some bugs and minor issues, this version is not meant for production use. QMessageBox Overwrite - + Overskriv Delete @@ -4055,11 +5226,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + Flyt Empty - + Tøm Remove @@ -4067,7 +5238,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + Spring over Disable @@ -4075,6 +5246,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + Sammenlæg + + + Continue @@ -4098,11 +5273,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Action cancelled or denied - Handling afbrudt eller nægtet + Handlingen blev annulleret eller nægtet KeePassXC association failed, try again - KeePassXC associering fejlede, prøv igen + KeePassXC-associering mislykkedes, prøv igen Encryption key is not recognized @@ -4138,7 +5313,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Key file of the database. - Databasens nøglefil + Databasens nøglefil. path @@ -4162,15 +5337,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Prompt for the entry's password. - Spørg om postens kodeord. + Spørg om postens adgangskode. Generate a password for the entry. - Generér et kodeord for posten. - - - Length for the generated password. - Længde af genereret kodeord. + Generér en adgangskode for posten. length @@ -4182,7 +5353,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Copy an entry's password to the clipboard. - Kopiér en posts kodeord til udklipsholder. + Kopiér adgangskoden for post til udklipsholder. Path of the entry to clip. @@ -4211,34 +5382,23 @@ Expect some bugs and minor issues, this version is not meant for production use. Estimate the entropy of a password. - Estimat for entropi af et kodeord. + Estimat for entropi af en adgangskode. Password for which to estimate the entropy. - Koderd, som entropi skal estimeres for. + Adgangskode, som entropi skal estimeres for. Perform advanced analysis on the password. - Udfør advanceret analyse af kodeordet. - - - Extract and print the content of a database. - Dekomprimer og print indeholdet af en database. - - - Path of the database to extract. - Sti til databasen, som skal dekomprimeres - - - Insert password to unlock %1: - Indsæt kodeord for at låse %1 op: + Udfør avanceret analyse af adgangskoden. WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - ADVARSEL: Du benytter et forældet nøglefilsformat, som muligvis ikke vil blive understøttet i fremtiden. + ADVARSEL: Du bruger et udgået nøglefilformat, som muligvis +ikke understøttes i fremtiden. Overvej at generere en ny nøglefil. @@ -4258,11 +5418,11 @@ Tilgængelige kommandoer: List database entries. - List poster i databasen. + Vis poster i databasen. Path of the group to list. Default is / - Sti til gruppen, som skal listes. Standard er / + Sti til gruppen, som skal vises. Standard er / Find entries quickly. @@ -4270,31 +5430,27 @@ Tilgængelige kommandoer: Search term. - Søgeudtryk. + Søgefrase. Merge two databases. - Kombiner to databaser. - - - Path of the database to merge into. - Sti til databasen, som der skal kombineres ind i. + Sammenlæg to databaser. Path of the database to merge from. - Sti til databasen, som der skal kombineres fra. + Sti til databasen, som skal sammenlægges fra. Use the same credentials for both database files. - Brug samme legitimationsoplysninger til begge databasefiler. + Brug de samme loginoplysninger til begge databasefiler. Key file of the database to merge from. - Nøglefil for databasen, som der skal kombineres fra. + Nøglefil for databasen, som der skal sammenlægges fra. Show an entry's information. - Vis en posts information. + Vis information for en post. Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. @@ -4310,7 +5466,7 @@ Tilgængelige kommandoer: NULL device - NULL enhed + NULL-enhed error reading from device @@ -4318,11 +5474,11 @@ Tilgængelige kommandoer: malformed string - Misdannet streng + forkert udformet streng missing closing quote - Mangler afsluttende kvoteringstegn + mangler afsluttende kvoteringstegn Group @@ -4338,11 +5494,11 @@ Tilgængelige kommandoer: Password - Kodeord + Adgangskode Notes - Noter + Bemærkninger Last Modified @@ -4354,11 +5510,7 @@ Tilgængelige kommandoer: Browser Integration - Browser-integration - - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Udfordring-Svar - Slot %2 - %3 + Browserintegritet Press @@ -4370,325 +5522,296 @@ Tilgængelige kommandoer: SSH Agent - SSH Agent + SSH-agent Generate a new random diceware passphrase. - Generer en tilfældig diceware nøglefrase. + Generér en ny tilfældig diceware-adgangssætning. Word count for the diceware passphrase. - Antal af ord for diceware nøglefrase. + Ordtælling for diceware-adgangssætning. Wordlist for the diceware generator. [Default: EFF English] - Ordliste for diceware generator. + Ordliste for diceware-generator. [Standard: EFF Engelsk] Generate a new random password. - Generér et nyt tilfædligt kodeord. - - - Invalid value for password length %1. - + Generér en ny tilfældig adgangskode. Could not create entry with path %1. - + Kunne ikke oprette post med stien %1. Enter password for new entry: - + Indtast adgangskode til ny post: Writing the database failed %1. - + Kunne ikke skrive databasen %1. Successfully added entry %1. - + Det lykkedes at tilføje posten %1. Copy the current TOTP to the clipboard. - + Kopiér den nuværende TOTP til udklipsholderen. Invalid timeout value %1. - + Ugyldig timeout-værdi %1. Entry %1 not found. - + Posten %1 blev ikke fundet. Entry with path %1 has no TOTP set up. - + Posten med stien %1 har ikke opsat nogen TOTP. Entry's current TOTP copied to the clipboard! - + Postens nuværende TOTP kopieret til udklipsholderen! Entry's password copied to the clipboard! - + Postens adgangskode kopieret til udklipsholderen! Clearing the clipboard in %1 second(s)... - + Rydder udklipsholderen om %1 sekund ...Rydder udklipsholderen om %1 sekunder ... Clipboard cleared! - + Udklipsholder ryddet! Silence password prompt and other secondary outputs. - + Gør adgangskodeprompt og andre sekundære outputs stille. count CLI parameter antal - - Invalid value for password length: %1 - - Could not find entry with path %1. - + Kunne ikke finde post med stien %1. Not changing any field for entry %1. - + Ændre ikke nogen felter for posten %1. Enter new password for entry: - + Indtast ny adgangskode for posten: Writing the database failed: %1 - + Skrivning af databasen mislykkedes: %1 Successfully edited entry %1. - + Det lykkedes at redigere posten %1. Length %1 - + Længde %1 Entropy %1 - + Entropi %1 Log10 %1 - + Log10 %1 Multi-word extra bits %1 - + Ekstra bits for multiord %1 Type: Bruteforce - + Type: Bruteforce Type: Dictionary - + Type: Ordbog Type: Dict+Leet - + Type: Ordbog+leet Type: User Words - + Type: Brugerord Type: User+Leet - + Type: Bruger ord+leet Type: Repeated - + Type: Gentaget Type: Sequence - + Type: Sekvens Type: Spatial - + Type: Rumlig Type: Date - + Type: Dato Type: Bruteforce(Rep) - + Type: Bruteforce(gentaget) Type: Dictionary(Rep) - + Type: Ordbog(gentaget) Type: Dict+Leet(Rep) - + Type: Ordbog+leet(gentaget) Type: User Words(Rep) - + Type: Brugerord(gentaget) Type: User+Leet(Rep) - + Type: Bruger ord+leet(gentaget) Type: Repeated(Rep) - + Type: Gentaget(gentaget) Type: Sequence(Rep) - + Type: Sekvens(gentaget) Type: Spatial(Rep) - + Type: Rumlig(gentaget) Type: Date(Rep) - + Type: Dato(gentaget) Type: Unknown%1 - + Type: Ukendt%1 Entropy %1 (%2) - + Entropi %1 (%2) *** Password length (%1) != sum of length of parts (%2) *** - + *** Længde på adgangskode (%1) != summen af længden på delene (%2) *** Failed to load key file %1: %2 - - - - File %1 does not exist. - - - - Unable to open file %1. - - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + Kunne ikke indlæse nøglefilen %1: %2 Length of the generated password - + Længde på den genereret adgangskode Use lowercase characters - + Brug tegn med små bogstaver Use uppercase characters - - - - Use numbers. - + Brug tegn med store bogstaver Use special characters - + Brug specialtegn Use extended ASCII - + Brug udvidet ASCII Exclude character set - + Udeluk tegnsæt chars - + tegn Exclude similar looking characters - + Udeluk tegn som ligner hinanden Include characters from every selected group - + Medtag tegn fra hver valgte gruppe Recursively list the elements of the group. - + Vis elementerne i gruppen rekursivt. Cannot find group %1. - + Kan ikke finde gruppen %1. Error reading merge file: %1 - + Fejl ved læsning af sammenlægningsfil: +%1 Unable to save database to file : %1 - + Kan ikke gemme database til filen : %1 Unable to save database to file: %1 - + Kan ikke gemme database til filen: %1 Successfully recycled entry %1. - + Det lykkedes at genbruge posten %1. Successfully deleted entry %1. - + Det lykkedes at slette posten %1. Show the entry's current TOTP. - + Vis postens nuværende TOTP. ERROR: unknown attribute %1. - + FEJL: ukendt attribut %1. No program defined for clipboard manipulation - + Der er ikke angivet noget program til manipulering af udklipsholderen Unable to start program %1 - + Kan ikke starte programmet %1 file empty - + filen er tom %1: (row, col) %2,%3 - + %1: (række, kolonne) %2,%3 AES: 256-bit @@ -4704,7 +5827,7 @@ Tilgængelige kommandoer: Argon2 (KDBX 4 – recommended) - Argon2 (KDBX 4 – anbefalet) + Argon2 (KDBX 4 – anbefales) AES-KDF (KDBX 4) @@ -4717,60 +5840,52 @@ Tilgængelige kommandoer: Invalid Settings TOTP - + Ugyldige indstillinger Invalid Key TOTP - + Ugyldig nøgle Message encryption failed. - + Kryptering af meddelelse mislykkedes. No groups found - + Fandt ingen grupper Create a new database. - + Opret en ny database. File %1 already exists. - + Filen %1 findes allerede. Loading the key file failed - + Indlæsning af nøglefilen mislykkedes No key is set. Aborting database creation. - + Der er ikke indstillet nogen nøgle. Afbryder oprettelse af database. Failed to save the database: %1. - + Kunne ikke gemme databasen: %1. Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + Oprettelse af ny database lykkedes. Creating KeyFile %1 failed: %2 - + Oprettelse af nøglefilen %1 mislykkedes: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Fjern en post fra databasen. + Indlæsning af nøglefilen %1 mislykkedes: %2 Path of the entry to remove. @@ -4778,23 +5893,23 @@ Tilgængelige kommandoer: Existing single-instance lock file is invalid. Launching new instance. - Eksisterende enkelt-instans låsefil er invalid. Starter ny instans. + Eksisterende én-instans låsefil er ugyldig. Starter ny instans. The lock file could not be created. Single-instance mode disabled. - Låsefil kunne ikke oprettes. Enkelt-instans-tilstand slået fra. + Låsefil kunne ikke oprettes. Én-instans-tilstand slået fra. KeePassXC - cross-platform password manager - KeePassXC - password manager til flere platforme + KeePassXC - adgangskodehåndtering på tværs af platforme filenames of the password databases to open (*.kdbx) - Filnavne på de kodeordsdatabaser som skal åbnes (*.kdbx) + filnavne på de adgangskodedatabaser som skal åbnes (*.kdbx) path to a custom config file - sti til brugerdefineret indstillingsfil + sti til tilpasset indstillingsfil key file of the database @@ -4802,7 +5917,7 @@ Tilgængelige kommandoer: read password of the database from stdin - Læs kodeord til databasen fra stdin + læs adgangskode til databasen fra stdin Parent window handle @@ -4822,10 +5937,334 @@ Tilgængelige kommandoer: Database password: - + Adgangskode for database: Cannot create new group + Kan ikke oprette ny gruppe + + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + + + + Build Type: %1 + + + + Revision: %1 + Revision: %1 + + + Distribution: %1 + Distribution: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operativsystem: %1 +CPU-arkitektur: %2 +Kerne: %3 %4 + + + Auto-Type + Autoskriv + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + + + + TouchID + + + + None + + + + Enabled extensions: + Aktiverede udvidelser: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Databasen blev ikke ændret af sammenlægningshandlingen. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options @@ -4833,23 +6272,23 @@ Tilgængelige kommandoer: QtIOCompressor Internal zlib error when compressing: - Intern zlib-fejl ved komprimering: + Intern zlib-fejl ved komprimering: Error writing to underlying device: - Fejl ved skrivning til enhed: + Fejl ved skrivning til enhed: Error opening underlying device: - Fejl ved åbning fra enhed: + Fejl ved åbning fra enhed: Error reading data from underlying device: - Fejl ved læsning af data fra underliggende enhed: + Fejl ved læsning af data fra underliggende enhed: Internal zlib error when decompressing: - Intern zlib-fejl ved dekomprimering: + Intern zlib-fejl ved dekomprimering: @@ -4860,97 +6299,97 @@ Tilgængelige kommandoer: Internal zlib error: - Intern zlib fejl: + Intern zlib-fejl: SSHAgent Agent connection failed. - + Forbindelse til agent mislykkedes. Agent protocol error. - + Fejl ved agentens protokol. No agent running, cannot add identity. - + Der kører ikke nogen agent. Kan ikke tilføje identitet. No agent running, cannot remove identity. - + Der kører ikke nogen agent. Kan ikke fjerne identitet. Agent refused this identity. Possible reasons include: - + Agenten nægter identiteten. Mulige årsager inkluderer: The key has already been added. - + Nøglen er allerede blevet tilføjet. Restricted lifetime is not supported by the agent (check options). - + Begrænset livstid understøttes ikke af agenten (tjek indstillingerne). A confirmation request is not supported by the agent (check options). - + En bekræftelsesanmodning understøttes ikke af agenten (tjek indstillingerne). SearchHelpWidget Search Help - + Søg i hjælp Search terms are as follows: [modifiers][field:]["]term["] - + Søgefraser er som følger: [modifiers][felt:]["]frase["] Every search term must match (ie, logical AND) - + Hver søgefrase skal matche (dvs. logisk OG) Modifiers - + Modifiers exclude term from results - + udeluk frase fra resultater match term exactly - + match frase præcist use regex in term - + brug regulært udtryk i frase Fields - + Felter Term Wildcards - + Jokertegn i frase match anything - + match alt match one - + match én logical OR - + logisk ELLER Examples - + Eksempler @@ -4969,47 +6408,134 @@ Tilgængelige kommandoer: Search Help - + Søg i hjælp Search (%1)... Search placeholder text, %1 is the keyboard shortcut - + Søg (%1) ... Case sensitive - Versalfølsom + Der skelnes mellem store og små bogstaver + + + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Generelt + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Gruppe + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Databaseindstillinger + + + Edit database settings + + + + Unlock database + Lås database op + + + Unlock database to show more information + + + + Lock database + Lås database + + + Unlock to show + + + + None + SettingsWidgetKeeShare Active - + Aktivering Allow export - + Tillad eksport Allow import - + Tillad import Own certificate - + Eget certifikat Fingerprint: - + Fingeraftryk: Certificate: - + Certifikat: Signer - + Underskriver Key: @@ -5017,7 +6543,7 @@ Tilgængelige kommandoer: Generate - Opret + Generér Import @@ -5025,23 +6551,23 @@ Tilgængelige kommandoer: Export - + Eksportér Imported certificates - + Importerede certifikater Trust - + Giv troværdighed Ask - + Spørg Untrust - + Fjern troværdighed Remove @@ -5049,11 +6575,11 @@ Tilgængelige kommandoer: Path - + Sti Status - + Status Fingerprint @@ -5061,28 +6587,28 @@ Tilgængelige kommandoer: Certificate - + Certifikat Trusted - + Troværdig Untrusted - + Ikke troværdig Unknown - + Ukendt key.share Filetype for KeeShare key - + nøgle.deling KeeShare key file - + KeeShare-nøglefil All files @@ -5090,38 +6616,133 @@ Tilgængelige kommandoer: Select path - + Vælg sti Exporting changed certificate - + Eksporterer ændret certifikat The exported certificate is not the same as the one in use. Do you want to export the current certificate? - + Det eksporterede certifikat er ikke det samme som det der er i brug. Vil du eksportere det nuværende certifikat? Signer: + Underskriver: + + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Nøgle + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Overskrivning af delingsbeholder som er underskrevet understøttes ikke - eksport forhindret + + + Could not write export container (%1) + Kunne ikke skrive eksportbeholderen (%1) + + + Could not embed signature: Could not open file to write (%1) + Kunne ikke indlejre underskrift: Kunne ikke åbne fil til skrivning (%1) + + + Could not embed signature: Could not write file (%1) + Kunne ikke indlejre underskrift: Kunne ikke skrive fil (%1) + + + Could not embed database: Could not open file to write (%1) + Kunne ikke indlejre database: Kunne ikke åbne fil til skrivning (%1) + + + Could not embed database: Could not write file (%1) + Kunne ikke indlejre database: Kunne ikke skrive fil (%1) + + + Overwriting unsigned share container is not supported - export prevented + Overskrivning af delingsbeholder som ikke er underskrevet understøttes ikke - eksport forhindret + + + Could not write export container + Kunne ikke skrive eksportbeholderen + + + Unexpected export error occurred + Der opstod en uventet fejl ved eksport + + + + ShareImport Import from container without signature - + Importér fra beholder uden underskrift We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + Vi kan ikke bekræfte kilden på den delte beholder da den ikke er underskrevet. Vil du virkelig impotere fra %1? Import from container with certificate - + Importér fra beholder med underskrift + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Skal %1 være troværdig med fingeraftrykket %2 fra %3? Not this time - + Ikke denne gang Never @@ -5129,130 +6750,93 @@ Tilgængelige kommandoer: Always - + Altid Just this time - - - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - + Kun denne gang Signed share container are not supported - import prevented - + Delingsbeholder som er underskrevet understøttes ikke - import forhindret File is not readable - + Filen kan ikke læses Invalid sharing container - + Ugyldig delingsbeholder Untrusted import prevented - + Utroværdig import forhindret Successful signed import - + Underskriver import lykkedes Unexpected error - + Uventet fejl Unsigned share container are not supported - import prevented - + Delingsbeholder som ikke er underskrevet understøttes ikke - import forhindret Successful unsigned import - + Ikke-underskriver import lykkedes File does not exist - + Filen findes ikke Unknown share container type - + Ukendt type delingsbeholder + + + + ShareObserver + + Import from %1 failed (%2) + Import fra %1 mislykkedes (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + Import fra %1 lykkedes (%2) - Could not write export container (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Importerer fra %1 Export to %1 failed (%2) - + Eksportér til %1 mislykkedes (%2) Export to %1 successful (%2) - + Eksportér til %1 lykkedes (%2) Export to %1 - - - - Do you want to trust %1 with the fingerprint of %2 from %3? - + Eksportér til %1 Multiple import source path to %1 in %2 - + Flere importkildestier %1 i %2 Conflicting export target path %1 in %2 - - - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - + Konflikt ved eksportmålets sti %1 i %2 TotpDialog Timed Password - Tidsbaseret kodeord + Tidsbaseret adgangskode 000000 @@ -5260,31 +6844,31 @@ Tilgængelige kommandoer: Copy - Kopier + Kopiér Expires in <b>%n</b> second(s) - + Udløber om <b>%n</b> sekundUdløber om <b>%n</b> sekunder TotpExportSettingsDialog Copy - Kopier + Kopiér NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + BEMÆRK: TOTP-indstillingerne er tilpasset og virker måske ikke med andre autentifikatorere. There was an error creating the QR code. - + Der opstod en fejl ved oprettelse af QR-koden. Closing in %1 seconds. - + Lukker om %1 sekunder. @@ -5293,25 +6877,21 @@ Tilgængelige kommandoer: Setup TOTP Opsæt TOTP - - Key: - Nøgle: - Default RFC 6238 token settings - Standard RFC 6238 token indstillinger + Standard RFC 6238-token indstillinger Steam token settings - Steam token indstillinger + Steam-token indstillinger Use custom settings - Brug brugerdefinerede indstillinger + Brug tilpasset indstillinger Custom Settings - + Tilpasset indstillinger Time step: @@ -5320,34 +6900,63 @@ Tilgængelige kommandoer: sec Seconds - sek + sek Code size: Kodestørrelse: - 6 digits - 6 cifre - - - 7 digits + Secret Key: - 8 digits - 8 cifre + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + Algoritme: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + UpdateCheckDialog Checking for updates - + Søger efter opdateringer Checking for updates... - + Søger efter opdateringer ... Close @@ -5355,46 +6964,46 @@ Tilgængelige kommandoer: Update Error! - + Fejl ved opdatering! An error occurred in retrieving update information. - + Der opstod en fejl ved indhentning af opdateringsinformation. Please try again later. - + Prøv venligst igen senere. Software Update - + Softwareopdatering A new version of KeePassXC is available! - + Der findes en ny version af KeePassXC! KeePassXC %1 is now available — you have %2. - + KeePassXC %1 er tilgængelig nu — du har %2. Download it at keepassxc.org - + Download den på keepassxc.org You're up-to-date! - + Du er opdateret! KeePassXC %1 is currently the newest version available - + KeePassXC %1 er den seneste version WelcomeWidget Start storing your passwords securely in a KeePassXC database - Begynd at gemme dinne kodeord sikkert i en KeePassXC database + Gem dine adgangskoder sikkert i en KeePassXC-database Create new database @@ -5402,7 +7011,7 @@ Tilgængelige kommandoer: Open existing database - Åben en eksisterende database + Åbn en eksisterende database Import from KeePass 1 @@ -5420,6 +7029,14 @@ Tilgængelige kommandoer: Welcome to KeePassXC %1 Velkommen til KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5429,18 +7046,26 @@ Tilgængelige kommandoer: YubiKey Challenge-Response - + Udfordring/svar med YubiKey <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>Hvis du ejer en <a href="https://www.yubico.com/">YubiKey</a>, så kan du bruge den for yderligere sikkerhed.</p><p>YubiKey kræver at en af dets pladser er programmet som <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1-udfordring/svar</a>.</p> No YubiKey detected, please ensure it's plugged in. - + Der er ikke registreret nogen YubiKey. Sørg venligst for at den er sat i. No YubiKey inserted. + Der er ikke indsat nogen YubiKey. + + + Refresh hardware tokens + + + + Hardware key slot selection diff --git a/share/translations/keepassx_de.ts b/share/translations/keepassx_de.ts index fa0746f73..2ab08729b 100644 --- a/share/translations/keepassx_de.ts +++ b/share/translations/keepassx_de.ts @@ -50,7 +50,7 @@ AgentSettingsWidget Enable SSH Agent (requires restart) - SSH Agent aktivieren (Neustart erforderlich) + SSH-Agent aktivieren (Neustart erforderlich) Use OpenSSH for Windows instead of Pageant @@ -73,7 +73,7 @@ Access error for config file %1 - Zugriffsfehler für Konfigurations-Datei %1 + Zugriffsfehler für die Konfigurationsdatei %1 Icon only @@ -95,6 +95,14 @@ Follow style Stil beibehalten + + Reset Settings? + Einstellungen zurück setzten? + + + Are you sure you want to reset all general and security settings to default? + Wollen Sie die Einstellungen für Allgemein und Sicherheit auf die Werkseinstellungen zurück stellen? + ApplicationSettingsWidgetGeneral @@ -110,25 +118,13 @@ Start only a single instance of KeePassXC Nur eine einzige KeePassXC-Instanz starten - - Remember last databases - Letzte Datenbanken merken - - - Remember last key files and security dongles - Letzte Schlüsseldateien und Sicherheits-Dongles merken - - - Load previous databases on startup - Letzte Datenbank beim Start laden - Minimize window at application startup Fenster beim Programmstart minimieren File Management - Datei-Management + Dateimanagement Safely save database files (may be incompatible with Dropbox, etc) @@ -156,16 +152,12 @@ Entry Management - Eintrags-Management + Eintragsmanagement Use group icon on entry creation Gruppensymbol für das Erstellen neuer Einträge verwenden - - Minimize when copying to clipboard - Minimieren beim Kopieren in die Zwischenablage - Hide the entry preview panel Eintrag in Vorschau-Panel verstecken @@ -192,11 +184,7 @@ Hide window to system tray when minimized - Fenster verstecken, wenn minimiert - - - Language - Sprache + Fenster verstecken wenn minimiert Auto-Type @@ -229,23 +217,104 @@ Auto-Type start delay - Auto-Type Startverzögerung - - - Check for updates at application startup - Beim Programmstart nach Updates suchen - - - Include pre-releases when checking for updates - Auch nach neuen Vorabversionen suchen + Startverzögerung für Auto-Type Movable toolbar Bewegbare Werkzeugleiste - Button style - Knopfstil + Remember previously used databases + Zuletzt verwendete Datenbanken merken + + + Load previously open databases on startup + Beim Start zuletzt verwendete Datenbanken öffnen + + + Remember database key files and security dongles + Datenbankschlüsseldateien und Sicherheits-Dongles merken + + + Check for updates at application startup once per week + Bei Anwendungsstart einmal pro Woche auf Updates überprüfen + + + Include beta releases when checking for updates + Bei der Update-Überprüfung Beta-Versionen einbeziehen + + + Button style: + Schaltflächenstil: + + + Language: + Sprache: + + + (restart program to activate) + (zum Aktivieren Programm neu starten) + + + Minimize window after unlocking database + Nach Entsperrung der Datenbank Fenster minimieren + + + Minimize when opening a URL + Minimieren beim Öffnen einer URL + + + Hide window when copying to clipboard + Beim Kopieren in die Zwischenablage Fenster verstecken + + + Minimize + Minimieren + + + Drop to background + In den Hintergrund verschieben + + + Favicon download timeout: + Timeout beim Herunterladen des Favicon: + + + Website icon download timeout in seconds + Timeout beim Herunterladen von Webseitensymbol in Sekunden + + + sec + Seconds + sek + + + Toolbar button style + Schaltflächenstil der Werkzeugliste + + + Use monospaced font for Notes + Nutze Monospace-Schriftart für Notizen + + + Language selection + Sprachauswahl + + + Reset Settings to Default + Zurück setzen auf Werkseinstellungen + + + Global auto-type shortcut + Globaler Auto-Type Kurzbefehl + + + Auto-type character typing delay milliseconds + Auto-Type Zeicheneingabeverzögerung in Millisekunden + + + Auto-type start delay milliseconds + Auto-Type Startverzögerung in Millisekunden @@ -293,11 +362,11 @@ Re-lock previously locked database after performing Auto-Type - Datenbank nach Auto-Type automatisch wieder sperren + Datenbank nach Auto-Type automatisch wieder sperren. Don't require password repeat when it is visible - Keine erneute Passworteingabe verlangen, wenn das Passwort sichtbar ist + Keine erneute Passworteingabe verlangen, wenn das Passwort sichtbar ist. Don't hide passwords when editing them @@ -313,15 +382,36 @@ Hide entry notes by default - Eintragsnotizen standardmäßig verstecken + Eintrags-Notizen standardmäßig verstecken Privacy Datenschutz - Use DuckDuckGo as fallback for downloading website icons - DuckDuckGo als Ersatz für das Herunterladen von Website-Symbolen verwenden + Use DuckDuckGo service to download website icons + Nutze DuckDuckGo Service zum Herunterladen der Webseitensymbole + + + Clipboard clear seconds + Zwischenablage löschen nach ... Sekunden + + + Touch ID inactivity reset + Touch ID-Inaktivitäts-Reset + + + Database lock timeout seconds + Dauer der Datenbanksperre in Sekunden + + + min + Minutes + min + + + Clear search query after + Lösche die Suchabfrage danach @@ -389,6 +479,17 @@ Sequenz + + AutoTypeMatchView + + Copy &username + &Benutzernamen kopieren + + + Copy &password + Passwort kopieren + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Wählen Sie einen Eintrag für Auto-Type: + + Search... + Suche… + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 hat Zugriff auf Passwörter für folgende Einträge angefordert. Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. + + Allow access + Zugriff erlauben + + + Deny access + Zugriff ablehnen + BrowserEntrySaveDialog @@ -443,7 +556,7 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. You have multiple databases open. Please select the correct database for saving credentials. Du hast mehrere Datenbanken geöffnet. -Bitte wähle die richtige Datenbank zum Speichern der Anmeldedaten. +Bitte wähle die richtige Datenbank zum speichern der Anmeldedaten. @@ -456,10 +569,6 @@ Bitte wähle die richtige Datenbank zum Speichern der Anmeldedaten.This is required for accessing your databases with KeePassXC-Browser Dies ist notwendig, um mit KeePassXC-Browser auf Ihre Datenbank zuzugreifen - - Enable KeepassXC browser integration - KeePassXC-Browser-Integration aktivieren - General Allgemein @@ -533,10 +642,6 @@ Bitte wähle die richtige Datenbank zum Speichern der Anmeldedaten.Credentials mean login data requested via browser extension Niemals fragen, bevor Anmeldedaten a&ktualisiert werden. - - Only the selected database has to be connected with a client. - Nur die ausgewählte Datenbank muss mit dem Client verbunden sein. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Bitte wähle die richtige Datenbank zum Speichern der Anmeldedaten.&Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Achtung</b>, die KeePassXC-Proxy Anwendung wurde nicht gefunden!<br />Bitte überprüfen Sie den KeePassXC-Ordner oder bestätigen Sie den benutzerdefinierten Ort in den erweiterten Einstellungen.<br />Die Browseranbindung wird nicht funktionieren, wenn das Proxyprogramm nicht eingebunden ist.<br />Vermuteter Pfad: - Executable Files Ausführbare Dateien @@ -621,6 +722,50 @@ Bitte wähle die richtige Datenbank zum Speichern der Anmeldedaten.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser wird für die Funktion der Browserintegration benötigt. <br />Laden Sie es für %1 und %2. %3 herunter. + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Gibt abgelaufene Anmeldeinformationen zurück. String [expired] wird dem Titel hinzugefügt. + + + &Allow returning expired credentials. + &Erlaubt die Rückgabe abgelaufener Anmeldeinformationen + + + Enable browser integration + Browserintegration aktivieren + + + Browsers installed as snaps are currently not supported. + Browser, die als Snaps installiert sind, werden derzeit nicht unterstützt. + + + All databases connected to the extension will return matching credentials. + Alle Datenbanken, die mit der Erweiterung verbunden sind, geben übereinstimmende Anmeldeinformationen zurück. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Zeige kein Popup, das die Migration von älteren KeePassHTTP-Einstellungen vorschlägt. + + + &Do not prompt for KeePassHTTP settings migration. + &Nicht zur Migration der KeePassHTTP-Einstellungen auffordern. + + + Custom proxy location field + Benutzerdefiniertes Proxystandortfeld + + + Browser for custom proxy file + Browser für benutzerdefinierte Proxydatei + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Achtung</b>, die keepassxc-proxy-Anwendung wurde nicht gefunden!<br>Bitte überprüfen Sie das KeePassXC Installationsverzeichnis oder bestätigen Sie den benutzerdefinierten Pfad in erweiterten Optionen.<br>Browser-Integration WIRD NICHT ohne die Proxy-Anwendung funktionieren.<br>Erwarteter Pfad: %1 + BrowserService @@ -666,29 +811,29 @@ Möchten Sie diesen überschreiben? Converting attributes to custom data… - Attribute werden in zusätzliche Eigenschaften umgewandelt... + Eigenschaften werden in Plugin-Daten umgewandelt... KeePassXC: Converted KeePassHTTP attributes - KeePassXC: KeePassHTTP-Attribute wurden umgewandelt + KeepassXC: KeePassHTTP-Eigenschaften wurden umgewandelt Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - %1 Einträge wurden erfolgreich umgewandelt -%2 Schlüssel zu zusätzlichen Eigenschaften verschoben. + Eigenschaften von %1 Einträgen wurden erfolgreich umgewandelt. +%2 Schlüssel zu Plugin-Daten verschoben. Successfully moved %n keys to custom data. - %1 Einträge wurden erfolgreich umgewandelt%1 Einträge wurden erfolgreich umgewandelt + %n Schlüssel wurde erfolgreich zu Plugin-Daten verschoben.%n Schlüssel wurden erfolgreich zu Plugin-Daten verschoben. KeePassXC: No entry with KeePassHTTP attributes found! - KeePassXC: Keine KeePassHTTP-Einträge gefunden + KeePassXC: Kein Eintrag mit KeePassHTTP-Eigenschaften gefunden! The active database does not contain an entry with KeePassHTTP attributes. - Die aktive Datenbank enthält keinen Eintrag mit KeePassHTTP Einstellungen. + Die aktive Datenbank enthält keinen Eintrag mit KeePassHTTP-Eigenschaften. KeePassXC: Legacy browser integration settings detected @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Dies ist notwendig, um Ihre aktuellen Browserverbindungen aufrechtzuerhalten. Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? + + Don't show this warning again + Diese Warnungen nicht mehr anzeigen + CloneDialog @@ -772,10 +921,6 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? First record has field names Erster Eintrag enthält Feldnamen - - Number of headers line to discard - Anzahl an zu überspringenden Kopfzeilen - Consider '\' an escape character Verwende „\“ als Maskierungs-Zeichen @@ -818,13 +963,29 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? [%n more message(s) skipped] - [zusätzlich %n Nachricht(en) übersprungen][zusätzlich %n Nachricht(en) übersprungen] + [%n weitere Nachricht übersprungen][%n weitere Nachrichten übersprungen] CSV import: writer has errors: %1 CSV-Import: Fehler beim Schreiben: %1 + + Text qualification + Textqualifizierung + + + Field separation + Feldtrennung + + + Number of header lines to discard + Anzahl der zu verwerfenden Kopfzeilen + + + CSV import preview + CSV-Importvorschau + CsvParserModel @@ -839,11 +1000,11 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? %n byte(s) - %n Byte(s)%n Byte(s) + %n Byte%n Bytes %n row(s) - %n Zeile(n)%n Zeile(n) + %n Zeile%n Zeilen @@ -865,10 +1026,6 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? Error while reading the database: %1 Fehler beim Öffnen der Datenbank: %1 - - Could not save, database has no file name. - Speichern der Datenbank fehlgeschlagen, der Name fehlt - File cannot be written as it is opened in read-only mode. Datei ist schreibgeschützt @@ -877,6 +1034,28 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? Key not transformed. This is a bug, please report it to the developers! Schlüssel nicht umgewandelt. Dies ist ein Fehler, bitte melden Sie ihn den Entwicklern! + + %1 +Backup database located at %2 + %1 +Sicherungsdatenbank bei %2 + + + Could not save, database does not point to a valid file. + Konnte nicht gespeichert werden, da die Datenbank nicht auf eine gültige Datei hinweist. + + + Could not save, database file is read-only. + Konnte nicht gespeichert werden, da die Datenbank schreibgeschützt ist. + + + Database file has unmerged changes. + Die Datenbankdatei hat Änderungen die noch nicht gemergt wurden. + + + Recycle Bin + Papierkorb + DatabaseOpenDialog @@ -887,30 +1066,14 @@ Möchten Sie Ihre bestehenden Einstellungen jetzt migrieren? DatabaseOpenWidget - - Enter master key - Master-Passwort eingeben - Key File: Schlüsseldatei: - - Password: - Passwort: - - - Browse - Durchsuchen - Refresh Neu laden - - Challenge Response: - Challenge-Response - Legacy key file format Veraltetes Schlüsseldatei-Format @@ -941,20 +1104,100 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren.Schlüsseldatei auswählen - TouchID for quick unlock - TouchID zum schnellen Entsperren + Failed to open key file: %1 + Fehler beim Öffnen der Schlüsseldatei: %1 - Unable to open the database: -%1 - Öffnen der Datenbank nicht möglich: -%1 + Select slot... + Slot auswählen... - Can't open key file: -%1 - Schlüsseldatei kann nicht geöffnet werden: -%1 + Unlock KeePassXC Database + KeePassXC Datenbank entsperren + + + Enter Password: + Passwort eingeben: + + + Password field + Passwortfeld + + + Toggle password visibility + Passwort-Sichtbarkeit umschalten + + + Enter Additional Credentials: + Geben Sie zusätzliche Anmeldeinformationen ein: + + + Key file selection + Schlüsseldateiauswahl + + + Hardware key slot selection + Hardwareschlüssel-Slot-Auswahl + + + Browse for key file + Suchen nach Schlüsseldatei + + + Browse... + Durchsuchen ... + + + Refresh hardware tokens + Aktualisieren von Hardwaretoken + + + Hardware Key: + Hardwareschlüssel: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Sie können einen Hardwaresicherheitsschlüssel wie <strong>YubiKey</strong> oder <strong>OnlyKey</strong> mit Slots, die für HMAC-SHA1 konfiguriert sind, verwenden.</p> + <p>Klicken Sie hier, um weitere Informationen zu erhalten...</p> + + + Hardware key help + Hilfe zu Hardwareschlüssel + + + TouchID for Quick Unlock + TouchID für Quick Unlock + + + Clear + Löschen + + + Clear Key File + Schlüsseldatei löschen + + + Select file... + Datei auswählen … + + + Unlock failed and no password given + Entsperren fehlgeschlagen und kein Passwort angegeben + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Das Entsperren der Datenbank ist fehlgeschlagen und Sie haben kein Passwort eingegeben. +Möchten Sie es stattdessen mit einem "leeren" Passwort versuchen? + +Um zu verhindern, dass dieser Fehler auftritt, müssen Sie zu "Datenbankeinstellungen / Sicherheit" gehen und Ihr Passwort zurücksetzen. + + + Retry with empty password + Wiederholen mit leerem Passwort @@ -1007,7 +1250,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Move KeePassHTTP attributes to KeePassXC-Browser &custom data - KeePassHTTP-Einstellungen zu KeePassXC-Browser übertragen. + KeePassHTTP-Eigenschaften zu KeePassXC-Browser-Plugin-Daten übertragen Stored keys @@ -1089,7 +1332,7 @@ Zugriffserlaubnisse zu allen Einträgen werden gelöscht. Successfully removed permissions from %n entry(s). - Zugriffsberechtigungen für %n Eintrag/Einträge erfolgreich gelöscht.Zugriffsberechtigungen für %n Eintrag/Einträge erfolgreich gelöscht. + Berechtigungen aus %n Eintrag erfolgreich entfernt.Berechtigungen aus %n Einträgen erfolgreich entfernt. KeePassXC: No entry with permissions found! @@ -1101,13 +1344,21 @@ Zugriffserlaubnisse zu allen Einträgen werden gelöscht. Move KeePassHTTP attributes to custom data - KeePassHTTP-Einstellungen zu KeePassXC-Browser übertragen. + KeePassHTTP-Eigenschaften zu Plugin-Daten übertragen Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - Sollen alle Einstellungen der veralteten Browserintegrationn zur aktuellen Version migriert werden? -Das ist nötig um das Browser-Plugin kompatibel zu halten. + Sollen alle Einstellungen der veralteten Browserintegration zur aktuellen Version migriert werden? +Das ist nötig, um das Browser-Plugin kompatibel zu halten. + + + Stored browser keys + Gespeicherte Browserschlüssel + + + Remove selected key + Entferne ausgewählte Schlüssel @@ -1154,7 +1405,7 @@ Das ist nötig um das Browser-Plugin kompatibel zu halten. Change - Veränderunge + Ändern 100 ms @@ -1239,7 +1490,7 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken thread(s) Threads for parallel execution (KDF settings) - Thread(s)Thread(s) + Thread Threads %1 ms @@ -1251,6 +1502,57 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken seconds %1 s%1 s + + Change existing decryption time + Vorhandene Entschlüsselungszeit ändern + + + Decryption time in seconds + Entschlüsselungszeit in Sekunden + + + Database format + Datenbankformat + + + Encryption algorithm + Verschlüsselungsalgorithmus + + + Key derivation function + Funktion zur Schlüsselableitung + + + Transform rounds + Transformationsrunden + + + Memory usage + Speicherbelegung + + + Parallelism + Parallelität + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Offengelegte Einträge + + + Don't e&xpose this database + Diese Datenbank nicht o&ffenlegen + + + Expose entries &under this group: + Einträge &unter dieser Gruppe offenlegen: + + + Enable fd.o Secret Service to access these settings. + Aktivieren Sie den fd.o Secret Service, um auf diese Einstellungen zuzugreifen. + DatabaseSettingsWidgetGeneral @@ -1284,7 +1586,7 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken MiB - MiB + MiB Use recycle bin @@ -1298,6 +1600,40 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken Enable &compression (recommended) &Kompression aktivieren (empfohlen) + + Database name field + Namensfeld der Datenbank + + + Database description field + Beschreibungsfeld der Datenbank + + + Default username field + Standardbenutzernamen-Feld + + + Maximum number of history items per entry + Maximale Anzahl von Chronik-Elementen pro Eintrag + + + Maximum size of history per entry + Maximale Größe des Verlaufs pro Eintrag + + + Delete Recycle Bin + Papierkorb leeren + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Wollen Sie den aktuellen Papierkorb mit allen Inhalten leeren? +Dieser Vorgang ist nicht umkehrbar! + + + (old) + (alt) + DatabaseSettingsWidgetKeeShare @@ -1319,7 +1655,7 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken Last Signer - Letzte Unteschrift + Letzter Unterzeichner Certificates @@ -1365,6 +1701,10 @@ Soll tatsächlich ohne Passwort fortgefahren werden? Failed to change master key Ändern des Hauptschlüssels gescheitert + + Continue without password + Ohne Passwort fortsetzen + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1716,129 @@ Soll tatsächlich ohne Passwort fortgefahren werden? Description: Beschreibung: + + Database name field + Namensfeld der Datenbank + + + Database description field + Beschreibungsfeld der Datenbank + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statistiken + + + Hover over lines with error icons for further information. + Fahren Sie für weitere Informationen mit der Maus über die Zeilen mit Fehlersymbolen. + + + Name + Name + + + Value + Wert + + + Database name + Name der Datenbank + + + Description + Beschreibung + + + Location + Standort + + + Last saved + Zuletzt gespeichert + + + Unsaved changes + Nicht gespeicherte Änderungen + + + yes + ja + + + no + nein + + + The database was modified, but the changes have not yet been saved to disk. + Die Datenbank wurde geändert, aber die Änderungen wurden noch nicht auf dem Datenträger gespeichert. + + + Number of groups + Anzahl der Gruppen + + + Number of entries + Anzahl der Einträge + + + Number of expired entries + Anzahl der abgelaufenen Einträge + + + The database contains entries that have expired. + Die Datenbank enthält abgelaufene Einträge. + + + Unique passwords + Eindeutige Passwörter + + + Non-unique passwords + Nicht eindeutige Kennwörter + + + More than 10% of passwords are reused. Use unique passwords when possible. + Mehr als 10 % der Kennwörter werden wiederverwendet. Verwenden Sie nach Möglichkeit eindeutige Kennwörter. + + + Maximum password reuse + Maximale Wiederverwendung des Kennworts + + + Some passwords are used more than three times. Use unique passwords when possible. + Einige Kennwörter werden mehr als dreimal verwendet. Verwenden Sie nach Möglichkeit eindeutige Kennwörter. + + + Number of short passwords + Anzahl der kurzen Kennwörter + + + Recommended minimum password length is at least 8 characters. + Empfohlene minimale Kennwortlänge beträgt mindestens 8 Zeichen. + + + Number of weak passwords + Anzahl schwacher Kennwörter + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Empfehlen Sie die Verwendung langer, randomisierter Kennwörter mit der Bewertung "gut" oder "hervorragend". + + + Average password length + Durchschnittliche Kennwortlänge + + + %1 characters + %1 Zeichen + + + Average password length is less than ten characters. Longer passwords provide more security. + Die durchschnittliche Kennwortlänge beträgt weniger als zehn Zeichen. Längere Kennwörter bieten mehr Sicherheit. + DatabaseTabWidget @@ -1425,10 +1888,6 @@ This is definitely a bug, please report it to the developers. Die erstellte Datenbank hat keinen Schlüssel oder KDF, sie kann nicht gespeichert werden. Das ist definitiv ein Fehler, teile das bitte den Entwicklern mit. - - The database file does not exist or is not accessible. - Die Datenbankdatei existiert nicht oder ist nicht zugreifbar. - Select CSV file CSV-Datei auswählen @@ -1452,6 +1911,30 @@ Das ist definitiv ein Fehler, teile das bitte den Entwicklern mit. Database tab name modifier %1 [Schreibgeschützt] + + Failed to open %1. It either does not exist or is not accessible. + Fehler beim Öffnen von %1. Es ist entweder nicht vorhanden oder nicht zugänglich. + + + Export database to HTML file + Datenbank in HTML-Datei exportieren + + + HTML file + HTML-Datei + + + Writing the HTML file failed. + Fehler beim Schreiben der HTML-Datei. + + + Export Confirmation + Bestätigung exportieren + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Sie sind dabei, Ihre Datenbank in eine unverschlüsselte Datei zu exportieren. Dadurch bleiben Ihre Passwörter und sensiblen Informationen anfällig! Möchten Sie den Vorgang wirklich fortsetzen? + DatabaseWidget @@ -1469,7 +1952,7 @@ Das ist definitiv ein Fehler, teile das bitte den Entwicklern mit. Do you really want to move %n entry(s) to the recycle bin? - Möchten Sie wirklich %n Eintrag aus dem Papierkorb löschen?Möchten Sie wirklich %n Einträge aus dem Papierkorb löschen? + Wollen Sie wirklich %n Eintrag in den Papierkorb verschieben?Wollen Sie wirklich %n Einträge in den Papierkorb verschieben? Execute command? @@ -1531,19 +2014,15 @@ Möchten Sie Ihre Änderungen zusammenführen? Do you really want to delete %n entry(s) for good? - Sollen tatsächlich %n Einträge gelöscht werden?Sollen tatsächlich %n Einträge gelöscht werden? + Möchten Sie wirklich %n Eintrag für immer löschen?Möchten Sie wirklich %n Einträge für immer löschen? Delete entry(s)? - Eintrag/Einträge löschen?Eintrag/Einträge löschen? + Eintrag löschen?Einträge löschen? Move entry(s) to recycle bin? - Eintrag/Einträge in den Papierkorb verschieben?Eintrag/Einträge in den Papierkorb verschieben? - - - File opened in read only mode. - Datei ist schreibgeschützt + Eintrag in den Papierkorb verschieben?Einträge in den Papierkorb verschieben? Lock Database? @@ -1585,12 +2064,6 @@ Fehler: %1 Disable safe saves and try again? KeePassXC konnte die Datenbank nach mehrmaligem Versuch nicht erfolgreich speichern. Dies wird möglicherweise durch Synchronisierungsdienste verursacht, die die Datei geöffnet halten. Sicheres Speichern deaktivieren und erneut versuchen? - - - Writing the database failed. -%1 - Schreiben der Datenbank fehlgeschlagen. -%1 Passwords @@ -1610,7 +2083,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Eintrag "%1" hat %2 Referenz(en). Sollen die Referenzen mit den Werten überschrieben, der Eintrag überprungen oder trotzdem gelöscht werden?Eintrag "%1" hat %2 Referenz(en). Sollen die Referenzen mit den Werten überschrieben, der Eintrag überprungen oder trotzdem gelöscht werden? + Eintrag "%1" hat %2 Referenz. Möchten Sie die Referenz mit einem Wert überschreiben, diesen Eintrag überspringen oder trotzdem löschen?Eintrag "%1" hat %2 Referenzen. Möchten Sie die Referenzen mit Werten überschreiben, diesen Eintrag überspringen oder trotzdem löschen? Delete group @@ -1636,6 +2109,14 @@ Sicheres Speichern deaktivieren und erneut versuchen? Shared group... Gemeinsame Gruppe... + + Writing the database failed: %1 + Schreiben der Datenbank fehlgeschlagen: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Diese Datenbank wird im schreibgeschützten Modus geöffnet. Autosave ist deaktiviert. + EditEntryWidget @@ -1677,15 +2158,15 @@ Sicheres Speichern deaktivieren und erneut versuchen? Select private key - Privatschlüssel auswählen + Privaten Schlüssel auswählen File too large to be a private key - Datei zu groß, um ein Privatschlüssel zu sein + Datei ist zu groß, um ein privater Schlüssel zu sein Failed to open private key - Privatschlüssel konnte nicht geöffnet werden + Privater Schlüssel konnte nicht geöffnet werden Entry history @@ -1709,7 +2190,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? Are you sure you want to remove this attribute? - Sind Sie sicher, dass Sie dieses Attribut entfernen möchten? + Sind Sie sicher, dass Sie diese Eigenschaft entfernen möchten? Tomorrow @@ -1721,7 +2202,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? %n month(s) - %n Monat%n Monate + %n Monat%n Monaten Apply generated password? @@ -1749,12 +2230,24 @@ Sicheres Speichern deaktivieren und erneut versuchen? %n year(s) - %n Jahre%n Jahre + %n Jahr%n Jahre Confirm Removal Löschen bestätigen + + Browser Integration + Browser-Integration + + + <empty URL> + <leere URL> + + + Are you sure you want to remove this URL? + Möchten Sie diese URL wirklich entfernen? + EditEntryWidgetAdvanced @@ -1788,11 +2281,47 @@ Sicheres Speichern deaktivieren und erneut versuchen? Foreground Color: - Textfarbe + Textfarbe: Background Color: - Hintergrundfarbe + Hintergrundfarbe: + + + Attribute selection + Eigenschaftsauswahl + + + Attribute value + Eigenschaftswert + + + Add a new attribute + Hinzufügen einer neuen Eigenschaft + + + Remove selected attribute + Ausgewählte Eigenschaft entfernen + + + Edit attribute name + Namen der Eigenschaft bearbeiten + + + Toggle attribute protection + Schutz der Eigenschaft umschalten + + + Show a protected attribute + Eine geschützte Eigenschaft anzeigen + + + Foreground color selection + Auswahl der Vordergrundfarbe + + + Background color selection + Auswahl der Hintergrundfarbe @@ -1829,6 +2358,77 @@ Sicheres Speichern deaktivieren und erneut versuchen? Use a specific sequence for this association: Spezielle Auto-Type-Sequenz für dieses Fenster verwenden: + + Custom Auto-Type sequence + Benutzerdefinierte Auto-Type-Sequenz + + + Open Auto-Type help webpage + Auto-Type-Hilfe-Webseite öffnen + + + Existing window associations + Bestehende Fenster-Einstellungen + + + Add new window association + Neue Fenster-Einstellung hinzufügen + + + Remove selected window association + Ausgewählte Fenster-Einstellung entfernen + + + You can use an asterisk (*) to match everything + Sie können einen Asterisk (*) benutzen, um die Auswahl auf alles auszuweiten + + + Set the window association title + Titel der Fenster-Einstellung festlegen + + + You can use an asterisk to match everything + Sie können einen Asterisk benutzen, um die Auswahl auf alles auszuweiten + + + Custom Auto-Type sequence for this window + Benutzerdefinierte Auto-Type-Sequenz für dieses Fenster + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Diese Einstellungen beeinflussen das Verhalten des Eintrags mit der Browser-Erweiterung. + + + General + Allgemein + + + Skip Auto-Submit for this entry + Auto-Submit für diesen Eintrag überspringen + + + Hide this entry from the browser extension + Diesen Eintrag vor der Browsererweiterung verstecken + + + Additional URL's + Zusätzliche URL's + + + Add + Hinzufügen + + + Remove + Entfernen + + + Edit + Bearbeiten + EditEntryWidgetHistory @@ -1848,6 +2448,26 @@ Sicheres Speichern deaktivieren und erneut versuchen? Delete all Alle löschen + + Entry history selection + Auswahl des Eintrags-Verlaufs + + + Show entry at selected history state + Eintrag zum ausgewählten Verlaufszustand anzeigen + + + Restore entry to selected history state + Eintrag aus ausgewähltem Verlaufszustand wiederherstellen + + + Delete selected history state + Ausgewählten Verlaufszustand löschen + + + Delete all history + Lösche die gesamte Chronik + EditEntryWidgetMain @@ -1887,6 +2507,62 @@ Sicheres Speichern deaktivieren und erneut versuchen? Expires Verfällt + + Url field + URL-Feld + + + Download favicon for URL + Lade Favicon für URL herunter + + + Repeat password field + Wiederhole Passwortfeld + + + Toggle password generator + Passwortgenerator umschalten + + + Password field + Passwortfeld + + + Toggle password visibility + Passwort-Sichtbarkeit umschalten + + + Toggle notes visible + Notizen-Sichtbarkeit umschalten + + + Expiration field + Ablaufdatums-Feld + + + Expiration Presets + Ablaufdatums-Vorgaben + + + Expiration presets + Ablaufdatums-Vorgaben + + + Notes field + Notizen-Feld + + + Title field + Titel-Feld + + + Username field + Benutzernamen-Feld + + + Toggle expiration + Ablaufdatum umschalten + EditEntryWidgetSSHAgent @@ -1932,11 +2608,11 @@ Sicheres Speichern deaktivieren und erneut versuchen? Copy to clipboard - In Zwischenablage kopieren + In die Zwischenablage kopieren Private key - Privatschlüssel + Privater Schlüssel External file @@ -1963,6 +2639,22 @@ Sicheres Speichern deaktivieren und erneut versuchen? Require user confirmation when this key is used Verlange Benutzer-Bestätigung, wenn Schlüssel verwendet wird. + + Remove key from agent after specified seconds + Schlüssel von Agent nach angegebenen Sekunden entfernen + + + Browser for key file + Browser für die Schlüsseldatei + + + External key file + Externe Schlüsseldatei + + + Select attachment file + Wähle Anhang + EditGroupWidget @@ -1998,6 +2690,10 @@ Sicheres Speichern deaktivieren und erneut versuchen? Inherit from parent group (%1) Von der übergeordneten Gruppe (%1) erben + + Entry has unsaved changes + Eintrag enthält nicht gespeicherte Änderungen + EditGroupWidgetKeeShare @@ -2025,34 +2721,6 @@ Sicheres Speichern deaktivieren und erneut versuchen? Inactive Inaktiv - - Import from path - Aus Pfad importieren - - - Export to path - In Pfad exportieren - - - Synchronize with path - Mit Pfad synchronisieren - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Diese KeePassXC-Version unterstützt das gewählte Teilen nicht. Bitte benutze Version %1. - - - Database sharing is disabled - Teilen der Datenbank deaktiviert - - - Database export is disabled - Export der Datenbank deaktiviert - - - Database import is disabled - Import einer Datenbank deaktiviert - KeeShare unsigned container KeeShare unbestätigter Container @@ -2071,23 +2739,82 @@ Sicheres Speichern deaktivieren und erneut versuchen? Select import/export file - Wähle Datei für Import/Export + Datei für Import/Export wählen Clear Löschen - The export container %1 is already referenced. - Der Exportcontainer %1 wird bereits referenziert. + Import + Importieren - The import container %1 is already imported. - Der Importcontainer %1 ist bereits importiert. + Export + Export - The container %1 imported and export by different groups. - Der Container %1 wird von unterschiedlichen Gruppen importiert und exportiert. + Synchronize + Synchronisieren + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Ihre Version von KeePassXC unterstützt das Teilen dieses Containertyps nicht. +Unterstützte Erweiterungen sind: %1. + + + %1 is already being exported by this database. + %1 wird bereits von dieser Datenbank exportiert. + + + %1 is already being imported by this database. + %1 wird bereits von dieser Datenbank importiert. + + + %1 is being imported and exported by different groups in this database. + %1 wird von verschiedenen Gruppen in dieser Datenbank importiert und exportiert. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare is derzeit deaktiviert. Sie können den Import/Export in den Anwendungseinstellungen aktivieren. + + + Database export is currently disabled by application settings. + Der Export von Datenbanken ist in den Anwendungseinstellungen deaktiviert. + + + Database import is currently disabled by application settings. + Der Import von Datenbanken ist in den Anwendungseinstellungen deaktiviert. + + + Sharing mode field + Freigabemodus-Feld + + + Path to share file field + Feld für Pfad der Freigabe-Datei + + + Browser for share file + Browser für Freigabe-Datei + + + Password field + Passwortfeld + + + Toggle password visibility + Passwort-Sichtbarkeit umschalten + + + Toggle password generator + Passwortgenerator umschalten + + + Clear fields + Felder leeren @@ -2120,6 +2847,34 @@ Sicheres Speichern deaktivieren und erneut versuchen? Set default Auto-Type se&quence Standard-Auto-Type-Se&quenz setzen + + Name field + Namens-Feld + + + Notes field + Notiz-Feld + + + Toggle expiration + Ablaufdatum umschalten + + + Auto-Type toggle for this and sub groups + Auto-Type umschalten hierfür und für Untergruppen + + + Expiration field + Ablaufdatums-Feld + + + Search toggle for this and sub groups + Suche umschalten hierfür und für Untergruppen + + + Default auto-type sequence field + Standard-Auto-Type-Sequenz-Feld + EditWidgetIcons @@ -2155,29 +2910,17 @@ Sicheres Speichern deaktivieren und erneut versuchen? All files Alle Dateien - - Custom icon already exists - Es gibt bereits ein eigenes Symbol - Confirm Delete Löschen bestätigen - - Custom icon successfully downloaded - Benutzerdefiniertes Symbol erfolgreich heruntergeladen - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Tipp: Sie können DuckDuckGo als Ersatz unter Werkzeuge>Einstellungen>Sicherheit aktivieren - Select Image(s) Bild(er) auswählen Successfully loaded %1 of %n icon(s) - %1 von %n Symbol(en) erfolgreiche heruntergeladen%1 von %n Symbol(en) erfolgreiche heruntergeladen + Erfolgreich %1 von %n Symbol geladenErfolgreich %1 von %n Symbolen geladen No icons were loaded @@ -2185,16 +2928,52 @@ Sicheres Speichern deaktivieren und erneut versuchen? %n icon(s) already exist in the database - %n Symbol(e) gibt es bereits in der Datenbank%n Symbol(e) gibt es bereits in der Datenbank + %n Symbol gibt es bereits in der Datenbank%n Symbole gibt es bereits in der Datenbank The following icon(s) failed: - Das Laden der folgenden Symbole ist fehlgeschlagen:Das Laden der folgenden Symbole ist fehlgeschlagen: + Das folgende Symbol ist fehlgeschlagen:Die folgenden Symbole sind fehlgeschlagen: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Dieses Symbol wird von %n Eintrag benutzt und wird mit dem Standardsymbol ersetzt. Sind Sie sicher, dass es gelöscht werden soll?Dieses Symbol wird von %n Einträgen benutzt und wird mit dem Standardsymbol ersetzt. Sind Sie sicher, dass es gelöscht werden soll? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Sie können den DuckDuckGo-Webseitensymbol-Dienst unter Werkzeuge -> Einstellungen -> Sicherheit aktivieren + + + Download favicon for URL + Lade Favicon für URL herunter + + + Apply selected icon to subgroups and entries + Ausgewähltes Symbol auf Untergruppen und Einträge anwenden + + + Apply icon &to ... + Symbol anwenden &auf ... + + + Apply to this only + Nur hierauf anwenden + + + Also apply to child groups + Auch auf Untergruppen anwenden + + + Also apply to child entries + Auch auf Untereinträge anwenden + + + Also apply to all children + Auch auf alle Kinder anwenden + + + Existing icon selected. + Bestehendes Symbol ausgewählt. + EditWidgetProperties @@ -2240,6 +3019,30 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Value Wert + + Datetime created + Erstellungs-Zeitpunkt + + + Datetime modified + Änderungs-Zeitpunkt + + + Datetime accessed + Zugriffs-Zeitpunkt + + + Unique ID + Einzigartige ID + + + Plugin data + Plugin-Daten + + + Remove selected plugin data + Ausgewählte Plugin-Daten entfernen + Entry @@ -2275,7 +3078,7 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Open - Offen + Öffnen Save @@ -2287,7 +3090,7 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Are you sure you want to remove %n attachment(s)? - Sind Sie sicher, dass Sie einen Anhang löschen möchten?Sind Sie sicher, dass Sie %n Anhänge löschen möchten? + Sind Sie sicher, dass Sie %n Anhang löschen möchten?Sind Sie sicher, dass Sie %n Anhänge löschen möchten? Save attachments @@ -2332,10 +3135,30 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Unable to open file(s): %1 - Öffnen der Datei(en) nicht möglich: -%1Öffnen der Datei(en) nicht möglich: + Datei kann nicht geöffnet werden: +%1Dateien können nicht geöffnet werden: %1 + + Attachments + Anhänge + + + Add new attachment + Neuen Anhang hinzufügen + + + Remove selected attachment + Neuen Anhang enfernen + + + Open selected attachment + Ausgewählten Anhang öffnen + + + Save selected attachment to disk + Ausgewählten Anhang auf Festplatte speichern + EntryAttributesModel @@ -2429,10 +3252,6 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni EntryPreviewWidget - - Generate TOTP Token - TOTP-Token generieren - Close Schließen @@ -2459,7 +3278,7 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Attributes - Attribute + Eigenschaften Attachments @@ -2518,6 +3337,14 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Share Teilen + + Display current TOTP value + Wert des aktuellen Einmalpassworts anzeigen (TOTP) + + + Advanced + Fortgeschritten + EntryView @@ -2551,11 +3378,33 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni - Group + FdoSecrets::Item - Recycle Bin - Papierkorb + Entry "%1" from database "%2" was used by %3 + Eintrag "%1" aus Datenbank "%2" wurde von %3 verwendet + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Registration des DBus-Service auf %1 fehlgeschlagen: es läuft bereits ein anderer Secret Service. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n Eintrag wurde von %1 verwendet%n Einträge wurden von %1 verwendet + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo Secret Service: %1 + + + + Group [empty] group has no children @@ -2573,6 +3422,59 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Speichern des Native-Messaging-Skripts nicht möglich. + + IconDownloaderDialog + + Download Favicons + Favicons herunterladen + + + Cancel + Abbrechen + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Probleme beim Herunterladen der Symbole? +Sie können den DuckDuckGo-Webseitensymbol-Service im Sicherheits-Abschnitt der Anwendungseinstellungen aktivieren. + + + Close + Schließen + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + Bitte warten Sie, die Einträge werden geladen... + + + Downloading... + Lade herunter... + + + Ok + Ok + + + Already Exists + Existiert bereits + + + Download Failed + Download fehlgeschlagen + + + Downloading favicons (%1/%2)... + Lade Favicons (%1/%2) herunter... + + KMessageWidget @@ -2594,10 +3496,6 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Unable to issue challenge-response. Fehler beim Ausführen des Challenge-Response-Verfahrens - - Wrong key or database file is corrupt. - Falscher Schlüssel oder die Datenbank ist beschädigt. - missing database headers fehlende Datenbank-Header @@ -2618,6 +3516,12 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Invalid header data length Ungültige Header-Datenlänge + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ungültige Anmeldedaten wurden angegeben, bitte versuchen Sie es noch einmal. +Falls dies wiederholt passiert, dann könnte Ihre Datenbank beschädigt sein. + Kdbx3Writer @@ -2648,10 +3552,6 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Header SHA256 mismatch Ungültige SHA256-Prüfsumme für Header - - Wrong key or database file is corrupt. (HMAC mismatch) - Falscher Schlüssel oder Datei ist beschädigt (ungültiger HMAC) - Unknown cipher Unbekannter Verschlüsselungsalgorithmus @@ -2752,6 +3652,16 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Translation: variant map = data structure for storing meta data Falsche Feldgröße für Variant-Map-Feldtyp + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ungültige Anmeldedaten wurden angegeben, bitte versuchen Sie es noch einmal. +Falls dies wiederholt passiert, dann könnte Ihre Datenbank beschädigt sein. + + + (HMAC mismatch) + (HMAC nicht übereinstimmend) + Kdbx4Writer @@ -2859,11 +3769,11 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Missing custom data key or value - Fehlender benutzerdefinierter Datenschlüssel oder -wert + Fehlender Plugin-Daten-Schlüssel oder -wert Multiple group elements - Mehrere Gruppen-Elemente + Mehrere Gruppenelemente Null group uuid @@ -2915,7 +3825,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Duplicate custom attribute found - Doppelte Benutzerattribut gefunden + Doppelte benutzerdefinierte Eigenschaft gefunden Entry string key or value missing @@ -2973,14 +3883,14 @@ Zeile %2, Spalte %3 KeePass1OpenWidget - - Import KeePass1 database - KeePass 1 Datenbank importieren - Unable to open the database. Öffnen der Datenbank ist nicht möglich. + + Import KeePass1 Database + Importiere KeePass1-Datenbank + KeePass1Reader @@ -3037,10 +3947,6 @@ Zeile %2, Spalte %3 Unable to calculate master key Berechnung des Master-Passworts gescheitert - - Wrong key or database file is corrupt. - Falscher Schlüssel oder die Datenbank ist beschädigt. - Key transformation failed Schlüssel-Transformation fehlgeschlagen @@ -3137,40 +4043,58 @@ Zeile %2, Spalte %3 unable to seek to content position Kann nicht zur Inhaltsposition spulen + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ungültige Anmeldedaten wurden angegeben, bitte versuchen Sie es noch einmal. +Falls dies wiederholt passiert, dann könnte Ihre Datenbank beschädigt sein. + KeeShare - Disabled share - Deaktiviertes Teilen + Invalid sharing reference + Ungültige Freigabe-Referenz - Import from - Import von + Inactive share %1 + Inaktive Freigabe %1 - Export to - Export nach + Imported from %1 + Importiert aus %1 - Synchronize with - Synchronisieren mit + Exported to %1 + Exportiert nach %1 - Disabled share %1 - Freigabe %1 deaktiviert + Synchronized with %1 + Synchronisiert mit %1 - Import from share %1 - Von Freigabe %1 importieren + Import is disabled in settings + Der Import ist in den Einstellungen deaktiviert - Export to share %1 - Zu Freigabe %1 exportieren + Export is disabled in settings + Der Export ist in den Einstellungen deaktiviert - Synchronize with share %1 - Mit Freigabe %1 synchronisieren + Inactive share + Inaktive Freigabe + + + Imported from + Importiert von + + + Exported to + Exportiert nach + + + Synchronized with + Synchronisiert mit @@ -3214,10 +4138,6 @@ Zeile %2, Spalte %3 KeyFileEditWidget - - Browse - Durchsuchen - Generate Generieren @@ -3273,6 +4193,44 @@ Fehler: %2 Select a key file Schlüsseldatei auswählen + + Key file selection + Schlüsseldateiauswahl + + + Browse for key file + Suchen nach Schlüsseldatei + + + Browse... + Durchsuchen ... + + + Generate a new key file + Generiere eine neue Schlüsseldatei + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Hinweis: Benutzen Sie keine veränderbare Datei, da dies die Entschlüsselung verhindern wird! + + + Invalid Key File + Ungültige Schlüsseldatei + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Sie können nicht die aktuelle Datenbank als ihre eigene Schlüsseldatei wählen. Bitte wählen Sie eine andere Datei oder generieren Sie eine neue Schlüsseldatei. + + + Suspicious Key File + Verdächtige Schlüsseldatei + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Die gewählte Schlüsseldatei sieht aus wie eine Passwort-Datenbank-Datei. Eine Schlüsseldatei muss eine statische Datei sein, die sich niemals ändert, sonst verlieren Sie für immer den Zugriff auf Ihre Datenbank. +Wollen Sie wirklich mit dieser Datei fortfahren? + MainWindow @@ -3360,13 +4318,9 @@ Fehler: %2 &Settings &Einstellungen - - Password Generator - Passwortgenerator - &Lock databases - Datenbank &sperren + Datenbanken &sperren &Title @@ -3414,7 +4368,7 @@ Fehler: %2 Access error for config file %1 - Zugriffsfehler für Konfigurations-Datei %1 + Zugriffsfehler für die Konfigurationsdatei %1 Settings @@ -3451,8 +4405,8 @@ Diese Version ist nicht für den Produktiveinsatz gedacht. WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - WARNUNG: Deine Qt-Version könnte KeePassXC mit einer Bildschirmtastatur zu abstürzen bringen! -Wir empfehlen die Verwendung des verfügbaren App-Images auf unserer Downloadseite. + WARNUNG: Deine Qt Version könnte KeePassXC mit einer Bildschirmtastatur zu abstürzen bringen! +Wir empfehlen dir die Verwendung des auf unserer Downloadseite verfügbaren AppImage. &Import @@ -3508,7 +4462,7 @@ Wir empfehlen die Verwendung des verfügbaren App-Images auf unserer Downloadsei Change master &key... - Hauptschlüssel ändern ... + Hauptschlüssel ändern... &Database settings... @@ -3550,14 +4504,6 @@ Wir empfehlen die Verwendung des verfügbaren App-Images auf unserer Downloadsei Show TOTP QR Code... TOTP QR-Code anzeigen... - - Check for Updates... - Suche nach Updates… - - - Share entry - Eintrag teilen - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3576,6 +4522,74 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins You can always check for updates manually from the application menu. Es kann auch immer manuell im Menü nach Updates gesucht werden. + + &Export + &Export + + + &Check for Updates... + &Suche nach Aktualisierungen... + + + Downlo&ad all favicons + &Alle Favicons herunterladen + + + Sort &A-Z + Sortiere &A-Z + + + Sort &Z-A + Sortiere &Z-A + + + &Password Generator + &Passwortgenerator + + + Download favicon + Favicon herunterladen + + + &Export to HTML file... + &Exportiere in HTML-Datei... + + + 1Password Vault... + 1Password-Tresor... + + + Import a 1Password Vault + Importiere einen 1Password-Tresor + + + &Getting Started + &Erste Schritte + + + Open Getting Started Guide PDF + PDF-Anleitung für Erste Schritte öffnen + + + &Online Help... + &Onlinehilfe... + + + Go to online documentation (opens browser) + Besuche Online-Dokumentation (öffnet Browser) + + + &User Guide + &Benutzerhandbuch + + + Open User Guide PDF + Öffne PDF des Benutzerhandbuchs + + + &Keyboard Shortcuts + &Tastenkombinationen + Merger @@ -3635,6 +4649,14 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Adding missing icon %1 Fehlendes Symbol hinzufügen %1 + + Removed custom data %1 [%2] + Plugin-Daten %1 entfernt [%2] + + + Adding custom data %1 [%2] + Plugin-Daten %1 werden hinzugefügt [%2] + NewDatabaseWizard @@ -3675,7 +4697,7 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins NewDatabaseWizardPageEncryption Encryption Settings - Verschlüsselungseinstellung + Verschlüsselungseinstellungen Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. @@ -3704,6 +4726,73 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Bitte einen Namen und wahlweise eine Beschreibung der neuen Datenbank eingeben: + + OpData01 + + Invalid OpData01, does not contain header + Ungültiges OpData01, enthält keinen Header + + + Unable to read all IV bytes, wanted 16 but got %1 + Konnte nicht alle IV-Bytes lesen, wollte 16, aber bekam %1 + + + Unable to init cipher for opdata01: %1 + Kann Cipher für opdata01 nicht initialisieren: %1 + + + Unable to read all HMAC signature bytes + Kann nicht alle HMAC-Signatur-Bytes lesen + + + Malformed OpData01 due to a failed HMAC + Fehlerhaftes OpData01 aufgrund von fehlgeschlagenem HMAC + + + Unable to process clearText in place + Kann clearText nicht direkt verarbeiten + + + Expected %1 bytes of clear-text, found %2 + %1 Bytes Klartext erwartet, %2 gefunden + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Gelesene Datenbank ergab keine Instanz +%1 + + + + OpVaultReader + + Directory .opvault must exist + Ordner .opvault muss existieren + + + Directory .opvault must be readable + Ordner .opvault muss lesbar sein + + + Directory .opvault/default must exist + Ordner .opvault/default muss existieren + + + Directory .opvault/default must be readable + Ordner .opvault/default muss lesbar sein + + + Unable to decode masterKey: %1 + MasterKey: %1 konnte nicht entschlüsselt werden + + + Unable to derive master key: %1 + MasterKey: %1 konnte nicht abgeleitet werden + + OpenSSHKey @@ -3736,11 +4825,11 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Corrupted key file, reading private key failed - Korrupte Schlüsseldatei, Lesen des Privatschlüssels fehlgeschlagen + Korrupte Schlüsseldatei, Lesen des Privaten Schlüssels fehlgeschlagen No private key payload to decrypt - Keine Privatschlüssel-Nutzdaten zum Entschlüsseln + Keine private Schlüsselsignatur zum Entschlüsseln Trying to run KDF without cipher @@ -3760,11 +4849,11 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Unexpected EOF while reading public key - Unerwartetes EOF beim Lesen des öffentlichen Schlüssels + Unerwartetes Dateiende beim Lesen des öffentlichen Schlüssels Unexpected EOF while reading private key - Unerwartetes EOF beim Lesen des Privatschlüssels + Unerwartetes Dateiende beim Lesen des privaten Schlüssels Can't write public key as it is empty @@ -3772,15 +4861,15 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Unexpected EOF when writing public key - Unerwartetes EOF beim Schreiben des öffentlichen Schlüssels + Unerwartetes Dateiende beim Schreiben des öffentlichen Schlüssels Can't write private key as it is empty - Privatschlüssel konnte nicht geschrieben werden, da er leer ist + Privater Schlüssel kann nicht geschrieben werden, da er leer ist Unexpected EOF when writing private key - Unerwartetes EOF beim Schreiben des Privatschlüssels + Unerwartetes Dateiende beim Schreiben des privaten Schlüssels Unsupported key type: %1 @@ -3803,6 +4892,17 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Unbekannter Schlüssel-Typ: %1 + + PasswordEdit + + Passwords do not match + Passwörter stimmen nicht überein + + + Passwords match so far + Passwörter stimmen überein + + PasswordEditWidget @@ -3819,7 +4919,7 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - <p>Ein Passwort ist die primäre Methode, Ihre Datenbank abzusichern.</p><p>Gute Passwörter sind lang und einzigartig. KeePassXC kann eins für Sie generieren.</p> + <p>Ein Passwort ist die primäre Methode, Ihre Datenbank abzusichern.</p><p>Gute Passwörter sind lang und einzigartig. KeepassXC kann eins für Sie generieren.</p> Passwords do not match. @@ -3829,6 +4929,22 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Generate master password Masterpasswort erzeugen. + + Password field + Passwortfeld + + + Toggle password visibility + Passwort-Sichtbarkeit umschalten + + + Repeat password field + Wiederhole Passwortfeld + + + Toggle password generator + Passwortgenerator umschalten + PasswordGeneratorWidget @@ -3857,22 +4973,10 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Character Types Zeichenarten - - Upper Case Letters - Großbuchstaben - - - Lower Case Letters - Kleinbuchstaben - Numbers Zahlen - - Special Characters - Sonderzeichen - Extended ASCII Erweitertes ASCII @@ -3953,18 +5057,10 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Advanced Fortgeschritten - - Upper Case Letters A to F - Großbuchstaben A bis F - A-Z A-Z - - Lower Case Letters A to F - Kleinbuchstaben a bis f - a-z a-z @@ -3997,18 +5093,10 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins " ' "' - - Math - Mathematik - <*+!?= <*+!?= - - Dashes - Striche - \_|-/ \_|-/ @@ -4057,6 +5145,74 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Regenerate Neu erzeugen + + Generated password + Generiertes Passwort + + + Upper-case letters + Großbuchstaben + + + Lower-case letters + Kleinbuchstaben + + + Special characters + Sonderzeichen + + + Math Symbols + Mathematische Symbole + + + Dashes and Slashes + Bindezeichen und Schrägstriche + + + Excluded characters + Ausgenommene Zeichen + + + Hex Passwords + Hexadezimale Passwörter + + + Password length + Passwortlänge + + + Word Case: + Groß-/Kleinschreibung: + + + Regenerate password + Erzeuge Passwort erneut + + + Copy password + Passwort kopieren + + + Accept password + Akzeptiere Passwort + + + lower case + kleinbuchstaben + + + UPPER CASE + GROẞBUCHSTABEN + + + Title Case + Anfangsbuchstaben Groß + + + Toggle password visibility + Passwort-Sichtbarkeit umschalten + QApplication @@ -4064,12 +5220,9 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins KeeShare KeeShare - - - QFileDialog - Select - Auswählen + Statistics + Statistiken @@ -4106,6 +5259,10 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Merge Zusammenführen + + Continue + Fortsetzen + QObject @@ -4197,10 +5354,6 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Generate a password for the entry. Passwort für den Eintrag generieren. - - Length for the generated password. - Länge des generierten Passworts. - length Länge @@ -4250,18 +5403,6 @@ Da sie Fehler beinhalten könnte, ist diese Version nicht für den Produktiveins Perform advanced analysis on the password. Fortgeschrittene Analyse des Passworts ausführen. - - Extract and print the content of a database. - Inhalt der Datenbank extrahieren und anzeigen. - - - Path of the database to extract. - Pfad der zu extrahierenden Datenbank. - - - Insert password to unlock %1: - Passwort eingeben, um %1 zu entsperren: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4305,10 +5446,6 @@ Verfügbare Kommandos: Merge two databases. Zwei Datenbanken zusammenführen - - Path of the database to merge into. - Pfad der Datenbank, in die zusammengeführt werden soll. - Path of the database to merge from. Pfad der Datenbank aus der zusammengeführt werden soll. @@ -4327,11 +5464,11 @@ Verfügbare Kommandos: Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - Namen der anzuzeigenden Attribute. Diese Option kann mehr als einmal angegeben werden, wobei jedes Attribut in einer eigenen Zeile in der gegebenen Reihenfolge angegeben wird. Wenn keine Attribute angegeben sind, wird eine Zusammenfassung der Standardattribute gegeben. + Namen der anzuzeigenden Eigenschaften. Diese Option kann mehr als einmal angegeben werden, wobei jede Eigenschaft in einer eigenen Zeile in der gegebenen Reihenfolge angegeben wird. Wenn keine Eigenschaften angegeben sind, wird eine Zusammenfassung der Standardeigenschaften gegeben. attribute - Attribute + Eigenschaft Name of the entry to show. @@ -4385,10 +5522,6 @@ Verfügbare Kommandos: Browser Integration Browser-Integration - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Challenge-Response - Slot %2 - %3 - Press Aktiver Button @@ -4419,10 +5552,6 @@ Verfügbare Kommandos: Generate a new random password. Neues zufälliges Passwort erzeugen. - - Invalid value for password length %1. - Ungültiger Wert für Passwortlänge %1. - Could not create entry with path %1. Eintrag mit dem Pfad %1 kann nicht erstellt werden. @@ -4465,7 +5594,7 @@ Verfügbare Kommandos: Clearing the clipboard in %1 second(s)... - Zwischenablage wird in %1 Sekunde(n) geleert…Zwischenablage wird in %1 Sekunde(n) geleert… + Löschen der Zwischenablage in %1 Sekunde...Löschen der Zwischenablage in %1 Sekunden... Clipboard cleared! @@ -4480,10 +5609,6 @@ Verfügbare Kommandos: CLI parameter Anzahl - - Invalid value for password length: %1 - Ungültiger Wert für Passwortlänge: %1 - Could not find entry with path %1. Eintrag mit dem Pfad %1 nicht gefunden. @@ -4608,26 +5733,6 @@ Verfügbare Kommandos: Failed to load key file %1: %2 Schlüsseldatei %1 konnte nicht geladen werden: %2 - - File %1 does not exist. - Datei %1 existiert nicht. - - - Unable to open file %1. - Öffnen der Datei %1 nicht möglich. - - - Error while reading the database: -%1 - Fehler beim Öffnen der Datenbank: -%1 - - - Error while parsing the database: -%1 - Fehler beim Lesen der Datenbank: -%1 - Length of the generated password Länge des erzeugten Passworts @@ -4640,10 +5745,6 @@ Verfügbare Kommandos: Use uppercase characters Großbuchstaben verwenden - - Use numbers. - Ziffern verwenden. - Use special characters Sonderzeichen verwenden @@ -4692,7 +5793,7 @@ Verfügbare Kommandos: Successfully recycled entry %1. - Eintrag %1 erfolgreich in Papierkorb verschoben + Eintrag %1 erfolgreich in Papierkorb verschoben. Successfully deleted entry %1. @@ -4704,7 +5805,7 @@ Verfügbare Kommandos: ERROR: unknown attribute %1. - FEHLER: Unbekanntes Attribute %1 + FEHLER: Unbekannte Eigenschaft %1. No program defined for clipboard manipulation @@ -4788,10 +5889,6 @@ Verfügbare Kommandos: Successfully created new database. Datenbank erfolgreiche erstellt. - - Insert password to encrypt database (Press enter to leave blank): - Passwort zur Datenbankverschlüsselung eingeben (Enter drücken, um es leer zu lassen): - Creating KeyFile %1 failed: %2 Schlüsseldatei %1 konnte nicht erstellt werden: %2 @@ -4800,10 +5897,6 @@ Verfügbare Kommandos: Loading KeyFile %1 failed: %2 Schlüsseldatei %1 konnte geladen werden: %2 - - Remove an entry from the database. - Eintrag aus der Datenbank entfernen - Path of the entry to remove. Pfad des zu entfernenden Eintrags. @@ -4860,6 +5953,330 @@ Verfügbare Kommandos: Cannot create new group Neue Gruppe kann nicht erstellt werden + + Deactivate password key for the database. + Passwort-Schlüssel für die Datenbank deaktivieren. + + + Displays debugging information. + Zeigt Informationen zur Fehlerbehebung an. + + + Deactivate password key for the database to merge from. + Passwort-Schlüssel für die Quell-Datenbank der Zusammenführung deaktivieren. + + + Version %1 + Version %1 + + + Build Type: %1 + Build Typ: %1 + + + Revision: %1 + Revision: %1 + + + Distribution: %1 + Distribution: %1 + + + Debugging mode is disabled. + Diagnosemodus ist deaktiviert. + + + Debugging mode is enabled. + Diagnosemodus ist aktiviert. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Betriebssystem: %1 +CPU-Architektur: %2 +Kernel: %3 %4 + + + Auto-Type + Auto-Type + + + KeeShare (signed and unsigned sharing) + KeeShare (bestätigtes und unbestätigtes Teilen) + + + KeeShare (only signed sharing) + KeeShare (nur bestätigtes Teilen) + + + KeeShare (only unsigned sharing) + KeeShare (nur unbestätigtes Teilen) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Keine + + + Enabled extensions: + Aktivierte Erweiterungen: + + + Cryptographic libraries: + Kryptographische Bibliotheken: + + + Cannot generate a password and prompt at the same time! + Kann nicht Passwort und Meldung gleichzeitig generieren! + + + Adds a new group to a database. + Fügt der Datenbank eine neue Gruppe hinzu. + + + Path of the group to add. + Pfad der hinzuzufügenden Gruppe. + + + Group %1 already exists! + Gruppe %1 existiert bereits! + + + Group %1 not found. + Gruppe %1 nicht gefunden. + + + Successfully added group %1. + Gruppe %1 erfolgreich hinzugefügt. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Überprüfen, ob irgenwelche Passwörter in öffentlichen Datenlecks vorkommen. FILENAME muss der der Pfad der Datei sein, die SHA-1-Hashes der Passwörter im HIBP-Format enthält, wie zu finden unter https://haveibeenpwned.com/Passwords. + + + FILENAME + DATEINAME + + + Analyze passwords for weaknesses and problems. + Passw‭örter auf Schwächen und Probleme prüfen. + + + Failed to open HIBP file %1: %2 + HIBP-Datei %1 konnte nicht geöffnet werden: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Werte Datenbank-Einträge gegen HIBP-Datei aus, dies wird eine Weile dauern... + + + Close the currently opened database. + Die aktuell geöffnete Datenbank schließen. + + + Display this help. + Diese Hilfe anzeigen. + + + Yubikey slot used to encrypt the database. + Yubikey-Slot. der für die Verschlüsselung der Datenbank verwendet wird. + + + slot + Slot + + + Invalid word count %1 + Ungültige Wortanzahl %1 + + + The word list is too small (< 1000 items) + Die Wortliste ist zu kurz (< 1000 Einträge) + + + Exit interactive mode. + Verlasse interaktiven Modus. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Zu benutzendes Format für den Export. Mögliche Optionen sind xml oder csv. Standard ist xml. + + + Exports the content of a database to standard output in the specified format. + Exportiert den Inhalt einer Datenbank in die Standardausgabe im angegebenen Format. + + + Unable to export database to XML: %1 + Fehler beim Exportieren der Datenbank nach XML: %1 + + + Unsupported format %1 + Nicht unterstütztes Format %1 + + + Use numbers + Benutze Zahlen + + + Invalid password length %1 + Ungültige Passwortlänge %1 + + + Display command help. + Hilfe zu diesem Befehl anzeigen. + + + Available commands: + Verfügbare Befehle: + + + Import the contents of an XML database. + Die Inhalte einer XML-Datenbank importieren. + + + Path of the XML database export. + Pfad des XML-Datenbank-Exports. + + + Path of the new database. + Pfad zur neuen Datenbank. + + + Unable to import XML database export %1 + Fehler beim Importieren des XML-Datenbank-Exports %1 + + + Successfully imported database. + Datenbank erfolgreich importiert. + + + Unknown command %1 + Unbekannter Befehl %1 + + + Flattens the output to single lines. + Wandelt Ausgabe in einzelne Zeilen um. + + + Only print the changes detected by the merge operation. + Nur die bei der Zusammenführung erkannten Änderungen ausgeben. + + + Yubikey slot for the second database. + Yubikey-Slot für die zweite Datenbank. + + + Successfully merged %1 into %2. + Erfolgreich %1 nach %2 zusammengeführt. + + + Database was not modified by merge operation. + Datenbank wurde beim Zusammenführen nicht geändert. + + + Moves an entry to a new group. + Verschiebt einen Eintrag in eine neue Gruppe. + + + Path of the entry to move. + Pfad des zu verschiebenden Eintrags. + + + Path of the destination group. + Pfad der Zielgruppe. + + + Could not find group with path %1. + Konnte keine Gruppe mit Pfad %1 finden. + + + Entry is already in group %1. + Eintrag ist bereits in Gruppe %1. + + + Successfully moved entry %1 to group %2. + Erfolgreich Eintrag %1 in Gruppe %2 verschoben. + + + Open a database. + Eine Datenbank öffnen. + + + Path of the group to remove. + Pfad der zu entfernenden Gruppe. + + + Cannot remove root group from database. + Kann Root-Gruppe nicht aus Datenbank entfernen. + + + Successfully recycled group %1. + Gruppe %1 erfolgreich in Papierkorb verschoben. + + + Successfully deleted group %1. + Gruppe %1 erfolgreich gelöscht. + + + Failed to open database file %1: not found + Fehler beim Öffnen der Datenbank-Datei %1: nicht gefunden + + + Failed to open database file %1: not a plain file + Fehler beim Öffnen der Datenbank-Datei %1: keine normale Datei + + + Failed to open database file %1: not readable + Fehler beim Öffnen der Datenbank-Datei %1: nicht lesbar + + + Enter password to unlock %1: + Passwort eingeben, um %1 zu entsperren: + + + Invalid YubiKey slot %1 + Ungültiger YubiKey-Slot %1 + + + Please touch the button on your YubiKey to unlock %1 + Bitte berühren Sie den Knopf auf Ihrem YubiKey, um %1 zu entsperren + + + Enter password to encrypt database (optional): + Passwort eingeben, um Datenbank zu verschlüsseln (optional): + + + HIBP file, line %1: parse error + HIBP-Datei, Zeile %1: Parse-Fehler + + + Secret Service Integration + Secret-Service-Integration + + + User name + Benutzername + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Challenge-Response - Slot %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Passwort für '%1' wurde %2 Mal in Datenlecks gefunden!Passwort für '%1' wurde %2 Mal in Datenlecks gefunden! + + + Invalid password generator after applying all options + Ungültiger Passwortgenerator nach Anwendung aller Optionen + QtIOCompressor @@ -5013,6 +6430,93 @@ Verfügbare Kommandos: Groß-/Kleinschreibung unterscheiden + + SettingsWidgetFdoSecrets + + Options + Optionen + + + Enable KeepassXC Freedesktop.org Secret Service integration + KeepassXC-Freedesktop.org-Secret-Service-Integration aktivieren + + + General + Allgemein + + + Show notification when credentials are requested + Benachrichtigung anzeigen, wenn Anmeldedaten angefragt werden + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Wenn der Papierkorb für diese Datenbank aktiviert ist, werden Einträge direkt in den Papierkorb verschoben. Ansonsten werden sie ohne Nachfragen gelöscht.</p><p>Sie erhalten eine Meldung, wenn irgendwelche Einträge von anderen referenziert werden.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Nicht bestätigen, wenn Einträge von Clients gelöscht werden. + + + Exposed database groups: + Offengelegte Datenbankgruppen: + + + File Name + Dateiname + + + Group + Gruppe + + + Manage + Verwalten + + + Authorization + Authorisierung + + + These applications are currently connected: + Diese Anwendungen sind derzeit verbunden: + + + Application + Anwendung + + + Disconnect + Trennen + + + Database settings + Datenbank-Einstellungen + + + Edit database settings + Datenbank-Einstellungen editieren + + + Unlock database + Datenbank entsperren + + + Unlock database to show more information + Datenbank entsperren, um mehr Informationen anzuzeigen + + + Lock database + Datenbank sperren + + + Unlock to show + Entsperren, um anzuzeigen + + + None + Keine + + SettingsWidgetKeeShare @@ -5041,7 +6545,7 @@ Verfügbare Kommandos: Signer - Unterzeichner: + Unterzeichner Key: @@ -5136,9 +6640,100 @@ Verfügbare Kommandos: Signer: Unterzeichner: + + Allow KeeShare imports + Erlaube KeeShare-Importe + + + Allow KeeShare exports + Erlaube KeeShare-Exporte + + + Only show warnings and errors + Nur Warnungen und Fehler anzeigen + + + Key + Schlüssel + + + Signer name field + Unterzeichner-Namens-Feld + + + Generate new certificate + Neues Zertifikat generieren + + + Import existing certificate + Existierendes Zertifikat importieren + + + Export own certificate + Eigenes Zertifikat exportieren + + + Known shares + Bekannte Freigaben + + + Trust selected certificate + Ausgewähltem Zertifikat vertrauen + + + Ask whether to trust the selected certificate every time + Jedes Mal nach Vertrauen für dieses Zertifikat fragen + + + Untrust selected certificate + Ausgewähltem Zertifikat nicht vertrauen + + + Remove selected certificate + Ausgewähltes Zertifikat entfernen + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Überschreiben von signierten geteilten Containern nicht unterstützt - Export verhindert + + + Could not write export container (%1) + Export-Container (%1) kann nicht gespeichert werden + + + Could not embed signature: Could not open file to write (%1) + Signatur konnte nicht eingebunden werden: Zum Schreiben konnte die Datei (%1) nicht geöffnet werden + + + Could not embed signature: Could not write file (%1) + Signatur konnte nicht eingebunden werden: Datei konnte nicht geschrieben werden (%1) + + + Could not embed database: Could not open file to write (%1) + Datenbank konnte nicht eingebunden werden: Zum Schreiben konnte die Datei (%1) nicht geöffnet werden + + + Could not embed database: Could not write file (%1) + Datenbank konnte nicht eingebunden werden: Datei konnte nicht geschrieben werden (%1) + + + Overwriting unsigned share container is not supported - export prevented + Überschreiben von nicht signierten geteilten Containern nicht unterstützt - Export verhindert + + + Could not write export container + Export-Container kann nicht gespeichert werden + + + Unexpected export error occurred + Unerwarteter Fehler ist aufgetreten + + + + ShareImport Import from container without signature Von Container ohne Signatur importieren @@ -5151,13 +6746,17 @@ Verfügbare Kommandos: Import from container with certificate Von Container mit Zertifikat importieren + + Do you want to trust %1 with the fingerprint of %2 from %3? + Möchten Sie %1 mit dem Fingerabdruck %2 von %3 vertrauen? {1 ?} {2 ?} + Not this time Nicht diesmal Never - Niemals + Nie Always @@ -5167,25 +6766,13 @@ Verfügbare Kommandos: Just this time Nur diesmal - - Import from %1 failed (%2) - Import von %1 fehlgeschlagen (%2) - - - Import from %1 successful (%2) - Import von %1 erfolgreich (%2) - - - Imported from %1 - Importiert aus %1 - Signed share container are not supported - import prevented Unterzeichnete geteilte Container werden nicht unterstützt - Import verhindert File is not readable - Datei ist nicht lesbar. + Datei ist nicht lesbar Invalid sharing container @@ -5205,11 +6792,11 @@ Verfügbare Kommandos: Unsigned share container are not supported - import prevented - Nicht unterzeichnete geteilte Container werden nicht unterstützt - Import verhindert + Nicht signierte geteilte Container werden nicht unterstützt - Import verhindert Successful unsigned import - Erfolgreich unterzeichneter Import + Erfolgreich signierter Import File does not exist @@ -5219,25 +6806,20 @@ Verfügbare Kommandos: Unknown share container type Unbekannter geteilter Containertyp + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Überschreiben von unterzeichneten geteilten Containern nicht unterstützt - Export verhindert + Import from %1 failed (%2) + Import von %1 fehlgeschlagen (%2) - Could not write export container (%1) - Export-Container (%1) kann nicht gespeichert werden + Import from %1 successful (%2) + Import von %1 erfolgreich (%2) - Overwriting unsigned share container is not supported - export prevented - Überschreiben von nicht unterzeichneten geteilten Containern nicht unterstützt - Export verhindert - - - Could not write export container - Export-Container kann nicht gespeichert werden - - - Unexpected export error occurred - Unerwarteter Fehler ist aufgetreten + Imported from %1 + Importiert aus %1 Export to %1 failed (%2) @@ -5251,10 +6833,6 @@ Verfügbare Kommandos: Export to %1 Export nach %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Möchten Sie %1 mit dem Fingerabdruck %2 von %3 vertrauen? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Multipler Import-Quellpfad zu %1 in %2 @@ -5263,22 +6841,6 @@ Verfügbare Kommandos: Conflicting export target path %1 in %2 Konflikt beim Export-Zielpfad %1 in %2 - - Could not embed signature: Could not open file to write (%1) - Signatur konnte nicht eingebunden werden: Zum Schreiben konnte die Datei (%1) nicht geöffnet werden - - - Could not embed signature: Could not write file (%1) - Signatur konnte nicht eingebunden werden: Datei konnte nicht geschrieben werden (%1) - - - Could not embed database: Could not open file to write (%1) - Datenbank konnte nicht eingebunden werden: Zum Schreiben konnte die Datei (%1) nicht geöffnet werden - - - Could not embed database: Could not write file (%1) - Datenbank konnte nicht eingebunden werden: Datei konnte nicht geschrieben werden (%1) - TotpDialog @@ -5296,7 +6858,7 @@ Verfügbare Kommandos: Expires in <b>%n</b> second(s) - Läuft in <b>%n</b> Sekunde(n) abLäuft in <b>%n</b> Sekunde(n) ab + Verfällt in <b>%n</b> SekundeVerfällt in <b>%n</b> Sekunden @@ -5325,10 +6887,6 @@ Verfügbare Kommandos: Setup TOTP TOTP einrichten - - Key: - Schlüssel: - Default RFC 6238 token settings RFC 6238-Token-Standardeinstellungen @@ -5359,16 +6917,45 @@ Verfügbare Kommandos: Code-Länge: - 6 digits - 6 Ziffern + Secret Key: + Geheimer Schlüssel: - 7 digits - 7 Nummern + Secret key must be in Base32 format + Der geheime Schlüssel muss im Base32-Format vorliegen. - 8 digits - 8 Ziffern + Secret key field + Feld für geheimen Schlüssel + + + Algorithm: + Algorithmus: + + + Time step field + Zeitschritt-Feld + + + digits + Ziffern + + + Invalid TOTP Secret + Ungültiges Einmalpasswort (TOTP) + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Sie haben einen ungültigen geheimen Schlüssel angegeben. Der Schlüssel muss im Base32-Format sein. Beispiel: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Bestätigen Sie die Löschung der TOTP-Einstellungen + + + Are you sure you want to delete TOTP settings for this entry? + Möchten Sie die TOTP-Einstellungen für diesen Eintrag wirklich löschen? @@ -5415,7 +7002,7 @@ Verfügbare Kommandos: You're up-to-date! - Version aktuell + Version aktuel KeePassXC %1 is currently the newest version available @@ -5452,6 +7039,14 @@ Verfügbare Kommandos: Welcome to KeePassXC %1 Willkommen in KeePassXC %1 + + Import from 1Password + Von 1Password importieren + + + Open a recent database + Kürzlich verwendete Datenbank öffnen + YubiKeyEditWidget @@ -5475,5 +7070,13 @@ Verfügbare Kommandos: No YubiKey inserted. Kein YubiKey angeschlossen. + + Refresh hardware tokens + Aktualisieren von Hardwaretoken + + + Hardware key slot selection + Hardwareschlüssel-Slot-Auswahl + \ No newline at end of file diff --git a/share/translations/keepassx_en.ts b/share/translations/keepassx_en.ts index 27a225a23..d63560972 100644 --- a/share/translations/keepassx_en.ts +++ b/share/translations/keepassx_en.ts @@ -775,16 +775,6 @@ Please select the correct database for saving credentials. KeePassXC: New key association request KeePassXC: New key association request - - You have received an association request for the above key. - -If you would like to allow it access to your KeePassXC database, -give it a unique name to identify and accept it. - You have received an association request for the above key. - -If you would like to allow it access to your KeePassXC database, -give it a unique name to identify and accept it. - Save and allow access Save and allow access @@ -864,6 +854,14 @@ Would you like to migrate your existing settings now? Don't show this warning again Don't show this warning again + + You have received an association request for the following database: +%1 + +Give the connection a unique name or ID, for example: +chrome-laptop. + + CloneDialog diff --git a/share/translations/keepassx_en_GB.ts b/share/translations/keepassx_en_GB.ts index 1918b2855..f2c108d4c 100644 --- a/share/translations/keepassx_en_GB.ts +++ b/share/translations/keepassx_en_GB.ts @@ -95,6 +95,14 @@ Follow style Follow style + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Start only a single instance of KeePassXC - - Remember last databases - Remember last databases - - - Remember last key files and security dongles - Remember last key files and security dongles - - - Load previous databases on startup - Load previous databases on startup - Minimize window at application startup Minimise window at application startup @@ -162,10 +158,6 @@ Use group icon on entry creation Use group icon on entry creation - - Minimize when copying to clipboard - Minimise when copying to clipboard - Hide the entry preview panel Hide the entry preview panel @@ -194,10 +186,6 @@ Hide window to system tray when minimized Hide window to system tray when minimised - - Language - Language - Auto-Type Auto-Type @@ -231,21 +219,102 @@ Auto-Type start delay Auto-Type start delay - - Check for updates at application startup - Check for updates at application startup - - - Include pre-releases when checking for updates - Include pre-releases when checking for updates - Movable toolbar Movable toolbar - Button style - Button style + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sec + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -320,8 +389,29 @@ Privacy - Use DuckDuckGo as fallback for downloading website icons - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + @@ -389,6 +479,17 @@ Sequence + + AutoTypeMatchView + + Copy &username + Copy &username + + + Copy &password + + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Select entry to Auto-Type: + + Search... + Search... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser This is required for accessing your databases with KeePassXC-Browser - - Enable KeepassXC browser integration - Enable KeePassXC browser integration - General General @@ -533,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Never ask before &updating credentials - - Only the selected database has to be connected with a client. - Only the selected database has to be connected with a client. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - Executable Files Executable Files @@ -611,14 +712,58 @@ Please select the correct database for saving credentials. Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 Please see special instructions for browser extension use below - + Please see special instructions for browser extension use below KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 @@ -675,11 +820,12 @@ Do you want to overwrite it? Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Successfully converted attributes from %1 entry(s). +Moved %2 keys to custom data. Successfully moved %n keys to custom data. - Successfully moved %n key to custom data.Successfully moved %n keys to custom data. + KeePassXC: No entry with KeePassHTTP attributes found! @@ -695,19 +841,27 @@ Moved %2 keys to custom data. KeePassXC: Create a new group - + KeePassXC: Create a new group A request for creating a new group "%1" has been received. Do you want to create this group? - + A request for creating a new group "%1" has been received. +Do you want to create this group? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + Your KeePassXC-Browser settings need to be moved into the database settings. +This is necessary to maintain your current browser connections. +Would you like to migrate your existing settings now? + + + Don't show this warning again + Don't show this warning again @@ -767,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names First record has field names - - Number of headers line to discard - Number of headers line to discard - Consider '\' an escape character Consider '\' an escape character @@ -813,7 +963,7 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n more message skipped][%n more messages skipped] + CSV import: writer has errors: @@ -821,12 +971,28 @@ Would you like to migrate your existing settings now? CSV import: writer has errors: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n column%n columns + %1, %2, %3 @@ -835,11 +1001,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n byte%n bytes + %n row(s) - %n row%n rows + @@ -861,18 +1027,35 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Error while reading the database: %1 - - Could not save, database has no file name. - Could not save, database has no file name. - File cannot be written as it is opened in read-only mode. File cannot be written as it is opened in read-only mode. Key not transformed. This is a bug, please report it to the developers! + Key not transformed. This is a bug, please report it to the developers! + + + %1 +Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Recycle Bin + DatabaseOpenDialog @@ -883,30 +1066,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Enter master key - Key File: Key File: - - Password: - Password: - - - Browse - Browse - Refresh Refresh - - Challenge Response: - Challenge Response: - Legacy key file format Legacy key file format @@ -938,20 +1105,96 @@ Please consider generating a new key file. Select key file - TouchID for quick unlock - TouchID for quick unlock + Failed to open key file: %1 + - Unable to open the database: -%1 - Unable to open the database: -%1 + Select slot... + - Can't open key file: -%1 - Can't open key file: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Browse... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Clear + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -1060,7 +1303,7 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Successfully removed %n encryption key from KeePassXC settings.Successfully removed %n encryption keys from KeePassXC settings. + Forget all site-specific settings on entries @@ -1086,7 +1329,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Successfully removed permissions from %n entry.Successfully removed permissions from %n entries. + KeePassXC: No entry with permissions found! @@ -1106,6 +1349,14 @@ This is necessary to maintain compatibility with the browser plugin. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1231,22 +1482,73 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + thread(s) Threads for parallel execution (KDF settings) - thread threads + %1 ms milliseconds - %1 ms%1 ms + %1 s seconds - %1 s%1 s + + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1295,6 +1597,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Enable &compression (recommended) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1362,6 +1697,10 @@ Are you sure you want to continue without a password? Failed to change master key Failed to change master key + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1373,6 +1712,129 @@ Are you sure you want to continue without a password? Description: Description: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Name + + + Value + Value + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1422,10 +1884,6 @@ This is definitely a bug, please report it to the developers. The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - The database file does not exist or is not accessible. - The database file does not exist or is not accessible. - Select CSV file Select CSV file @@ -1449,6 +1907,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [Read-only] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1466,7 +1948,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - Do you really want to move %n entry to the recycle bin?Do you really want to move %n entries to the recycle bin? + Execute command? @@ -1528,19 +2010,15 @@ Do you want to merge your changes? Do you really want to delete %n entry(s) for good? - Do you really want to delete %n entry for good?Do you really want to delete %n entries for good? + Delete entry(s)? - Delete entry?Delete entries? + Move entry(s) to recycle bin? - Move entry to recycle bin?Move entries to recycle bin? - - - File opened in read only mode. - File opened in read only mode. + Lock Database? @@ -1581,12 +2059,6 @@ Error: %1 Disable safe saves and try again? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - - - Writing the database failed. -%1 - Writing the database failed. -%1 Passwords @@ -1606,7 +2078,7 @@ Disable safe saves and try again? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Entry "%1" has %2 reference. Do you want to overwrite references with values, skip this entry, or delete anyway?Entry "%1" has %2 references. Do you want to overwrite references with values, skip this entry, or delete anyway? + Delete group @@ -1630,6 +2102,14 @@ Disable safe saves and try again? Shared group... + Shared group... + + + Writing the database failed: %1 + + + + This database is opened in read-only mode. Autosave is disabled. @@ -1713,11 +2193,11 @@ Disable safe saves and try again? %n week(s) - %n week%n weeks + %n month(s) - %n month%n months + Apply generated password? @@ -1745,12 +2225,24 @@ Disable safe saves and try again? %n year(s) - %n year%n years + Confirm Removal Confirm Removal + + Browser Integration + Browser Integration + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1790,6 +2282,42 @@ Disable safe saves and try again? Background Color: Background Colour: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1825,6 +2353,77 @@ Disable safe saves and try again? Use a specific sequence for this association: Use a specific sequence for this association: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + General + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Add + + + Remove + Remove + + + Edit + + EditEntryWidgetHistory @@ -1844,6 +2443,26 @@ Disable safe saves and try again? Delete all Delete all + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1883,6 +2502,62 @@ Disable safe saves and try again? Expires Expires + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1959,6 +2634,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Require user confirmation when this key is used + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1994,6 +2685,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Inherit from parent group (%1) + + Entry has unsaved changes + Entry has unsaved changes + EditGroupWidgetKeeShare @@ -2021,34 +2716,6 @@ Disable safe saves and try again? Inactive Inactive - - Import from path - Import from path - - - Export to path - Export to path - - - Synchronize with path - Synchronize with path - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Your KeePassXC version does not support sharing your container type. Please use %1. - - - Database sharing is disabled - Database sharing is disabled - - - Database export is disabled - Database export is disabled - - - Database import is disabled - Database import is disabled - KeeShare unsigned container KeeShare unsigned container @@ -2074,15 +2741,73 @@ Disable safe saves and try again? Clear - The export container %1 is already referenced. + Import + Import + + + Export - The import container %1 is already imported. + Synchronize - The container %1 imported and export by different groups. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2116,6 +2841,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence Set default Auto-Type se&quence + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2151,29 +2904,17 @@ Disable safe saves and try again? All files All files - - Custom icon already exists - Custom icon already exists - Confirm Delete Confirm Delete - - Custom icon successfully downloaded - Custom icon successfully downloaded - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Select Image(s) Select Image(s) Successfully loaded %1 of %n icon(s) - Successfully loaded %1 of %n iconSuccessfully loaded %1 of %n icons + No icons were loaded @@ -2181,15 +2922,51 @@ Disable safe saves and try again? %n icon(s) already exist in the database - %n icon already exist in the database%n icons already exist in the database + The following icon(s) failed: - The following icon failed:The following icons failed: + This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - This icon is used by %n entry, and will be replaced by the default icon. Are you sure you want to delete it?This icon is used by %n entries, and will be replaced by the default icon. Are you sure you want to delete it? + + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2236,6 +3013,30 @@ This may cause the affected plugins to malfunction. Value Value + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2283,7 +3084,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Are you sure you want to remove %n attachment?Are you sure you want to remove %n attachments? + Save attachments @@ -2328,9 +3129,27 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 - Unable to open file: -%1Unable to open files: -%1 + + + + Attachments + Attachments + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2425,10 +3244,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Generate TOTP Token - Close Close @@ -2514,6 +3329,14 @@ This may cause the affected plugins to malfunction. Share Share + + Display current TOTP value + + + + Advanced + Advanced + EntryView @@ -2547,11 +3370,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Recycle Bin + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2569,6 +3414,58 @@ This may cause the affected plugins to malfunction. Cannot save the native messaging script file. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Cancel + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Close + + + URL + URL + + + Status + + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2590,10 +3487,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. Unable to issue challenge-response. - - Wrong key or database file is corrupt. - Wrong key or database file is corrupt. - missing database headers missing database headers @@ -2614,6 +3507,11 @@ This may cause the affected plugins to malfunction. Invalid header data length Invalid header data length + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2644,10 +3542,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch Header SHA256 mismatch - - Wrong key or database file is corrupt. (HMAC mismatch) - Wrong key or database file is corrupt. (HMAC mismatch) - Unknown cipher Unknown cipher @@ -2748,6 +3642,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data Invalid variant map field type size + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2967,14 +3870,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - - Unable to open the database. Unable to open the database. + + Import KeePass1 Database + + KeePass1Reader @@ -3031,10 +3934,6 @@ Line %2, column %3 Unable to calculate master key Unable to calculate master key - - Wrong key or database file is corrupt. - Wrong key or database file is corrupt. - Key transformation failed Key transformation failed @@ -3131,39 +4030,56 @@ Line %2, column %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from + Inactive share %1 - Export to + Imported from %1 - Synchronize with + Exported to %1 - Disabled share %1 + Synchronized with %1 - Import from share %1 + Import is disabled in settings - Export to share %1 + Export is disabled in settings - Synchronize with share %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3208,10 +4124,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Browse - Generate Generate @@ -3264,6 +4176,43 @@ Message: %2 Select a key file Select a key file + + Key file selection + + + + Browse for key file + + + + Browse... + Browse... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3351,10 +4300,6 @@ Message: %2 &Settings &Settings - - Password Generator - - &Lock databases &Lock databases @@ -3538,14 +4483,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... - - Check for Updates... - - - - Share entry - - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3563,6 +4500,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Download favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3622,6 +4627,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3691,6 +4704,72 @@ Expect some bugs and minor issues, this version is not meant for production use. + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3790,6 +4869,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown key type: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3816,6 +4906,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3844,22 +4950,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Character Types - - Upper Case Letters - - - - Lower Case Letters - - Numbers - - Special Characters - - Extended ASCII Extended ASCII @@ -3940,18 +5034,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Advanced - - Upper Case Letters A to F - - A-Z - - Lower Case Letters A to F - - a-z @@ -3984,18 +5070,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' - - Math - - <*+!?= - - Dashes - - \_|-/ @@ -4044,6 +5122,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4051,11 +5197,8 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare - - - QFileDialog - Select + Statistics @@ -4093,6 +5236,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + + Continue + + QObject @@ -4184,10 +5331,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Generate a password for the entry. - - Length for the generated password. - Length for the generated password. - length @@ -4237,18 +5380,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Perform advanced analysis on the password. - - Extract and print the content of a database. - Extract and print the content of a database. - - - Path of the database to extract. - Path of the database to extract. - - - Insert password to unlock %1: - - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4287,10 +5418,6 @@ Available commands: Merge two databases. Merge two databases. - - Path of the database to merge into. - Path of the database to merge into. - Path of the database to merge from. Path of the database to merge from. @@ -4367,10 +5494,6 @@ Available commands: Browser Integration Browser Integration - - YubiKey[%1] Challenge Response - Slot %2 - %3 - - Press @@ -4400,10 +5523,6 @@ Available commands: Generate a new random password. Generate a new random password. - - Invalid value for password length %1. - - Could not create entry with path %1. @@ -4461,10 +5580,6 @@ Available commands: CLI parameter - - Invalid value for password length: %1 - - Could not find entry with path %1. @@ -4589,24 +5704,6 @@ Available commands: Failed to load key file %1: %2 - - File %1 does not exist. - File %1 does not exist. - - - Unable to open file %1. - Unable to open file %1. - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - - Length of the generated password @@ -4619,10 +5716,6 @@ Available commands: Use uppercase characters - - Use numbers. - - Use special characters @@ -4766,10 +5859,6 @@ Available commands: Successfully created new database. - - Insert password to encrypt database (Press enter to leave blank): - - Creating KeyFile %1 failed: %2 @@ -4778,10 +5867,6 @@ Available commands: Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Remove an entry from the database. - Path of the entry to remove. Path of the entry to remove. @@ -4838,6 +5923,330 @@ Available commands: Cannot create new group + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Version %1 + + + Build Type: %1 + Build Type: %1 + + + Revision: %1 + Revision: %1 + + + Distribution: %1 + Distribution: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + Auto-Type + Auto-Type + + + KeeShare (signed and unsigned sharing) + KeeShare (signed and unsigned sharing) + + + KeeShare (only signed sharing) + KeeShare (only signed sharing) + + + KeeShare (only unsigned sharing) + KeeShare (only unsigned sharing) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + None + + + Enabled extensions: + Enabled extensions: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Database was not modified by merge operation. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4991,6 +6400,93 @@ Available commands: + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + General + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Group + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Database settings + + + Edit database settings + + + + Unlock database + Unlock database + + + Unlock database to show more information + + + + Lock database + Lock database + + + Unlock to show + + + + None + None + + SettingsWidgetKeeShare @@ -5114,9 +6610,100 @@ Available commands: Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Key + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + + + + Could not write export container (%1) + + + + Could not embed signature: Could not open file to write (%1) + + + + Could not embed signature: Could not write file (%1) + + + + Could not embed database: Could not open file to write (%1) + + + + Could not embed database: Could not write file (%1) + + + + Overwriting unsigned share container is not supported - export prevented + + + + Could not write export container + + + + Unexpected export error occurred + + + + + ShareImport Import from container without signature @@ -5129,6 +6716,10 @@ Available commands: Import from container with certificate + + Do you want to trust %1 with the fingerprint of %2 from %3? + + Not this time @@ -5145,18 +6736,6 @@ Available commands: Just this time - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - - Signed share container are not supported - import prevented @@ -5197,24 +6776,19 @@ Available commands: Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented + Import from %1 failed (%2) - Could not write export container (%1) + Import from %1 successful (%2) - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred + Imported from %1 @@ -5229,10 +6803,6 @@ Available commands: Export to %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - - Multiple import source path to %1 in %2 @@ -5241,22 +6811,6 @@ Available commands: Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - - TotpDialog @@ -5303,10 +6857,6 @@ Available commands: Setup TOTP - - Key: - - Default RFC 6238 token settings Default RFC 6238 token settings @@ -5337,15 +6887,44 @@ Available commands: - 6 digits + Secret Key: - 7 digits + Secret key must be in Base32 format - 8 digits + Secret key field + + + + Algorithm: + + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? @@ -5430,6 +7009,14 @@ Available commands: Welcome to KeePassXC %1 Welcome to KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5453,5 +7040,13 @@ Available commands: No YubiKey inserted. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_en_US.ts b/share/translations/keepassx_en_US.ts index f443aefe6..477b63ffb 100644 --- a/share/translations/keepassx_en_US.ts +++ b/share/translations/keepassx_en_US.ts @@ -95,6 +95,14 @@ Follow style Follow style + + Reset Settings? + Reset Settings? + + + Are you sure you want to reset all general and security settings to default? + Are you sure you want to reset all general and security settings to default? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Start only a single instance of KeePassXC - - Remember last databases - Remember last databases - - - Remember last key files and security dongles - Remember last key files and security dongles - - - Load previous databases on startup - Load previous databases on startup - Minimize window at application startup Minimize window at application startup @@ -162,10 +158,6 @@ Use group icon on entry creation Use group icon on entry creation - - Minimize when copying to clipboard - Minimize when copying to clipboard - Hide the entry preview panel Hide the entry preview panel @@ -194,10 +186,6 @@ Hide window to system tray when minimized Hide window to system tray when minimized - - Language - Language - Auto-Type Auto-Type @@ -231,21 +219,102 @@ Auto-Type start delay Auto-Type start delay - - Check for updates at application startup - Check for updates at application startup - - - Include pre-releases when checking for updates - Include pre-releases when checking for updates - Movable toolbar Movable toolbar - Button style - Button style + Remember previously used databases + Remember previously used databases + + + Load previously open databases on startup + Load previously open databases on startup + + + Remember database key files and security dongles + Remember database key files and security dongles + + + Check for updates at application startup once per week + Check for updates at application startup once per week + + + Include beta releases when checking for updates + Include beta releases when checking for updates + + + Button style: + Button style: + + + Language: + Language: + + + (restart program to activate) + (restart program to activate) + + + Minimize window after unlocking database + Minimize window after unlocking database + + + Minimize when opening a URL + Minimize when opening a URL + + + Hide window when copying to clipboard + Hide window when copying to clipboard + + + Minimize + Minimize + + + Drop to background + Drop to background + + + Favicon download timeout: + Favicon download timeout: + + + Website icon download timeout in seconds + Website icon download timeout in seconds + + + sec + Seconds + sec + + + Toolbar button style + Toolbar button style + + + Use monospaced font for Notes + Use monospaced font for notes + + + Language selection + Language selection + + + Reset Settings to Default + Reset Settings to Default + + + Global auto-type shortcut + Global auto-type shortcut + + + Auto-type character typing delay milliseconds + Auto-type character typing delay milliseconds + + + Auto-type start delay milliseconds + Auto-type start delay milliseconds @@ -320,8 +389,29 @@ Privacy - Use DuckDuckGo as fallback for downloading website icons - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + Use DuckDuckGo service to download website icons + + + Clipboard clear seconds + Clipboard clear seconds + + + Touch ID inactivity reset + Touch ID inactivity reset + + + Database lock timeout seconds + Database lock timeout seconds + + + min + Minutes + min + + + Clear search query after + Clear search query after @@ -389,6 +479,17 @@ Sequence + + AutoTypeMatchView + + Copy &username + Copy &username + + + Copy &password + Copy &password + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Select entry to Auto-Type: + + Search... + Search... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. + + Allow access + Allow access + + + Deny access + Deny access + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser This is required for accessing your databases with KeePassXC-Browser - - Enable KeepassXC browser integration - Enable KeepassXC browser integration - General General @@ -533,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Never ask before &updating credentials - - Only the selected database has to be connected with a client. - Only the selected database has to be connected with a client. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - Executable Files Executable Files @@ -621,6 +722,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Returns expired credentials. String [expired] is added to the title. + + + &Allow returning expired credentials. + &Allow returning expired credentials. + + + Enable browser integration + Enable browser integration + + + Browsers installed as snaps are currently not supported. + Browsers installed as snaps are currently not supported. + + + All databases connected to the extension will return matching credentials. + All databases connected to the extension will return matching credentials. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + &Do not prompt for KeePassHTTP settings migration. + &Do not prompt for KeePassHTTP settings migration. + + + Custom proxy location field + Custom proxy location field + + + Browser for custom proxy file + Browser for custom proxy file + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + BrowserService @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? + + Don't show this warning again + Don't show this warning again + CloneDialog @@ -772,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names First record has field names - - Number of headers line to discard - Number of headers line to discard - Consider '\' an escape character Consider '\' an escape character @@ -818,7 +963,7 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n more message(s) skipped][%n more message(s) skipped] + [%n more message skipped][%n more messages skipped] CSV import: writer has errors: @@ -826,12 +971,28 @@ Would you like to migrate your existing settings now? CSV import: writer has errors: %1 + + Text qualification + Text qualification + + + Field separation + Field separation + + + Number of header lines to discard + Number of header lines to discard + + + CSV import preview + CSV import preview + CsvParserModel %n column(s) - %n column(s)%n column(s) + %n column%n columns %1, %2, %3 @@ -840,11 +1001,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n byte(s)%n byte(s) + %n byte%n bytes %n row(s) - %n row(s)%n row(s) + %n row%n rows @@ -866,10 +1027,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Error while reading the database: %1 - - Could not save, database has no file name. - Could not save, database has no file name. - File cannot be written as it is opened in read-only mode. File cannot be written as it is opened in read-only mode. @@ -878,6 +1035,28 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! Key not transformed. This is a bug, please report it to the developers! + + %1 +Backup database located at %2 + %1 +Backup database located at %2 + + + Could not save, database does not point to a valid file. + Could not save, database does not point to a valid file. + + + Could not save, database file is read-only. + Could not save, database file is read-only. + + + Database file has unmerged changes. + Database file has unmerged changes. + + + Recycle Bin + Recycle Bin + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Enter master key - Key File: Key File: - - Password: - Password: - - - Browse - Browse - Refresh Refresh - - Challenge Response: - Challenge Response: - Legacy key file format Legacy key file format @@ -943,20 +1106,100 @@ Please consider generating a new key file. Select key file - TouchID for quick unlock - TouchID for quick unlock + Failed to open key file: %1 + Failed to open key file: %1 - Unable to open the database: -%1 - Unable to open the database: -%1 + Select slot... + Select slot... - Can't open key file: -%1 - Can't open key file: -%1 + Unlock KeePassXC Database + Unlock KeePassXC Database + + + Enter Password: + Enter Password: + + + Password field + Password field + + + Toggle password visibility + Toggle password visibility + + + Enter Additional Credentials: + Enter Additional Credentials: + + + Key file selection + Key file selection + + + Hardware key slot selection + Hardware key slot selection + + + Browse for key file + Browse for key file + + + Browse... + Browse... + + + Refresh hardware tokens + Refresh hardware tokens + + + Hardware Key: + Hardware Key: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + Hardware key help + Hardware key help + + + TouchID for Quick Unlock + TouchID for Quick Unlock + + + Clear + Clear + + + Clear Key File + Clear Key File + + + Select file... + Select file... + + + Unlock failed and no password given + Unlock failed and no password given + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + Retry with empty password + Retry with empty password @@ -1065,7 +1308,7 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Successfully removed %n encryption key(s) from KeePassXC settings.Successfully removed %n encryption key(s) from KeePassXC settings. + Successfully removed %n encryption key from KeePassXC settings.Successfully removed %n encryption keys from KeePassXC settings. Forget all site-specific settings on entries @@ -1091,7 +1334,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Successfully removed permissions from %n entry(s).Successfully removed permissions from %n entry(s). + Successfully removed permissions from %n entry.Successfully removed permissions from %n entries. KeePassXC: No entry with permissions found! @@ -1111,6 +1354,14 @@ This is necessary to maintain compatibility with the browser plugin. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + Stored browser keys + + + Remove selected key + Remove selected key + DatabaseSettingsWidgetEncryption @@ -1253,6 +1504,57 @@ If you keep this number, your database may be too easy to crack! seconds %1 s%1 s + + Change existing decryption time + Change existing decryption time + + + Decryption time in seconds + Decryption time in seconds + + + Database format + Database format + + + Encryption algorithm + Encryption algorithm + + + Key derivation function + Key derivation function + + + Transform rounds + Transform rounds + + + Memory usage + Memory usage + + + Parallelism + Parallelism + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Exposed Entries + + + Don't e&xpose this database + Don't e&xpose this database + + + Expose entries &under this group: + Expose entries &under this group: + + + Enable fd.o Secret Service to access these settings. + Enable fd.o Secret Service to access these settings. + DatabaseSettingsWidgetGeneral @@ -1300,6 +1602,40 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Enable &compression (recommended) + + Database name field + Database name field + + + Database description field + Database description field + + + Default username field + Default username field + + + Maximum number of history items per entry + Maximum number of history items per entry + + + Maximum size of history per entry + Maximum size of history per entry + + + Delete Recycle Bin + Delete Recycle Bin + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + (old) + (old) + DatabaseSettingsWidgetKeeShare @@ -1367,6 +1703,10 @@ Are you sure you want to continue without a password? Failed to change master key Failed to change master key + + Continue without password + Continue without password + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1718,129 @@ Are you sure you want to continue without a password? Description: Description: + + Database name field + Database name field + + + Database description field + Database description field + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statistics + + + Hover over lines with error icons for further information. + Hover over lines with error icons for further information. + + + Name + Name + + + Value + Value + + + Database name + Database name + + + Description + Description + + + Location + Location + + + Last saved + Last saved + + + Unsaved changes + Unsaved changes + + + yes + yes + + + no + no + + + The database was modified, but the changes have not yet been saved to disk. + The database was modified, but the changes have not yet been saved to disk. + + + Number of groups + Number of groups + + + Number of entries + Number of entries + + + Number of expired entries + Number of expired entries + + + The database contains entries that have expired. + The database contains entries that have expired. + + + Unique passwords + Unique passwords + + + Non-unique passwords + Non-unique passwords + + + More than 10% of passwords are reused. Use unique passwords when possible. + More than 10% of passwords are reused. Use unique passwords when possible. + + + Maximum password reuse + Maximum password reuse + + + Some passwords are used more than three times. Use unique passwords when possible. + Some passwords are used more than three times. Use unique passwords when possible. + + + Number of short passwords + Number of short passwords + + + Recommended minimum password length is at least 8 characters. + Recommended minimum password length is at least 8 characters. + + + Number of weak passwords + Number of weak passwords + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + Average password length + Average password length + + + %1 characters + %1 characters + + + Average password length is less than ten characters. Longer passwords provide more security. + Average password length is less than ten characters. Longer passwords provide more security. + DatabaseTabWidget @@ -1427,10 +1890,6 @@ This is definitely a bug, please report it to the developers. The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - The database file does not exist or is not accessible. - The database file does not exist or is not accessible. - Select CSV file Select CSV file @@ -1454,6 +1913,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [Read-only] + + Failed to open %1. It either does not exist or is not accessible. + Failed to open %1. It either does not exist or is not accessible. + + + Export database to HTML file + Export database to HTML file + + + HTML file + HTML file + + + Writing the HTML file failed. + Writing the HTML file failed. + + + Export Confirmation + Export Confirmation + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + DatabaseWidget @@ -1543,10 +2026,6 @@ Do you want to merge your changes? Move entry(s) to recycle bin? Move entry to recycle bin?Move entries to recycle bin? - - File opened in read only mode. - File opened in read only mode. - Lock Database? Lock Database? @@ -1586,12 +2065,6 @@ Error: %1 Disable safe saves and try again? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - - - Writing the database failed. -%1 - Writing the database failed. -%1 Passwords @@ -1637,6 +2110,14 @@ Disable safe saves and try again? Shared group... Shared group... + + Writing the database failed: %1 + Writing the database failed: %1 + + + This database is opened in read-only mode. Autosave is disabled. + This database is opened in read-only mode. Autosave is disabled. + EditEntryWidget @@ -1756,6 +2237,18 @@ Disable safe saves and try again? Confirm Removal Confirm Removal + + Browser Integration + Browser Integration + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Are you sure you want to remove this URL? + EditEntryWidgetAdvanced @@ -1795,6 +2288,42 @@ Disable safe saves and try again? Background Color: Background Color: + + Attribute selection + Attribute selection + + + Attribute value + Attribute value + + + Add a new attribute + Add a new attribute + + + Remove selected attribute + Remove selected attribute + + + Edit attribute name + Edit attribute name + + + Toggle attribute protection + Toggle attribute protection + + + Show a protected attribute + Show a protected attribute + + + Foreground color selection + Foreground color selection + + + Background color selection + Background color selection + EditEntryWidgetAutoType @@ -1830,6 +2359,77 @@ Disable safe saves and try again? Use a specific sequence for this association: Use a specific sequence for this association: + + Custom Auto-Type sequence + Custom Auto-Type sequence + + + Open Auto-Type help webpage + Open Auto-Type help webpage + + + Existing window associations + Existing window associations + + + Add new window association + Add new window association + + + Remove selected window association + Remove selected window association + + + You can use an asterisk (*) to match everything + You can use an asterisk (*) to match everything + + + Set the window association title + Set the window association title + + + You can use an asterisk to match everything + You can use an asterisk to match everything + + + Custom Auto-Type sequence for this window + Custom Auto-Type sequence for this window + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + These settings affect to the entry's behavior with the browser extension. + + + General + General + + + Skip Auto-Submit for this entry + Skip Auto-Submit for this entry + + + Hide this entry from the browser extension + Hide this entry from the browser extension + + + Additional URL's + Additional URL's + + + Add + Add + + + Remove + Remove + + + Edit + Edit + EditEntryWidgetHistory @@ -1849,6 +2449,26 @@ Disable safe saves and try again? Delete all Delete all + + Entry history selection + Entry history selection + + + Show entry at selected history state + Show entry at selected history state + + + Restore entry to selected history state + Restore entry to selected history state + + + Delete selected history state + Delete selected history state + + + Delete all history + Delete all history + EditEntryWidgetMain @@ -1888,6 +2508,62 @@ Disable safe saves and try again? Expires Expires + + Url field + Url field + + + Download favicon for URL + Download favicon for URL + + + Repeat password field + Repeat password field + + + Toggle password generator + Toggle password generator + + + Password field + Password field + + + Toggle password visibility + Toggle password visibility + + + Toggle notes visible + Toggle notes visible + + + Expiration field + Expiration field + + + Expiration Presets + Expiration Presets + + + Expiration presets + Expiration presets + + + Notes field + Notes field + + + Title field + Title field + + + Username field + Username field + + + Toggle expiration + Toggle expiration + EditEntryWidgetSSHAgent @@ -1964,6 +2640,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Require user confirmation when this key is used + + Remove key from agent after specified seconds + Remove key from agent after specified seconds + + + Browser for key file + Browser for key file + + + External key file + External key file + + + Select attachment file + Select attachment file + EditGroupWidget @@ -1999,6 +2691,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Inherit from parent group (%1) + + Entry has unsaved changes + Entry has unsaved changes + EditGroupWidgetKeeShare @@ -2026,34 +2722,6 @@ Disable safe saves and try again? Inactive Inactive - - Import from path - Import from path - - - Export to path - Export to path - - - Synchronize with path - Synchronize with path - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Your KeePassXC version does not support sharing your container type. Please use %1. - - - Database sharing is disabled - Database sharing is disabled - - - Database export is disabled - Database export is disabled - - - Database import is disabled - Database import is disabled - KeeShare unsigned container KeeShare unsigned container @@ -2079,16 +2747,75 @@ Disable safe saves and try again? Clear - The export container %1 is already referenced. - The export container %1 is already referenced. + Import + Import - The import container %1 is already imported. - The import container %1 is already imported. + Export + Export - The container %1 imported and export by different groups. - The container %1 imported and export by different groups. + Synchronize + Synchronize + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + %1 is already being exported by this database. + %1 is already being exported by this database. + + + %1 is already being imported by this database. + %1 is already being imported by this database. + + + %1 is being imported and exported by different groups in this database. + %1 is being imported and exported by different groups in this database. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare is currently disabled. You can enable import/export in the application settings. + + + Database export is currently disabled by application settings. + Database export is currently disabled by application settings. + + + Database import is currently disabled by application settings. + Database import is currently disabled by application settings. + + + Sharing mode field + Sharing mode field + + + Path to share file field + Path to share file field + + + Browser for share file + Browser for share file + + + Password field + Password field + + + Toggle password visibility + Toggle password visibility + + + Toggle password generator + Toggle password generator + + + Clear fields + Clear fields @@ -2121,6 +2848,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence Set default Auto-Type se&quence + + Name field + Name field + + + Notes field + Notes field + + + Toggle expiration + Toggle expiration + + + Auto-Type toggle for this and sub groups + Auto-Type toggle for this and sub groups + + + Expiration field + Expiration field + + + Search toggle for this and sub groups + Search toggle for this and sub groups + + + Default auto-type sequence field + Default auto-type sequence field + EditWidgetIcons @@ -2156,22 +2911,10 @@ Disable safe saves and try again? All files All files - - Custom icon already exists - Custom icon already exists - Confirm Delete Confirm Delete - - Custom icon successfully downloaded - Custom icon successfully downloaded - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Select Image(s) Select Image(s) @@ -2186,7 +2929,7 @@ Disable safe saves and try again? %n icon(s) already exist in the database - %n icon already exist in the database%n icons already exist in the database + %n icon already exists in the database%n icons already exist in the database The following icon(s) failed: @@ -2196,6 +2939,42 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? This icon is used by %n entry, and will be replaced by the default icon. Are you sure you want to delete it?This icon is used by %n entries, and will be replaced by the default icon. Are you sure you want to delete it? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + Download favicon for URL + Download favicon for URL + + + Apply selected icon to subgroups and entries + Apply selected icon to subgroups and entries + + + Apply icon &to ... + Apply icon &to ... + + + Apply to this only + Apply to this only + + + Also apply to child groups + Also apply to child groups + + + Also apply to child entries + Also apply to child entries + + + Also apply to all children + Also apply to all children + + + Existing icon selected. + Existing icon selected. + EditWidgetProperties @@ -2241,6 +3020,30 @@ This may cause the affected plugins to malfunction. Value Value + + Datetime created + Datetime created + + + Datetime modified + Datetime modified + + + Datetime accessed + Datetime accessed + + + Unique ID + Unique ID + + + Plugin data + Plugin data + + + Remove selected plugin data + Remove selected plugin data + Entry @@ -2337,6 +3140,26 @@ This may cause the affected plugins to malfunction. %1Unable to open files: %1 + + Attachments + Attachments + + + Add new attachment + Add new attachment + + + Remove selected attachment + Remove selected attachment + + + Open selected attachment + Open selected attachment + + + Save selected attachment to disk + Save selected attachment to disk + EntryAttributesModel @@ -2430,10 +3253,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Generate TOTP Token - Close Close @@ -2519,6 +3338,14 @@ This may cause the affected plugins to malfunction. Share Share + + Display current TOTP value + Display current TOTP value + + + Advanced + Advanced + EntryView @@ -2552,11 +3379,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Recycle Bin + Entry "%1" from database "%2" was used by %3 + Entry "%1" from database "%2" was used by %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Failed to register DBus service at %1: another secret service is running. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n entry was used by %1%n entries was used by %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo Secret Service: %1 + + + + Group [empty] group has no children @@ -2574,6 +3423,59 @@ This may cause the affected plugins to malfunction. Cannot save the native messaging script file. + + IconDownloaderDialog + + Download Favicons + Download Favicons + + + Cancel + Cancel + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + Close + Close + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + Please wait, processing entry list... + + + Downloading... + Downloading... + + + Ok + Ok + + + Already Exists + Already Exists + + + Download Failed + Download Failed + + + Downloading favicons (%1/%2)... + Downloading favicons (%1/%2)... + + KMessageWidget @@ -2595,10 +3497,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. Unable to issue challenge-response. - - Wrong key or database file is corrupt. - Wrong key or database file is corrupt. - missing database headers missing database headers @@ -2619,6 +3517,12 @@ This may cause the affected plugins to malfunction. Invalid header data length Invalid header data length + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Kdbx3Writer @@ -2649,10 +3553,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch Header SHA256 mismatch - - Wrong key or database file is corrupt. (HMAC mismatch) - Wrong key or database file is corrupt. (HMAC mismatch) - Unknown cipher Unknown cipher @@ -2753,6 +3653,16 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data Invalid variant map field type size + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + (HMAC mismatch) + (HMAC mismatch) + Kdbx4Writer @@ -2974,14 +3884,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Import KeePass1 database - Unable to open the database. Unable to open the database. + + Import KeePass1 Database + Import KeePass1 Database + KeePass1Reader @@ -3038,10 +3948,6 @@ Line %2, column %3 Unable to calculate master key Unable to calculate master key - - Wrong key or database file is corrupt. - Wrong key or database file is corrupt. - Key transformation failed Key transformation failed @@ -3138,40 +4044,58 @@ Line %2, column %3 unable to seek to content position unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + KeeShare - Disabled share - Disabled share + Invalid sharing reference + Invalid sharing reference - Import from - Import from + Inactive share %1 + Inactive share %1 - Export to - Export to + Imported from %1 + Imported from %1 - Synchronize with - Synchronize with + Exported to %1 + Exported to %1 - Disabled share %1 - Disabled share %1 + Synchronized with %1 + Synchronized with %1 - Import from share %1 - Import from share %1 + Import is disabled in settings + Import is disabled in settings - Export to share %1 - Export to share %1 + Export is disabled in settings + Export is disabled in settings - Synchronize with share %1 - Synchronize with share %1 + Inactive share + Inactive share + + + Imported from + Imported from + + + Exported to + Exported to + + + Synchronized with + Synchronized with @@ -3215,10 +4139,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Browse - Generate Generate @@ -3275,6 +4195,44 @@ Message: %2 Select a key file Select a key file + + Key file selection + Key file selection + + + Browse for key file + Browse for key file + + + Browse... + Browse... + + + Generate a new key file + Generate a new key file + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + Invalid Key File + Invalid Key File + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + Suspicious Key File + Suspicious Key File + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + MainWindow @@ -3362,10 +4320,6 @@ Message: %2 &Settings &Settings - - Password Generator - Password Generator - &Lock databases &Lock databases @@ -3552,14 +4506,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Show TOTP QR Code... - - Check for Updates... - Check for Updates... - - - Share entry - Share entry - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3578,6 +4524,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. You can always check for updates manually from the application menu. + + &Export + &Export + + + &Check for Updates... + &Check for Updates... + + + Downlo&ad all favicons + Downlo&ad all favicons + + + Sort &A-Z + Sort &A-Z + + + Sort &Z-A + Sort &Z-A + + + &Password Generator + &Password Generator + + + Download favicon + Download favicon + + + &Export to HTML file... + &Export to HTML file... + + + 1Password Vault... + 1Password Vault... + + + Import a 1Password Vault + Import a 1Password Vault + + + &Getting Started + &Getting Started + + + Open Getting Started Guide PDF + Open Getting Started Guide PDF + + + &Online Help... + &Online Help... + + + Go to online documentation (opens browser) + Go to online documentation (opens browser) + + + &User Guide + &User Guide + + + Open User Guide PDF + Open User Guide PDF + + + &Keyboard Shortcuts + &Keyboard Shortcuts + Merger @@ -3637,6 +4651,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 Adding missing icon %1 + + Removed custom data %1 [%2] + Removed custom data %1 [%2] + + + Adding custom data %1 [%2] + Adding custom data %1 [%2] + NewDatabaseWizard @@ -3706,6 +4728,73 @@ Expect some bugs and minor issues, this version is not meant for production use. Please fill in the display name and an optional description for your new database: + + OpData01 + + Invalid OpData01, does not contain header + Invalid OpData01, does not contain header + + + Unable to read all IV bytes, wanted 16 but got %1 + Unable to read all IV bytes, wanted 16 but got %1 + + + Unable to init cipher for opdata01: %1 + Unable to init cipher for opdata01: %1 + + + Unable to read all HMAC signature bytes + Unable to read all HMAC signature bytes + + + Malformed OpData01 due to a failed HMAC + Malformed OpData01 due to a failed HMAC + + + Unable to process clearText in place + Unable to process clearText in place + + + Expected %1 bytes of clear-text, found %2 + Expected %1 bytes of clear-text, found %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Read Database did not produce an instance +%1 + + + + OpVaultReader + + Directory .opvault must exist + Directory .opvault must exist + + + Directory .opvault must be readable + Directory .opvault must be readable + + + Directory .opvault/default must exist + Directory .opvault/default must exist + + + Directory .opvault/default must be readable + Directory .opvault/default must be readable + + + Unable to decode masterKey: %1 + Unable to decode masterKey: %1 + + + Unable to derive master key: %1 + Unable to derive master key: %1 + + OpenSSHKey @@ -3805,6 +4894,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown key type: %1 + + PasswordEdit + + Passwords do not match + Passwords do not match + + + Passwords match so far + Passwords match so far + + PasswordEditWidget @@ -3831,6 +4931,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Generate master password + + Password field + Password field + + + Toggle password visibility + Toggle password visibility + + + Repeat password field + Repeat password field + + + Toggle password generator + Toggle password generator + PasswordGeneratorWidget @@ -3859,22 +4975,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Character Types - - Upper Case Letters - Upper Case Letters - - - Lower Case Letters - Lower Case Letters - Numbers Numbers - - Special Characters - Special Characters - Extended ASCII Extended ASCII @@ -3955,18 +5059,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Advanced - - Upper Case Letters A to F - Upper Case Letters A to F - A-Z A-Z - - Lower Case Letters A to F - Lower Case Letters A to F - a-z a-z @@ -3999,18 +5095,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Math - <*+!?= <*+!?= - - Dashes - Dashes - \_|-/ \_|-/ @@ -4059,6 +5147,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Regenerate + + Generated password + Generated password + + + Upper-case letters + Upper-case letters + + + Lower-case letters + Lower-case letters + + + Special characters + Special characters + + + Math Symbols + Math Symbols + + + Dashes and Slashes + Dashes and Slashes + + + Excluded characters + Excluded characters + + + Hex Passwords + Hex Passwords + + + Password length + Password length + + + Word Case: + Word Case: + + + Regenerate password + Regenerate password + + + Copy password + Copy password + + + Accept password + Accept password + + + lower case + lower case + + + UPPER CASE + UPPER CASE + + + Title Case + Title Case + + + Toggle password visibility + Toggle password visibility + QApplication @@ -4066,12 +5222,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Select + Statistics + Statistics @@ -4108,6 +5261,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Merge + + Continue + Continue + QObject @@ -4199,10 +5356,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Generate a password for the entry. - - Length for the generated password. - Length for the generated password. - length length @@ -4252,18 +5405,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Perform advanced analysis on the password. - - Extract and print the content of a database. - Extract and print the content of a database. - - - Path of the database to extract. - Path of the database to extract. - - - Insert password to unlock %1: - Insert password to unlock %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4308,10 +5449,6 @@ Available commands: Merge two databases. Merge two databases. - - Path of the database to merge into. - Path of the database to merge into. - Path of the database to merge from. Path of the database to merge from. @@ -4388,10 +5525,6 @@ Available commands: Browser Integration Browser Integration - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Challenge Response - Slot %2 - %3 - Press Press @@ -4422,10 +5555,6 @@ Available commands: Generate a new random password. Generate a new random password. - - Invalid value for password length %1. - Invalid value for password length %1. - Could not create entry with path %1. Could not create entry with path %1. @@ -4483,10 +5612,6 @@ Available commands: CLI parameter count - - Invalid value for password length: %1 - Invalid value for password length: %1 - Could not find entry with path %1. Could not find entry with path %1. @@ -4611,26 +5736,6 @@ Available commands: Failed to load key file %1: %2 Failed to load key file %1: %2 - - File %1 does not exist. - File %1 does not exist. - - - Unable to open file %1. - Unable to open file %1. - - - Error while reading the database: -%1 - Error while reading the database: -%1 - - - Error while parsing the database: -%1 - Error while parsing the database: -%1 - Length of the generated password Length of the generated password @@ -4643,10 +5748,6 @@ Available commands: Use uppercase characters Use uppercase characters - - Use numbers. - Use numbers. - Use special characters Use special characters @@ -4791,10 +5892,6 @@ Available commands: Successfully created new database. Successfully created new database. - - Insert password to encrypt database (Press enter to leave blank): - Insert password to encrypt database (Press enter to leave blank): - Creating KeyFile %1 failed: %2 Creating KeyFile %1 failed: %2 @@ -4803,10 +5900,6 @@ Available commands: Loading KeyFile %1 failed: %2 Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Remove an entry from the database. - Path of the entry to remove. Path of the entry to remove. @@ -4863,6 +5956,330 @@ Available commands: Cannot create new group Cannot create new group + + Deactivate password key for the database. + Deactivate password key for the database. + + + Displays debugging information. + Displays debugging information. + + + Deactivate password key for the database to merge from. + Deactivate password key for the database to merge from. + + + Version %1 + Version %1 + + + Build Type: %1 + Build Type: %1 + + + Revision: %1 + Revision: %1 + + + Distribution: %1 + Distribution: %1 + + + Debugging mode is disabled. + Debugging mode is disabled. + + + Debugging mode is enabled. + Debugging mode is enabled. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + Auto-Type + Auto-Type + + + KeeShare (signed and unsigned sharing) + KeeShare (signed and unsigned sharing) + + + KeeShare (only signed sharing) + KeeShare (only signed sharing) + + + KeeShare (only unsigned sharing) + KeeShare (only unsigned sharing) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + None + + + Enabled extensions: + Enabled extensions: + + + Cryptographic libraries: + Cryptographic libraries: + + + Cannot generate a password and prompt at the same time! + Cannot generate a password and prompt at the same time! + + + Adds a new group to a database. + Adds a new group to a database. + + + Path of the group to add. + Path of the group to add. + + + Group %1 already exists! + Group %1 already exists! + + + Group %1 not found. + Group %1 not found. + + + Successfully added group %1. + Successfully added group %1. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + FILENAME + FILENAME + + + Analyze passwords for weaknesses and problems. + Analyze passwords for weaknesses and problems. + + + Failed to open HIBP file %1: %2 + Failed to open HIBP file %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Evaluating database entries against HIBP file, this will take a while... + + + Close the currently opened database. + Close the currently opened database. + + + Display this help. + Display this help. + + + Yubikey slot used to encrypt the database. + Yubikey slot used to encrypt the database. + + + slot + slot + + + Invalid word count %1 + Invalid word count %1 + + + The word list is too small (< 1000 items) + The word list is too small (< 1000 items) + + + Exit interactive mode. + Exit interactive mode. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + Exports the content of a database to standard output in the specified format. + Exports the content of a database to standard output in the specified format. + + + Unable to export database to XML: %1 + Unable to export database to XML: %1 + + + Unsupported format %1 + Unsupported format %1 + + + Use numbers + Use numbers + + + Invalid password length %1 + Invalid password length %1 + + + Display command help. + Display command help. + + + Available commands: + Available commands: + + + Import the contents of an XML database. + Import the contents of an XML database. + + + Path of the XML database export. + Path of the XML database export. + + + Path of the new database. + Path of the new database. + + + Unable to import XML database export %1 + Unable to import XML database export %1 + + + Successfully imported database. + Successfully imported database. + + + Unknown command %1 + Unknown command %1 + + + Flattens the output to single lines. + Flattens the output to single lines. + + + Only print the changes detected by the merge operation. + Only print the changes detected by the merge operation. + + + Yubikey slot for the second database. + Yubikey slot for the second database. + + + Successfully merged %1 into %2. + Successfully merged %1 into %2. + + + Database was not modified by merge operation. + Database was not modified by merge operation. + + + Moves an entry to a new group. + Moves an entry to a new group. + + + Path of the entry to move. + Path of the entry to move. + + + Path of the destination group. + Path of the destination group. + + + Could not find group with path %1. + Could not find group with path %1. + + + Entry is already in group %1. + Entry is already in group %1. + + + Successfully moved entry %1 to group %2. + Successfully moved entry %1 to group %2. + + + Open a database. + Open a database. + + + Path of the group to remove. + Path of the group to remove. + + + Cannot remove root group from database. + Cannot remove root group from database. + + + Successfully recycled group %1. + Successfully recycled group %1. + + + Successfully deleted group %1. + Successfully deleted group %1. + + + Failed to open database file %1: not found + Failed to open database file %1: not found + + + Failed to open database file %1: not a plain file + Failed to open database file %1: not a plain file + + + Failed to open database file %1: not readable + Failed to open database file %1: not readable + + + Enter password to unlock %1: + Enter password to unlock %1: + + + Invalid YubiKey slot %1 + Invalid YubiKey slot %1 + + + Please touch the button on your YubiKey to unlock %1 + Please touch the button on your YubiKey to unlock %1 + + + Enter password to encrypt database (optional): + Enter password to encrypt database (optional): + + + HIBP file, line %1: parse error + HIBP file, line %1: parse error + + + Secret Service Integration + Secret Service Integration + + + User name + User name + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Challenge Response - Slot %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Password for '%1' has been leaked %2 time!Password for '%1' has been leaked %2 times! + + + Invalid password generator after applying all options + Invalid password generator after applying all options + QtIOCompressor @@ -5016,6 +6433,93 @@ Available commands: Case sensitive + + SettingsWidgetFdoSecrets + + Options + Options + + + Enable KeepassXC Freedesktop.org Secret Service integration + Enable KeepassXC Freedesktop.org Secret Service integration + + + General + General + + + Show notification when credentials are requested + Show notification when credentials are requested + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Don't confirm when entries are deleted by clients. + + + Exposed database groups: + Exposed database groups: + + + File Name + File Name + + + Group + Group + + + Manage + Manage + + + Authorization + Authorization + + + These applications are currently connected: + These applications are currently connected: + + + Application + Application + + + Disconnect + Disconnect + + + Database settings + Database settings + + + Edit database settings + Edit database settings + + + Unlock database + Unlock database + + + Unlock database to show more information + Unlock database to show more information + + + Lock database + Lock database + + + Unlock to show + Unlock to show + + + None + None + + SettingsWidgetKeeShare @@ -5139,9 +6643,100 @@ Available commands: Signer: Signer: + + Allow KeeShare imports + Allow KeeShare imports + + + Allow KeeShare exports + Allow KeeShare exports + + + Only show warnings and errors + Only show warnings and errors + + + Key + Key + + + Signer name field + Signer name field + + + Generate new certificate + Generate new certificate + + + Import existing certificate + Import existing certificate + + + Export own certificate + Export own certificate + + + Known shares + Known shares + + + Trust selected certificate + Trust selected certificate + + + Ask whether to trust the selected certificate every time + Ask whether to trust the selected certificate every time + + + Untrust selected certificate + Untrust selected certificate + + + Remove selected certificate + Remove selected certificate + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Overwriting signed share container is not supported - export prevented + + + Could not write export container (%1) + Could not write export container (%1) + + + Could not embed signature: Could not open file to write (%1) + Could not embed signature: Could not open file to write (%1) + + + Could not embed signature: Could not write file (%1) + Could not embed signature: Could not write file (%1) + + + Could not embed database: Could not open file to write (%1) + Could not embed database: Could not open file to write (%1) + + + Could not embed database: Could not write file (%1) + Could not embed database: Could not write file (%1) + + + Overwriting unsigned share container is not supported - export prevented + Overwriting unsigned share container is not supported - export prevented + + + Could not write export container + Could not write export container + + + Unexpected export error occurred + Unexpected export error occurred + + + + ShareImport Import from container without signature Import from container without signature @@ -5154,6 +6749,10 @@ Available commands: Import from container with certificate Import from container with certificate + + Do you want to trust %1 with the fingerprint of %2 from %3? + Do you want to trust %1 with the fingerprint of %2 from %3? {1 ?} {2 ?} + Not this time Not this time @@ -5170,18 +6769,6 @@ Available commands: Just this time Just this time - - Import from %1 failed (%2) - Import from %1 failed (%2) - - - Import from %1 successful (%2) - Import from %1 successful (%2) - - - Imported from %1 - Imported from %1 - Signed share container are not supported - import prevented Signed share container are not supported - import prevented @@ -5222,25 +6809,20 @@ Available commands: Unknown share container type Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Overwriting signed share container is not supported - export prevented + Import from %1 failed (%2) + Import from %1 failed (%2) - Could not write export container (%1) - Could not write export container (%1) + Import from %1 successful (%2) + Import from %1 successful (%2) - Overwriting unsigned share container is not supported - export prevented - Overwriting unsigned share container is not supported - export prevented - - - Could not write export container - Could not write export container - - - Unexpected export error occurred - Unexpected export error occurred + Imported from %1 + Imported from %1 Export to %1 failed (%2) @@ -5254,10 +6836,6 @@ Available commands: Export to %1 Export to %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Do you want to trust %1 with the fingerprint of %2 from %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Multiple import source path to %1 in %2 @@ -5266,22 +6844,6 @@ Available commands: Conflicting export target path %1 in %2 Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - Could not embed signature: Could not open file to write (%1) - - - Could not embed signature: Could not write file (%1) - Could not embed signature: Could not write file (%1) - - - Could not embed database: Could not open file to write (%1) - Could not embed database: Could not open file to write (%1) - - - Could not embed database: Could not write file (%1) - Could not embed database: Could not write file (%1) - TotpDialog @@ -5328,10 +6890,6 @@ Available commands: Setup TOTP Setup TOTP - - Key: - Key: - Default RFC 6238 token settings Default RFC 6238 token settings @@ -5362,16 +6920,46 @@ Available commands: Code size: - 6 digits - 6 digits + Secret Key: + Secret Key: - 7 digits - 7 digits + Secret key must be in Base32 format + Secret key must be in Base32 format - 8 digits - 8 digits + Secret key field + Secret key field + + + Algorithm: + Algorithm: + + + Time step field + Time step field + + + digits + digits + + + Invalid TOTP Secret + Invalid TOTP Secret + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Confirm Remove TOTP Settings + + + Are you sure you want to delete TOTP settings for this entry? + Are you sure you want to delete TOTP settings for this entry? @@ -5455,6 +7043,14 @@ Available commands: Welcome to KeePassXC %1 Welcome to KeePassXC %1 + + Import from 1Password + Import from 1Password + + + Open a recent database + Open a recent database + YubiKeyEditWidget @@ -5478,5 +7074,13 @@ Available commands: No YubiKey inserted. No YubiKey inserted. + + Refresh hardware tokens + Refresh hardware tokens + + + Hardware key slot selection + Hardware key slot selection + \ No newline at end of file diff --git a/share/translations/keepassx_es.ts b/share/translations/keepassx_es.ts index ddef34d3a..50b17bb43 100644 --- a/share/translations/keepassx_es.ts +++ b/share/translations/keepassx_es.ts @@ -11,7 +11,7 @@ Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> - Reporte errores en: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> + Informar de errores en: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. @@ -50,7 +50,7 @@ AgentSettingsWidget Enable SSH Agent (requires restart) - Habilitar el Agente de SSH (requiere reinicio) + Habilitar agente de SSH (requiere reinicio) Use OpenSSH for Windows instead of Pageant @@ -95,12 +95,20 @@ Follow style Seguir estilo + + Reset Settings? + ¿Reiniciar configuración? + + + Are you sure you want to reset all general and security settings to default? + ¿Desea reiniciar la configuración general y de seguridad a sus valores por defecto? + ApplicationSettingsWidgetGeneral Basic Settings - Configuraciones Básicas + Configuraciones básicas Startup @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Inicie solo una instancia de KeePassXC - - Remember last databases - Recordar última base de datos - - - Remember last key files and security dongles - Recordar los últimos archivos de llaves y el dongle de seguridad - - - Load previous databases on startup - Abrir base de datos anterior al inicio - Minimize window at application startup Minimizar la ventana al iniciar @@ -162,10 +158,6 @@ Use group icon on entry creation Usar icono del grupo en la creación de entrada - - Minimize when copying to clipboard - Minimizar al copiar al portapapeles - Hide the entry preview panel Ocultar entrada del panel de vista previa @@ -194,10 +186,6 @@ Hide window to system tray when minimized Ocultar la ventana a la bandeja del sistema cuando se minimiza - - Language - Idioma - Auto-Type Autoescritura @@ -212,7 +200,7 @@ Always ask before performing Auto-Type - Siempre preguntar antes de hacer autoescritura + Siempre solicitar antes de hacer autoescritura Global Auto-Type shortcut @@ -220,32 +208,113 @@ Auto-Type typing delay - Escribiendo retardo de la autoescritura + Retardo de escritura de la autoescritura ms Milliseconds - Micro segundo + ms Auto-Type start delay - Iniciar retardo de autoescritura - - - Check for updates at application startup - Buscar actualizaciones al inicio de la aplicación. - - - Include pre-releases when checking for updates - Incluir pre-lanzamientos al verificar actualizaciones + Retardo de inicio de autoescritura Movable toolbar Barra de herramientas móvil - Button style - Estilo del botón + Remember previously used databases + Recordar anteriores bases de datos usadas + + + Load previously open databases on startup + Abrir base de datos anterior al inicio + + + Remember database key files and security dongles + Recordar los últimos archivos de llaves y los «dongle» de seguridad + + + Check for updates at application startup once per week + Buscar actualizaciones al inicio de la aplicación una vez por semana + + + Include beta releases when checking for updates + Incluir versiones beta al comprobar actualizaciones + + + Button style: + Estilo del botón: + + + Language: + Idioma: + + + (restart program to activate) + (reiniciar aplicación para activar) + + + Minimize window after unlocking database + Minimizar ventana después de desbloquear base de datos + + + Minimize when opening a URL + Minimizar al abrir una URL + + + Hide window when copying to clipboard + Ocultar ventana al copiar al portapapeles + + + Minimize + Minimizar + + + Drop to background + Mover a segundo plano + + + Favicon download timeout: + Tiempo de espera de descarga de favicon: + + + Website icon download timeout in seconds + Tiempo de espera en segundos de descarga de icono de sitio web + + + sec + Seconds + seg + + + Toolbar button style + Estilo de botón de barra de herramientas + + + Use monospaced font for Notes + Usar fuente monoespacio para Notas + + + Language selection + Selección de idioma + + + Reset Settings to Default + Restaurar configuración por defecto + + + Global auto-type shortcut + Atajo global de autoescritura + + + Auto-type character typing delay milliseconds + Retardo de autoescritura de caracteres + + + Auto-type start delay milliseconds + Retardo de inicio de autoescriturura en milisegundos @@ -261,7 +330,7 @@ sec Seconds - segundos + seg Lock databases after inactivity of @@ -320,8 +389,29 @@ Privacidad - Use DuckDuckGo as fallback for downloading website icons - Utilice DuckDuckGo como alternativa para descargar iconos de sitios web + Use DuckDuckGo service to download website icons + Usar el servicio DuckDuckGo para descargar iconos de sitio web + + + Clipboard clear seconds + Limpiar portapapeles en segundos + + + Touch ID inactivity reset + Reinicio de inactividad de Touch ID + + + Database lock timeout seconds + Tiempo de espera de bloqueo de base de datos en segundos + + + min + Minutes + min + + + Clear search query after + Limpiar consulta de búsqueda después @@ -344,11 +434,11 @@ This Auto-Type command contains a very long delay. Do you really want to proceed? - Este comando de autoescritura contiene un retraso muy largo. ¿Realmente desea continuar? + Este comando de autoescritura contiene un retraso muy largo. ¿Desea continuar? This Auto-Type command contains very slow key presses. Do you really want to proceed? - Este comando de autoescritura contiene pulsaciones de teclas muy lentas. ¿Realmente desea continuar? + Este comando de autoescritura contiene pulsaciones de teclas muy lentas. ¿Desea continuar? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? @@ -382,13 +472,24 @@ Username - Nombre de usuario: + Nombre de usuario Sequence Secuencia + + AutoTypeMatchView + + Copy &username + Copiar nombre de &usuario + + + Copy &password + Copiar &contraseña + + AutoTypeSelectDialog @@ -399,12 +500,16 @@ Select entry to Auto-Type: Seleccionar entrada para autoescritura: + + Search... + Buscar... + BrowserAccessControlDialog KeePassXC-Browser Confirm Access - KeePassXC-Browser Confirmar Acceso + Confirmación de acceso KeePassXC-Browser Remember this decision @@ -421,8 +526,16 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 ha solicitado acceso a las contraseñas de los siguientes ítems. -Por favor seleccione si desea autorizar su acceso. + %1 ha solicitado acceso a las contraseñas de los siguientes elementos. +Seleccione si desea autorizar su acceso. + + + Allow access + Permitir acceso + + + Deny access + Denegar acceso @@ -433,7 +546,7 @@ Por favor seleccione si desea autorizar su acceso. Ok - Listo + Aceptar Cancel @@ -442,7 +555,7 @@ Por favor seleccione si desea autorizar su acceso. You have multiple databases open. Please select the correct database for saving credentials. - Tienes múltiples bases de datos abiertas. + Tiene múltiples bases de datos abiertas. Por favor, seleccione la base de datos correcta para guardar las credenciales. @@ -456,10 +569,6 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales.This is required for accessing your databases with KeePassXC-Browser Esto es necesario para acceder a las bases de datos con KeePassXC-Browser - - Enable KeepassXC browser integration - Permitir la integración de KeepassXC con el Navegador - General General @@ -526,21 +635,17 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Nunca &pregunte antes de acceder a las credenciales + Nunca &solicitar antes de acceder a las credenciales Never ask before &updating credentials Credentials mean login data requested via browser extension - No preguntar y guardar los credenciales - - - Only the selected database has to be connected with a client. - Sólo las bases de datos seleccionadas se conectaran con el cliente. + No solicitar y guardar los credenciales Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - Buscar &h en todas las bases de datos abiertas los credenciales correspondientes + &Buscar en todas las bases de datos abiertas las credenciales correspondientes Automatically creating or updating string fields is not supported. @@ -548,7 +653,7 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales. &Return advanced string fields which start with "KPH: " - Mostra&r campos de caracteres avanzados que comiencen con "KPH: " + Mostra&r campos de caracteres avanzados que comiencen con «KPH: » Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. @@ -556,11 +661,11 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales. Update &native messaging manifest files at startup - Actualizar &native mensajes al iniciar + Actualizar archivos manifiesto de mensajería &nativa al iniciar Support a proxy application between KeePassXC and browser extension. - Apoya una aplicación proxy entre KeePassXC y una extensión de navegador. + Soporta una aplicación proxy entre KeePassXC y una extensión de navegador. Use a &proxy application between KeePassXC and browser extension @@ -582,7 +687,7 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales. <b>Warning:</b> The following options can be dangerous! - <b>Advertencia:</b> Las siguientes opciones pueden ser peligrosas. + <b>Advertencia:</b> las siguientes opciones pueden ser peligrosas. Select custom proxy location @@ -592,10 +697,6 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales.&Tor Browser Navegador &Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Advertencia</b>, no se encontró la aplicación keepassxc-proxy!<br />Verifique el directorio de instalación de KeePassXC o confirme la ruta personalizada en las opciones avanzadas.<br />La integración del navegador NO FUNCIONARÁ sin la aplicación proxy..<br />Ruta esperada: - Executable Files Archivos ejecutables @@ -607,26 +708,70 @@ Por favor, seleccione la base de datos correcta para guardar las credenciales. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - No pedir permiso para Autenticación HTTP &Básica + No solicitar permiso para autenticación HTTP &básica Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - Debido al modo aislado de Snap, debes ejecutar un código para permitir la integración con el navegador.<br/>Puedes obtener este código desde %1 + Debido al modo aislado de Snap, debe ejecutar un código para permitir la integración con el navegador.<br/>Puedes obtener este código desde %1 Please see special instructions for browser extension use below - Por favor ve las instrucciones especiales para el uso de extensiones del navegador debajo. + Por favor vea las instrucciones especiales para el uso de extensiones del navegador debajo KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser es necesario para que la integración con el navegador funcione. <br />Descárguelo para %1 y %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Devuelve las credenciales expiradas. La cadena [expirada] es añadida al título. + + + &Allow returning expired credentials. + &Permitir devolver credenciales expiradas. + + + Enable browser integration + Habilitar integración con navegador + + + Browsers installed as snaps are currently not supported. + Los navegadores instalados como snaps no están soportados. + + + All databases connected to the extension will return matching credentials. + Todas las bases de datos conectadas a la extensión devolverán las credenciales coincidentes. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + No permitir ventana emergente sugiriendo migración de configuración antigua de KeePassHTTP. + + + &Do not prompt for KeePassHTTP settings migration. + &No preguntar por migración de configuración de KeePassHTTP. + + + Custom proxy location field + Ubicación de campo personalizado proxy + + + Browser for custom proxy file + Navegar para archivo personalizado proxy + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Advertencia</b>, no se encontró la aplicación keepassxc-proxy!<br />Compruebe el directorio de instalación de KeePassXC o confirme la ruta personalizada en las opciones avanzadas.<br />La integración del navegador NO FUNCIONARÁ sin la aplicación proxy.<br />Ruta esperada: %1 + BrowserService KeePassXC: New key association request - KeePassXC: Solicitud de asociación de nueva clave + KeePassXC: solicitud de asociación de nueva clave You have received an association request for the above key. @@ -635,9 +780,9 @@ If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. ¿Quiere asociar la base de datos al navegador? -Si quiere autorizar el acceso a la base de datos de KeePassXC, -proporcione un nombre único para identificar la autorización -y acepte. +Si quiere autorizar el acceso a la base de datos de KeePassXC +de un nombre único para identificar la autorización +(se guardará como una entrada más) Save and allow access @@ -645,17 +790,17 @@ y acepte. KeePassXC: Overwrite existing key? - KeePassXC: ¿Sobrescribir clave existente? + KeePassXC: ¿sobrescribir clave existente? A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - Existe una llave con el nombre "%1". -¿Quiere sobreescribirlo? + Existe una llave con el nombre «%1». +¿Desea sobrescribirlo? KeePassXC: Update Entry - KeePassXC: Actualizar entrada + KeePassXC: actualizar entrada Do you want to update the information in %1 - %2? @@ -681,11 +826,11 @@ Movió %2 claves a datos personalizados. Successfully moved %n keys to custom data. - %n llave(s) movida(s) a datos propios exitosamente.%n llave(s) movida(s) a datos propios exitosamente. + %n llave movida a datos propios exitosamente.%n llaves movidas a datos propios exitosamente. KeePassXC: No entry with KeePassHTTP attributes found! - KeePassXC: ¡No se encontró entrada con los atributos KeePassHTTP! + KeePassXC: ¡no se encontró entrada con los atributos KeePassHTTP! The active database does not contain an entry with KeePassHTTP attributes. @@ -697,14 +842,14 @@ Movió %2 claves a datos personalizados. KeePassXC: Create a new group - KeePassXC: Crear un grupo nuevo + KeePassXC: crear un grupo nuevo A request for creating a new group "%1" has been received. Do you want to create this group? - Una solicitud para crear un nuevo grupo "%1" se ha recibido. -¿Quiere crear este grupo? + Una solicitud para crear un nuevo grupo «%1» se ha recibido. +¿Desea crear este grupo? @@ -715,16 +860,20 @@ Would you like to migrate your existing settings now? Es necesario para mantener sus conexiones presentes del navegador. ¿Le gustaría migrar sus configuraciones existentes ahora? + + Don't show this warning again + No mostrar esta advertencia de nuevo + CloneDialog Clone Options - Opciones de Clonado + Opciones de clonado Append ' - Clone' to title - Añadir ' - Clon' a título + Añadir «- Clon» al título Replace username and password with references @@ -773,17 +922,13 @@ Es necesario para mantener sus conexiones presentes del navegador. First record has field names El primer registro tiene los nombres de los campos - - Number of headers line to discard - Cantidad de líneas a descartar de la cabecera - Consider '\' an escape character - Considerar '\' como un carácter de escape + Considerar «\» como un caracter de escape Preview - Vista anticipada + Vista previa Column layout @@ -819,7 +964,7 @@ Es necesario para mantener sus conexiones presentes del navegador. [%n more message(s) skipped] - [%n más mensaje(s) omitidos][%n más mensaje(s) omitidos] + [%n mensaje más omitido][%n mensajes más omitidos] CSV import: writer has errors: @@ -827,12 +972,28 @@ Es necesario para mantener sus conexiones presentes del navegador. Importación CSV: la escritura tiene errores: % 1 + + Text qualification + Certificado de texto + + + Field separation + Separación de campo + + + Number of header lines to discard + Número de líneas de cabecera a descartar + + + CSV import preview + Previsualización importar CSV + CsvParserModel %n column(s) - %n columna(s)%n columna(s) + %n columna%n columnas %1, %2, %3 @@ -841,11 +1002,11 @@ Es necesario para mantener sus conexiones presentes del navegador. %n byte(s) - %n byte(s)%n byte(s) + %n byte%n bytes %n row(s) - %n fila(s)%n fila(s) + %n fila%n filas @@ -867,17 +1028,35 @@ Es necesario para mantener sus conexiones presentes del navegador. Error while reading the database: %1 Error al leer la base de datos: %1 - - Could not save, database has no file name. - No se pudo guardar, la base de datos no tiene nombre de archivo. - File cannot be written as it is opened in read-only mode. El archivo no se puede escribir, ya que se ha abierto en modo de solo lectura. Key not transformed. This is a bug, please report it to the developers! - Llave no está transformada. Esto es un bug, por favor, ¡informe sobre él a los desarrolladores! + Llave no está transformada. Esto es un bug, por favor, informe sobre él a los desarrolladores + + + %1 +Backup database located at %2 + %1 +Copiar de seguridad de base de datos ubicada en %2 + + + Could not save, database does not point to a valid file. + No se puede guardar, la base de datos no apunta a un archivo válido. + + + Could not save, database file is read-only. + No se puede guardar, el archivo de base de datos es de solo lectura. + + + Database file has unmerged changes. + La base de datos tiene cambios no combinados. + + + Recycle Bin + Papelera de reciclaje @@ -889,30 +1068,14 @@ Es necesario para mantener sus conexiones presentes del navegador. DatabaseOpenWidget - - Enter master key - Ingrese la clave maestra - Key File: Archivo llave: - - Password: - Contraseña: - - - Browse - Navegar - Refresh Actualizar - - Challenge Response: - Desafío/respuesta: - Legacy key file format Formato de archivo llave heredado @@ -923,7 +1086,7 @@ unsupported in the future. Please consider generating a new key file. Está utilizando un formato de archivo llave heredado que puede convertirse - en no soportado en el futuro. +en no soportado en el futuro. Considere generar un nuevo archivo llave. @@ -944,20 +1107,100 @@ Considere generar un nuevo archivo llave. Seleccionar archivo llave - TouchID for quick unlock - TouchID para desbloquear rápidamente + Failed to open key file: %1 + Fallo al abrir archivo de clave: %1 - Unable to open the database: -%1 - Incapaz de abrir la base de datos: -%1 + Select slot... + Seleccionar ranura... - Can't open key file: -%1 - No se puede abrir el archivo llave: -% 1 + Unlock KeePassXC Database + Desbloquear base de datos KeePassXC + + + Enter Password: + Introducir contraseña: + + + Password field + Campo de contraseña + + + Toggle password visibility + Intercambiar visibilidad de contraseña + + + Enter Additional Credentials: + Introducir credenciales adicionales: + + + Key file selection + Selección de archivo de llave + + + Hardware key slot selection + Selección de ranura de clave hardware + + + Browse for key file + Navegar para un fichero de claves + + + Browse... + Navegar... + + + Refresh hardware tokens + Actualizar «tokens» hardware + + + Hardware Key: + Clave hardware: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Puede usar una clave de seguridad hardware como <strong>YubiKey</strong> o<strong>OnlyKey</strong> con ranuras configuradas para HMAC-SHA1.</p> +<p>Clic para más información...</p> + + + Hardware key help + Ayuda de clave hardware + + + TouchID for Quick Unlock + TouchID para desbloqueo rápido + + + Clear + Limpiar + + + Clear Key File + Limpiar archivo de clave + + + Select file... + Seleccionar archivo... + + + Unlock failed and no password given + Desbloqueo fallido y sin contraseña proporcionada + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Desbloquear la base de datos ha fallado y no introdujo una contraseña. +¿Desea reintentar con una contraseña vacía? + +Para prevenir que aparezca este error, debe ir a «Configuración de base de datos / Seguridad» y reiniciar su contraseña. + + + Retry with empty password + Reintentar con contraseña vacía @@ -983,15 +1226,15 @@ Considere generar un nuevo archivo llave. Master Key - Clave Maestra + Clave maestra Encryption Settings - Configuraciones de Cifrado + Configuraciones de cifrado Browser Integration - Integración con Navegadores + Integración con navegadores @@ -1006,7 +1249,7 @@ Considere generar un nuevo archivo llave. Forg&et all site-specific settings on entries - Olvíd&e todas las configuraciones específicas del sitio en las entradas + Olvid&ar todas las configuraciones específicas del sitio en las entradas Move KeePassHTTP attributes to KeePassXC-Browser &custom data @@ -1049,12 +1292,12 @@ Esto puede impedir la conexión con el complemento del navegador. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - ¿Realmente quieres desconectar todos los navegadores? + ¿Desea desconectar todos los navegadores? Esto puede impedir la conexión con el complemento del navegador. KeePassXC: No keys found - KeePassXC: No se encontró ninguna clave + KeePassXC: no se encontró ninguna clave No shared encryption keys found in KeePassXC settings. @@ -1062,20 +1305,20 @@ Esto puede impedir la conexión con el complemento del navegador. KeePassXC: Removed keys from database - KeePassXC: Las claves se eliminaron de la base de datos + KeePassXC: las claves se eliminaron de la base de datos Successfully removed %n encryption key(s) from KeePassXC settings. - Quitada(s) exitosamente %n llaves de cifrado de la configuración KeePassXC.Quitada(s) exitosamente %n llaves de cifrado de la configuración KeePassXC. + Quitada con éxito %n llave de cifrado de configuración de KeePassXC.Eliminadas con éxito %n llaves de cifrado de configuración de KeePassXC. Forget all site-specific settings on entries - Olvíde todas las configuraciones específicas del sitio en las entradas + Olvidar todas las configuraciones específicas del sitio en las entradas Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - ¿Realmente quieres olvidar todas las configuraciones específicas del sitio en cada entrada? + ¿Desea olvidar todas las configuraciones específicas del sitio en cada entrada? Los permisos para acceder a las entradas serán revocados. @@ -1088,15 +1331,15 @@ Los permisos para acceder a las entradas serán revocados. KeePassXC: Removed permissions - KeePassXC: Permisos eliminados + KeePassXC: permisos eliminados Successfully removed permissions from %n entry(s). - Removidos con éxito permisos de %n entrada(s).Removidos con éxito permisos de %n entrada(s). + Eliminados con éxito permisos de %n entrada.Eliminados con éxito permisos de %n entradas. KeePassXC: No entry with permissions found! - KeePassXC: ¡No se encontró ninguna entrada con permisos! + KeePassXC: ¡no se encontró ninguna entrada con permisos! The active database does not contain an entry with permissions. @@ -1112,6 +1355,14 @@ This is necessary to maintain compatibility with the browser plugin. ¿Realmente desea mover todos los datos de integración del navegador heredado al último estándar? Esto es necesario para mantener la compatibilidad con el complemento del navegador. + + Stored browser keys + Claves de navegador almacenadas + + + Remove selected key + Eliminar clave seleccionada + DatabaseSettingsWidgetEncryption @@ -1149,7 +1400,7 @@ Esto es necesario para mantener la compatibilidad con el complemento del navegad Decryption Time: - Tiempo de Descifrado: + Tiempo de descifrado: ?? s @@ -1242,7 +1493,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< thread(s) Threads for parallel execution (KDF settings) - hilo(s)hilo(s) + hilohilos %1 ms @@ -1254,6 +1505,57 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< seconds %1 s%1 s + + Change existing decryption time + Cambiar el tiempo de descifrado + + + Decryption time in seconds + Tiempo de descifrado en segundos + + + Database format + Formato de base de datos + + + Encryption algorithm + Algoritmo de cifrado + + + Key derivation function + Función de derivación de la llave + + + Transform rounds + Rondas de transformación + + + Memory usage + Uso de memoria + + + Parallelism + Paralelismo + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Exponer entradas + + + Don't e&xpose this database + No e&xponer esta base de datos + + + Expose entries &under this group: + Exponer entradas &bajo este grupo: + + + Enable fd.o Secret Service to access these settings. + Habilitar servicio de secretos fd.o para acceder a esta configuración. + DatabaseSettingsWidgetGeneral @@ -1275,7 +1577,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< History Settings - Configuración del Historial + Configuración del historial Max. history items: @@ -1287,7 +1589,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< MiB - MiB + MiB Use recycle bin @@ -1301,6 +1603,40 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< Enable &compression (recommended) Habilitar &compresión (recomendado) + + Database name field + Campo nombre de base de datos + + + Database description field + Campo descripción de base de datos + + + Default username field + Campo nombre de usuario por defecto + + + Maximum number of history items per entry + Número máximo de elementos de historial por entrada + + + Maximum size of history per entry + Tamaño máximo de historial por entrada + + + Delete Recycle Bin + Eliminar papelera de reciclaje + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + ¿Desea eliminar los contenidos actuales de la papelera de reciclaje? +Esta acción no es reversible. + + + (old) + (viejo) + DatabaseSettingsWidgetKeeShare @@ -1346,19 +1682,19 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< You must add at least one encryption key to secure your database! - ¡Debe agregar al menos una clave de cifrado para proteger su base de datos! + ¡Debe añadir al menos una clave de cifrado para proteger su base de datos! No password set - Sin contraseña establecida + Contraseña no establecida WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - ¡ADVERTENCIA! No has establecido una contraseña. Se desaconseja el uso de una base de datos sin contraseña. + ¡ADVERTENCIA! No ha establecido una contraseña. Se desaconseja el uso de una base de datos sin contraseña. -¿Seguro que quieres continuar sin contraseña? +¿Desea continuar sin contraseña? Unknown error @@ -1368,6 +1704,10 @@ Are you sure you want to continue without a password? Failed to change master key Error al cambiar la clave maestra + + Continue without password + Continuar sin contraseña + DatabaseSettingsWidgetMetaDataSimple @@ -1379,6 +1719,129 @@ Are you sure you want to continue without a password? Description: Descripción: + + Database name field + Campo nombre de base de datos + + + Database description field + Campo descripción de base de datos + + + + DatabaseSettingsWidgetStatistics + + Statistics + Estadísticas + + + Hover over lines with error icons for further information. + Ratón sobre líneas con iconos de error para información adicional. + + + Name + Nombre + + + Value + Valor + + + Database name + Nombre de la base de datos + + + Description + Descripción + + + Location + Localización + + + Last saved + Última guardada + + + Unsaved changes + Cambios no guardados + + + yes + + + + no + no + + + The database was modified, but the changes have not yet been saved to disk. + La base de datos fue modificada pero los cambios no han sido guardados a disco todavía. + + + Number of groups + Número de grupos + + + Number of entries + Número de entradas + + + Number of expired entries + Número de entradas expiradas + + + The database contains entries that have expired. + La base de datos contiene entradas que han expirado. + + + Unique passwords + Contraseñas únicas + + + Non-unique passwords + Contraseñas no únicas + + + More than 10% of passwords are reused. Use unique passwords when possible. + Más del 10% de las contraseñas son reusadas. Use contraseñas únicas si es posible. + + + Maximum password reuse + Reuso máximo de contraseña + + + Some passwords are used more than three times. Use unique passwords when possible. + Algunas contraseñas son usadas más de tres veces. Use contraseñas únicas si es posible. + + + Number of short passwords + Número de contraseñas cortas + + + Recommended minimum password length is at least 8 characters. + La longitud mínima recomendada de contraseña es de al menos 8 caracteres. + + + Number of weak passwords + Número de contraseñas débiles + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Se recomienda usar largas contraseñas aleatorias con una calificación de «buena» o «excelente». + + + Average password length + Longitud media de contraseña + + + %1 characters + %1 caracteres + + + Average password length is less than ten characters. Longer passwords provide more security. + La longitud media de contraseña es menos de diez caracteres. Las contraseñas más largas proporcionan más seguridad. + DatabaseTabWidget @@ -1400,7 +1863,7 @@ Are you sure you want to continue without a password? Merge database - Unir base de datos + Combinar base de datos Open KeePass 1 database @@ -1426,11 +1889,7 @@ Are you sure you want to continue without a password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. La base de datos creada no tiene clave o KDF, negándose a guardarla. -Esto es definitivamente un error, por favor repórtelo a los desarrolladores. - - - The database file does not exist or is not accessible. - El archivo de base de datos no existe o no es accesible. +Esto es definitivamente un error, por favor infórmelo a los desarrolladores. Select CSV file @@ -1455,6 +1914,30 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores.Database tab name modifier %1 [Sólo lectura] + + Failed to open %1. It either does not exist or is not accessible. + Fallo al abrir %1. No existe o no es accesible. + + + Export database to HTML file + Exportar base de datos a archivo HTML + + + HTML file + Archivo HTML + + + Writing the HTML file failed. + Fallo escribiendo a archivo HTML. + + + Export Confirmation + Confirmación de exportación + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Está a punto de exportar su base de datos a un archivo sin cifrar. Esto dejará sus contraseñas e información sensible vulnerable. ¿Desea continuar? + DatabaseWidget @@ -1464,15 +1947,15 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores. Do you really want to delete the entry "%1" for good? - ¿Realmente quiere eliminar la entrada "%1" de forma definitiva? + ¿Realmente quiere eliminar la entrada «%1» de forma definitiva? Do you really want to move entry "%1" to the recycle bin? - ¿Realmente quiere mover la entrada "%1" a la papelera de reciclaje? + ¿Realmente quiere mover la entrada «%1» a la papelera de reciclaje? Do you really want to move %n entry(s) to the recycle bin? - ¿Estás seguro de mover %n entrada(s) a la papelera de reciclaje?¿Realmente desea mover %n entrada(s) a la papelera de reciclaje? + ¿Desea mover %n entrada a la papelera de reciclaje?¿Desea mover %n entradas a la papelera de reciclaje? Execute command? @@ -1480,7 +1963,7 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores. Do you really want to execute the following command?<br><br>%1<br> - ¿Realmente desea ejecutar el siguiente comando?<br><br>%1<br> + ¿Desea ejecutar el siguiente comando?<br><br>%1<br> Remember my choice @@ -1488,7 +1971,7 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores. Do you really want to delete the group "%1" for good? - ¿Realmente quiere eliminar el grupo "%1" de forma definitiva? + ¿Desea eliminar el grupo «%1» de forma definitiva? No current database. @@ -1500,7 +1983,7 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores. Search Results (%1) - Resultado de búsqueda (%1) + Resultados de búsqueda (%1) No Results @@ -1516,12 +1999,12 @@ Esto es definitivamente un error, por favor repórtelo a los desarrolladores. Merge Request - Solicitud de Unión + Solicitud de combinación The database file has changed and you have unsaved changes. Do you want to merge your changes? - El archivo de la base de datos ha cambiado y usted tiene modificaciones sin guardar. ¿Desea unir sus modificaciones? + El archivo de la base de datos ha cambiado y usted tiene modificaciones sin guardar. ¿Desea combinar sus modificaciones? Empty recycle bin? @@ -1529,23 +2012,19 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - ¿Está seguro que quiere eliminar permanentemente todo de su papelera de reciclaje? + ¿Desea eliminar permanentemente todo de su papelera de reciclaje? Do you really want to delete %n entry(s) for good? - ¿Realmente quiere eliminar %n entrada(s) de forma definitiva?¿Realmente quiere eliminar %n entrada(s) de forma definitiva? + ¿Desea eliminar %n entrada para siempre?¿Desea eliminar %n entradas para siempre? Delete entry(s)? - ¿Borrar entrada(s)?¿Borrar entrada(s)? + ¿Eliminar entrada?¿Eliminar entradas? Move entry(s) to recycle bin? - ¿Mover entrada(s) a la papelera de reciclaje?¿Mover entrada(s) a la papelera de reciclaje? - - - File opened in read only mode. - Archivo abierto en modo sólo lectura. + ¿Mover entrada a la papelera de reciclaje?¿Mover entradas a la papelera de reciclaje? Lock Database? @@ -1553,12 +2032,12 @@ Do you want to merge your changes? You are editing an entry. Discard changes and lock anyway? - Estás editando una entrada. ¿Descartar los cambios y bloquear todos modos? + Estás editando una entrada. ¿Descartar los cambios y bloquear de todos modos? "%1" was modified. Save changes? - "%1" ha sido modificado. + «%1» ha sido modificado. ¿Guardar cambios? @@ -1585,13 +2064,7 @@ Error: %1 KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? KeePassXC no ha podido guardar la base de datos varias veces. Esto es probablemente causado por los servicios de sincronización de archivos manteniendo un bloqueo en el archivo. -¿Desactivar la guarda segura y volver a intentarlo? - - - Writing the database failed. -%1 - Fallo al escribir en la base de datos. -%1 +¿Desactivar el guardado seguro y volver a intentarlo? Passwords @@ -1611,7 +2084,7 @@ Disable safe saves and try again? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - La(s) entrada(s) "%1" tiene(n) %2 referencia(s). ¿Desea sobrescribir la(s) referencia(s) con los valor(es), saltarse esta entrada o borrarla de todos modos?La(s) entrada(s) "%1" tiene(n) %2 referencia(s). ¿Desea sobrescribir la(s) referencia(s) con los valor(es), saltarse esta entrada o borrarla de todos modos? + La entrada "%1" tiene %2 referencia. ¿Desea sobrescribir la referencia con el valor, saltarse esta entrada o borrarla de todos modos?La entrada «%1» tiene %2 referencias. ¿Desea sobrescribir las referencias con los valores, omitir esta entrada o eliminarla de todos modos? Delete group @@ -1623,20 +2096,28 @@ Disable safe saves and try again? Do you really want to move the group "%1" to the recycle bin? - ¿Realmente desea mover el grupo "%1" a la papelera de reciclaje? + ¿Desea mover el grupo «%1» a la papelera de reciclaje? Successfully merged the database files. - Unido correctamente los archivos de base de datos. + Combinados correctamente los archivos de base de datos. Database was not modified by merge operation. - La base de datos no fue modificada por la operación de unir + La base de datos no fue modificada por la operación de combinar. Shared group... Grupo compartido... + + Writing the database failed: %1 + Fallo al escribir la base de datos: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Esta base de datos está abierta en modo solo lectura. El autoguardado está deshabilitado. + EditEntryWidget @@ -1674,7 +2155,7 @@ Disable safe saves and try again? (encrypted) - (encriptado) + (cifrado) Select private key @@ -1702,7 +2183,7 @@ Disable safe saves and try again? Different passwords supplied. - Las contraseñas ingresadas son distintas. + Las contraseñas proporcionadas son diferentes. New attribute @@ -1710,7 +2191,7 @@ Disable safe saves and try again? Are you sure you want to remove this attribute? - ¿Está seguro que desea eliminar este atributo? + ¿Desea eliminar este atributo? Tomorrow @@ -1718,11 +2199,11 @@ Disable safe saves and try again? %n week(s) - %n semana(s)%n semana(s) + %n semana%n semanas %n month(s) - %n mes(es)%n mes(es) + %n mes%n meses Apply generated password? @@ -1750,11 +2231,23 @@ Disable safe saves and try again? %n year(s) - %n año(s)%n año(s) + %n año%n años Confirm Removal - Confirmar la Eliminación + Confirmar la eliminación + + + Browser Integration + Integración con navegadores + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + ¿Desea eliminar esta URL? @@ -1773,7 +2266,7 @@ Disable safe saves and try again? Edit Name - Editar Nombre + Editar nombre Protect @@ -1795,6 +2288,42 @@ Disable safe saves and try again? Background Color: Color de fondo: + + Attribute selection + Selección de atributo + + + Attribute value + Valor de atributo + + + Add a new attribute + Añadir nuevo atributo + + + Remove selected attribute + Eliminar atributo seleccionado + + + Edit attribute name + Editar atributo nombre + + + Toggle attribute protection + Intercambiar atributo protección + + + Show a protected attribute + Mostrar un atributo protegido + + + Foreground color selection + Selección de color de primer plano + + + Background color selection + Selección de color de fondo + EditEntryWidgetAutoType @@ -1812,7 +2341,7 @@ Disable safe saves and try again? Window Associations - Ventanas Asociadas + Ventanas asociadas + @@ -1830,6 +2359,77 @@ Disable safe saves and try again? Use a specific sequence for this association: Utilizar una secuencia específica para esta asociación: + + Custom Auto-Type sequence + Secuencia personalizada autoescritura + + + Open Auto-Type help webpage + Abrir página de ayuda autoescritura + + + Existing window associations + Asociaciones de ventana existentes + + + Add new window association + Añadir nueva asociación de ventana + + + Remove selected window association + Eliminar asociación de ventana + + + You can use an asterisk (*) to match everything + Puede usar un asterisco (*) par coincidir todo. + + + Set the window association title + Establecer título de asociación de ventana + + + You can use an asterisk to match everything + Puede usar un asterisco par coincidir todo. + + + Custom Auto-Type sequence for this window + Secuencia personalizada de autoescritura para esta ventana + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Esta configuración afecta al comportamiento de esta entrada con la extensión del navegador. + + + General + General + + + Skip Auto-Submit for this entry + Omitir autoenvío para esta entrada + + + Hide this entry from the browser extension + Ocultar esta entrada de la extensión del navegador + + + Additional URL's + URLs adicionales + + + Add + Añadir + + + Remove + Eliminar + + + Edit + Editar + EditEntryWidgetHistory @@ -1849,6 +2449,26 @@ Disable safe saves and try again? Delete all Eliminar todo + + Entry history selection + Selección de entrada de historial + + + Show entry at selected history state + Mostrar entrada en historial seleccionado + + + Restore entry to selected history state + Restaurar entrada al estado historial seleccionado + + + Delete selected history state + Eliminar el historial seleccionado + + + Delete all history + Eliminar todo el historial + EditEntryWidgetMain @@ -1878,7 +2498,7 @@ Disable safe saves and try again? Toggle the checkbox to reveal the notes section. - Cambie la casilla de verificación para mostrar la sección de notas. + Intercambiar la casilla de verificación para mostrar la sección de notas. Username: @@ -1888,6 +2508,62 @@ Disable safe saves and try again? Expires Expira + + Url field + Campo URL + + + Download favicon for URL + Descargar favicon para URL + + + Repeat password field + Campo repetir contraseña + + + Toggle password generator + Intercambiar generador de contraseña + + + Password field + Campo de contraseña + + + Toggle password visibility + Intercambiar visibilidad de contraseña + + + Toggle notes visible + Intercambiar notas visibles + + + Expiration field + Campo expiración + + + Expiration Presets + Predeterminados expiración + + + Expiration presets + Predeterminados expiración + + + Notes field + Campo notas + + + Title field + Campo título + + + Username field + Campo nombre de usuario + + + Toggle expiration + Intercambiar expiración + EditEntryWidgetSSHAgent @@ -1913,7 +2589,7 @@ Disable safe saves and try again? Public key - Llave Pública + Llave pública Add key to agent when database is opened/unlocked @@ -1937,7 +2613,7 @@ Disable safe saves and try again? Private key - Llave Privada + Llave privada External file @@ -1964,6 +2640,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Requiere confirmación del usuario cuando se usa esta llave + + Remove key from agent after specified seconds + Eliminar clave del agente después de los segundos especificados + + + Browser for key file + Navegar para fichero de claves + + + External key file + Fichero de claves externa + + + Select attachment file + Seleccionar archivo adjunto + EditGroupWidget @@ -1999,6 +2691,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Heredar del grupo padre (%1) + + Entry has unsaved changes + La entrada tiene cambios sin guardar + EditGroupWidgetKeeShare @@ -2026,34 +2722,6 @@ Disable safe saves and try again? Inactive Inactivo - - Import from path - Importar desde ruta - - - Export to path - Exportar a ruta - - - Synchronize with path - Sincronizar con ruta - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Su versión de KeePassXC no admite compartir su tipo de contenedor. Por favor use %1. - - - Database sharing is disabled - Compartir la base de datos está deshabilitado - - - Database export is disabled - La exportación de la base de datos está deshabilitada - - - Database import is disabled - La importación de la base de datos está deshabilitada - KeeShare unsigned container Contenedor KeeShare sin firma @@ -2079,16 +2747,75 @@ Disable safe saves and try again? Limpiar - The export container %1 is already referenced. - El contenedor de exportación %1 ya es referenciado. + Import + Importar - The import container %1 is already imported. - El contenedor de importación %1 ya es importado. + Export + Exportar - The container %1 imported and export by different groups. - El contenedor %1 se importa y se exporta por grupos diferentes. + Synchronize + Sincronizar + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Su versión de KeePassXC no soporta este tipo de contenedor de compartición. +Las extensiones soportadas son: %1. + + + %1 is already being exported by this database. + %1 ya está siendo exportada por esta base de datos. + + + %1 is already being imported by this database. + %1 ya está siendo exportada por esta base de datos. + + + %1 is being imported and exported by different groups in this database. + %1 ya está siendo importada y exportada por diferentes grupos en esta base de datos. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare actualmente está deshabilitada. Puede habilitar importar/exportar en la configuración de aplicación + + + Database export is currently disabled by application settings. + La exportación de la base de datos actualmente está deshabilitada en la configuración de aplicación. + + + Database import is currently disabled by application settings. + La importación de base de datos actualmente está deshabilitada por la configuración de aplicación + + + Sharing mode field + Campo modo comapartir + + + Path to share file field + Ruta para campo de archivo compartir + + + Browser for share file + Navegar para un archivo compartir + + + Password field + Campo de contraseña + + + Toggle password visibility + Intercambiar visibilidad de contraseña + + + Toggle password generator + Intercambiar generador de contraseñas + + + Clear fields + Limpiar campos @@ -2121,6 +2848,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence Seleccionar se&cuencia de autoescritura por defecto + + Name field + Campo nombre + + + Notes field + Campo notas + + + Toggle expiration + Intercambiar expiración + + + Auto-Type toggle for this and sub groups + Intercambiar autoescritura para este y subgrupos + + + Expiration field + Campo de expiración + + + Search toggle for this and sub groups + Intercambiar de búsqueda para este y subgrupos + + + Default auto-type sequence field + Campo por defecto de secuencia de autoescritura + EditWidgetIcons @@ -2146,7 +2901,7 @@ Disable safe saves and try again? Unable to fetch favicon. - No se pudo descargar el favicon + No se pudo descargar el favicon. Images @@ -2156,21 +2911,9 @@ Disable safe saves and try again? All files Todos los archivos - - Custom icon already exists - El icono personalizado ya existe - Confirm Delete - Confirmar Eliminación - - - Custom icon successfully downloaded - Icono personalizado descargado exitosamente - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Sugerencia: puede habilitar DuckDuckGo como una alternativa en Herramientas> Configuración> Seguridad + Confirmar eliminación Select Image(s) @@ -2178,7 +2921,7 @@ Disable safe saves and try again? Successfully loaded %1 of %n icon(s) - Cargado(s) %1 de %n ícono(s) exitosamenteCargado(s) %1 de %n ícono(s) exitosamente + Cargado(s) %1 de %n ícono exitosamenteCargado(s) %1 de %n iconos exitosamente No icons were loaded @@ -2186,15 +2929,51 @@ Disable safe saves and try again? %n icon(s) already exist in the database - El/Los ícono(s) %n ya existe(n) en la base de datosEl/Los ícono(s) %n ya existe(n) en la base de datos + %n ícono ya existe en la base de datos%n íconos ya existen en la base de datos The following icon(s) failed: - El/Los siguiente(s) ícono(s) fallaron:El/Los siguiente(s) ícono(s) fallaron: + El siguiente icono falló:Los siguientes iconos fallaron: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Este ícono es usado en %1 entrada(s), y será remplazado por el ícono por defecto. ¿Está seguro que desea eliminarlo?Este ícono es usado en %1 entrada(s), y será remplazado por el ícono por defecto. ¿Está seguro que desea eliminarlo? + Este icono se utiliza en %n entrada, y será remplazado por el icono por defecto. ¿Desea eliminarlo?Este icono se utiliza en %n entradas, y será remplazado por el icono por defecto. ¿Desea eliminarlo? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Puede habilitar el servicio de icono del sitio web DuckDuckGo bajo «Herramientas -> Configuración -> Seguridad» + + + Download favicon for URL + Descargar favicon para URL + + + Apply selected icon to subgroups and entries + Aplicar icono selecionado a subgrupos y entradas + + + Apply icon &to ... + Aplicar icono &a... + + + Apply to this only + Aplicar solo a esta + + + Also apply to child groups + Aplicar a los grupos hijos + + + Also apply to child entries + Aplicar también a las entradas hijos + + + Also apply to all children + Aplicar a todos los hijos + + + Existing icon selected. + Icono existente seleccionado. @@ -2241,6 +3020,30 @@ Esto puede causar un mal funcionamiento de los complementos afectados.Value Valor + + Datetime created + Fecha de creación + + + Datetime modified + Fecha de modificación + + + Datetime accessed + Fecha de acceso + + + Unique ID + ID único + + + Plugin data + Complemente de datos + + + Remove selected plugin data + Eliminar complemento de datos seleccionado + Entry @@ -2288,7 +3091,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Are you sure you want to remove %n attachment(s)? - ¿Confirma que desea quitar %n dato(s) adjunto(s)?¿Confirme que desea remover %n dato(s) adjunto(s)? + ¿Desea eliminar %n adjunto?¿Desea eliminar %n adjuntos? Save attachments @@ -2302,11 +3105,11 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Are you sure you want to overwrite the existing file "%1" with the attachment? - ¿Está seguro que quiere sobrescribir el archivo existente "%1" con el archivo adjunto? + ¿Desea sobrescribir el archivo existente «%1» con el archivo adjunto? Confirm overwrite - Confirmar sobreescritura + Confirmar sobrescritura Unable to save attachments: @@ -2333,10 +3136,30 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Unable to open file(s): %1 - No se puede(n) abrir el/los archivo(s): -%1No se puede(n) abrir el/los archivo(s): + Incapaz de abrir el archivo: +%1Incapaz de abrir los archivos: %1 + + Attachments + Adjuntos + + + Add new attachment + Añadir nuevo adjunto + + + Remove selected attachment + Eliminar adjunto seleccionado + + + Open selected attachment + Abrir adjunto seleccionado + + + Save selected attachment to disk + Guardar adjunto seleccionado a disco + EntryAttributesModel @@ -2357,7 +3180,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Username - Nombre de usuario: + Nombre de usuario URL @@ -2381,7 +3204,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Username - Nombre de usuario: + Nombre de usuario URL @@ -2430,10 +3253,6 @@ Esto puede causar un mal funcionamiento de los complementos afectados. EntryPreviewWidget - - Generate TOTP Token - Generar Token TOTP - Close Cerrar @@ -2444,7 +3263,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Username - Nombre de usuario: + Nombre de usuario Password @@ -2452,7 +3271,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Expiration - Vencimiento + Expiración URL @@ -2484,7 +3303,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Searching - Buscando... + Buscar Search @@ -2519,12 +3338,20 @@ Esto puede causar un mal funcionamiento de los complementos afectados.Share Compartir + + Display current TOTP value + Mostrar valor actual TOTP + + + Advanced + Avanzado + EntryView Customize View - Personalizar Vista + Personalizar vista Hide Usernames @@ -2532,7 +3359,7 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Hide Passwords - Ocultar Contraseñas + Ocultar contraseñas Fit to window @@ -2552,11 +3379,33 @@ Esto puede causar un mal funcionamiento de los complementos afectados. - Group + FdoSecrets::Item - Recycle Bin - Papelera de reciclaje + Entry "%1" from database "%2" was used by %3 + Entrada «%1» de la base de datos «%2» fue usada por %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Fallo al registrar el servicio DBus en %1: otro servicio de secretos está corriendo. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n entrada fue usada por %1%n entradas fueron usadas por %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Servicio de secretos Fdo: %1 + + + + Group [empty] group has no children @@ -2567,13 +3416,66 @@ Esto puede causar un mal funcionamiento de los complementos afectados.HostInstaller KeePassXC: Cannot save file! - KeePassXC: ¡No se puede guardar el archivo! + KeePassXC: ¡no se puede guardar el archivo! Cannot save the native messaging script file. No se puede guardar el archivo de script de mensajería nativo. + + IconDownloaderDialog + + Download Favicons + Descargar favicons + + + Cancel + Cancelar + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + ¿Problemas al descargar iconos? +Puede habilitar el servicio de iconos del sitio web DuckDuckGo en la sección seguridad de la configuración de la aplicación. + + + Close + Cerrar + + + URL + URL + + + Status + Estado + + + Please wait, processing entry list... + Espere, procesando lista de entradas... + + + Downloading... + Descargando... + + + Ok + Aceptar + + + Already Exists + Ya existe + + + Download Failed + Descarga fallida + + + Downloading favicons (%1/%2)... + Descargando favicons (%1%2)... + + KMessageWidget @@ -2595,10 +3497,6 @@ Esto puede causar un mal funcionamiento de los complementos afectados.Unable to issue challenge-response. No se pudo hacer el desafío/respuesta: - - Wrong key or database file is corrupt. - La contraseña es incorrecta o el archivo de la base de datos está dañado. - missing database headers faltan las cabeceras de la base de datos @@ -2619,6 +3517,12 @@ Esto puede causar un mal funcionamiento de los complementos afectados.Invalid header data length Longitud del campo de datos en la cabecera incorrecto + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Se han proporcionado credenciales inválidas, inténtelo de nuevo. +Si ocurre nuevamente entonces su archivo de base de datos puede estar corrupto. + Kdbx3Writer @@ -2649,10 +3553,6 @@ Esto puede causar un mal funcionamiento de los complementos afectados.Header SHA256 mismatch Cabecera SHA256 diferente - - Wrong key or database file is corrupt. (HMAC mismatch) - Clave equivocada o base de datos corrupta. (HMAC distinta) - Unknown cipher Algoritmo de cifrado desconocido @@ -2726,32 +3626,42 @@ Esto puede causar un mal funcionamiento de los complementos afectados. Invalid variant map Int32 entry value length Translation: variant map = data structure for storing meta data - Largo inválido en valor de entrada Int32 de mapa variante + Largo inválido en valor de entrada Int32 de mapeo de variante Invalid variant map UInt32 entry value length Translation: variant map = data structure for storing meta data - Largo inválido en valor de entrada UInt32 de mapa variante + Largo inválido en valor de entrada UInt32 de mapeo de variante Invalid variant map Int64 entry value length Translation: variant map = data structure for storing meta data - Largo inválido en valor de entrada Int64 de mapa variante + Largo inválido en valor de entrada Int64 de mapeo de variante Invalid variant map UInt64 entry value length Translation: variant map = data structure for storing meta data - Largo inválido en valor de entrada UInt64 de mapa variante + Largo inválido en valor de entrada UInt64 de mapeo de variante Invalid variant map entry type Translation: variant map = data structure for storing meta data - Entrada inválida de mapa variante + Tipo de entrada inválida de mapeo devariante Invalid variant map field type size Translation: variant map = data structure for storing meta data - Tamaño inválido de mapa variante + Mapei de variante inválido en campo de tipo tamaño + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Se han proporcionado credenciales inválidas, inténtelo de nuevo. +Si ocurre nuevamente entonces su archivo de base de datos puede estar corrupto. + + + (HMAC mismatch) + (HMAC no coincidente) @@ -2848,7 +3758,7 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada KdbxXmlReader XML parsing failure: %1 - Error de parsing XML: %1 + Error de procesado XML: %1 No root group @@ -2856,7 +3766,7 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada Missing icon uuid or data - Falta icono uuid o datos + Datos o uuid del ícono faltantes Missing custom data key or value @@ -2900,7 +3810,7 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada Invalid entry icon number - Número de icono de entrada no válida + Número de ícono de entrada inválido History element in history entry @@ -2932,7 +3842,7 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada Auto-type association window or sequence missing - Falta de secuencia o ventana de asociación de autoescritura + Falta de secuencia o ventana de Asociación de autoescritura Invalid bool value @@ -2969,19 +3879,19 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada Line %2, column %3 Error XML: %1 -Linea %2, columna %3 +Línea %2, columna %3 KeePass1OpenWidget - - Import KeePass1 database - Importar base de datos KeePass1 - Unable to open the database. No se pudo abrir la base de datos. + + Import KeePass1 Database + Importar base de datos KeePass1 + KeePass1Reader @@ -3024,7 +3934,7 @@ Linea %2, columna %3 Invalid number of transform rounds - Número de turnos de transformación no válido  + Número de rondas de transformación no válido Unable to construct group tree @@ -3038,10 +3948,6 @@ Linea %2, columna %3 Unable to calculate master key No se puede calcular la clave maestra - - Wrong key or database file is corrupt. - La contraseña es incorrecta o el archivo de la base de datos está dañado. - Key transformation failed Error en la transformación de la llave @@ -3138,47 +4044,65 @@ Linea %2, columna %3 unable to seek to content position incapaz de buscar la posición de contenido + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Se han proporcionado credenciales inválidas, inténtelo de nuevo. +Si ocurre nuevamente entonces su archivo de base de datos puede estar corrupto. + KeeShare - Disabled share - Compartir deshabilitado + Invalid sharing reference + Referencia de compartición inválida - Import from - Importar desde + Inactive share %1 + Compartición inactiva %1 - Export to - Exportar a + Imported from %1 + Importado de %1 - Synchronize with - Sincronizar con + Exported to %1 + Exportado a %1 - Disabled share %1 - Deshabilitada cuota %1 + Synchronized with %1 + Sincronizado con %1 - Import from share %1 - Importar de cuota %1 + Import is disabled in settings + Importar está deshabilitado en configuración - Export to share %1 - Exportar a cuota %1 + Export is disabled in settings + Exportar está deshabilitado en configuración - Synchronize with share %1 - Sincronizar con cuota %1 + Inactive share + Compartición inactiva + + + Imported from + Importado desde + + + Exported to + Exportado a + + + Synchronized with + Sincronizado con KeyComponentWidget Key Component - Componente de la Clave + Componente de la clave Key Component Description @@ -3190,7 +4114,7 @@ Linea %2, columna %3 Key Component set, click to change or remove - Conjunto de componentes de la Clave, haga clic para cambiar o eliminar + Conjunto de componentes de la clave, haga clic para cambiar o eliminar Add %1 @@ -3215,10 +4139,6 @@ Linea %2, columna %3 KeyFileEditWidget - - Browse - Navegar - Generate Generar @@ -3248,7 +4168,7 @@ Vaya a la configuración de la clave maestra y genere un nuevo fichero de claves Error loading the key file '%1' Message: %2 - Error al cargar el fichero de claves '%1' + Error al cargar el fichero de claves «%1» Mensaje: %2 @@ -3261,7 +4181,7 @@ Mensaje: %2 Create Key File... - Crear un Archivo Llave .... + Crear un archivo llave... Error creating key file @@ -3275,12 +4195,50 @@ Mensaje: %2 Select a key file Seleccione un archivo llave + + Key file selection + Selección de archivo de llave + + + Browse for key file + Navegar para un fichero de claves + + + Browse... + Navegar... + + + Generate a new key file + Generar un nuevo fichero de claves + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Nota: no use un archivo que pueda cambiar dado que lo impedirá desbloquear la base de datos. + + + Invalid Key File + Fichero de claves inválido + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + No puede usar la base de datos actual como su propio fichero de claves. Seleccione un archivo diferente o genere un nuevo fichero de claves. + + + Suspicious Key File + Fichero de claves sospechoso + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + El fichero de claves seleccionado parece una base de datos de contraseñas. Un fichero de claves debe ser un archivo estático que nunca cambie o perderá el acceso a su base de datos para siempre. +¿Desea continuar con este archivo? + MainWindow &Database - Base de &Datos + Base de &datos &Recent databases @@ -3362,10 +4320,6 @@ Mensaje: %2 &Settings &Configuración - - Password Generator - Generador de contraseñas - &Lock databases &Bloquear las bases de datos @@ -3432,13 +4386,13 @@ Mensaje: %2 Please touch the button on your YubiKey! - Por favor presione el botón en su YubiKey! + ¡Por favor presione el botón en su YubiKey! WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - ADVERTENCIA: Usted está utilizando una versión inestable de KeePassXC! + ADVERTENCIA: está utilizando una versión inestable de KeePassXC! Hay un alto riesgo de corrupción, mantenga una copia de seguridad de sus bases de datos. Esta versión no es para uso de producción. @@ -3448,7 +4402,7 @@ Esta versión no es para uso de producción. Report a &bug - Reportar un &error + Informar de un &error WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! @@ -3478,11 +4432,11 @@ Le recomendamos que utilice la AppImage disponible en nuestra página de descarg &Merge from database... - &Unir desde la base de datos... + &Combinar desde la base de datos... Merge from another KDBX database - Unir desde otra base de datos KDBX + Combinar desde otra base de datos KDBX &New entry @@ -3552,14 +4506,6 @@ Le recomendamos que utilice la AppImage disponible en nuestra página de descarg Show TOTP QR Code... Mostrar código QR TOTP... - - Check for Updates... - Buscar actualizaciones ... - - - Share entry - Compartir entrada - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3572,12 +4518,80 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Would you like KeePassXC to check for updates on startup? - ¿Quieres KeePassXC para comprobar las actualizaciones en el arranque? + ¿Desea que KeePassXC compruebe actualizaciones en el inicio? You can always check for updates manually from the application menu. Siempre se puede comprobar si hay actualizaciones manualmente desde el menú de la aplicación. + + &Export + &Exportar + + + &Check for Updates... + &Comprobar actualizaciones... + + + Downlo&ad all favicons + Descarg&ar todos los favicons + + + Sort &A-Z + Ordenar &A-Z + + + Sort &Z-A + Ordenar &Z-A + + + &Password Generator + &Generador de contraseña + + + Download favicon + Descargar favicon + + + &Export to HTML file... + &Exportar a archivo HTML... + + + 1Password Vault... + 1Password Vault... + + + Import a 1Password Vault + Importar un 1Password Vault + + + &Getting Started + &Guía de inicio + + + Open Getting Started Guide PDF + Abrir la guía de inicio PDF + + + &Online Help... + Ayuda en &línea... + + + Go to online documentation (opens browser) + Ir a la documentación en línea (abre el navegador) + + + &User Guide + Guía de &usuario + + + Open User Guide PDF + Abrir la guía de usuario PDF + + + &Keyboard Shortcuts + Atajos de &teclado + Merger @@ -3623,7 +4637,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Deleting child %1 [%2] - Borrando hijo %1[%2] + Eliminando hijo %1[%2] Deleting orphan %1 [%2] @@ -3637,6 +4651,14 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Adding missing icon %1 Añadiendo el icono faltante %1 + + Removed custom data %1 [%2] + Eliminados datos personalizados %1 [%2] + + + Adding custom data %1 [%2] + Añadiendo datos personalizados %1 [%2] + NewDatabaseWizard @@ -3654,15 +4676,15 @@ Espere algunos errores y problemas menores, esta versión no está destinada par NewDatabaseWizardPage WizardPage - PáginaAsistente + Asistente En&cryption Settings - Configuraciones de &Cifrado + Configuraciones de &cifrado Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Aquí puede ajustar la configuración de cifrado de la base de datos. No se preocupe, puede cambiarlos más adelante en la configuración de la base de datos. + Aquí puede ajustar la configuración de cifrado de la base de datos. No se preocupe, puede cambiarlo más adelante en la configuración de la base de datos. Advanced Settings @@ -3677,22 +4699,22 @@ Espere algunos errores y problemas menores, esta versión no está destinada par NewDatabaseWizardPageEncryption Encryption Settings - Configuraciones de Cifrado + Configuraciones de cifrado Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Aquí puede ajustar la configuración de cifrado de la base de datos. No se preocupe, puede cambiarlos más adelante en la configuración de la base de datos. + Aquí puede ajustar la configuración de cifrado de la base de datos. No se preocupe, puede cambiarla más adelante en la configuración de la base de datos. NewDatabaseWizardPageMasterKey Database Master Key - Llave maestra de la base de datos + Clave maestra de la base de datos A master key known only to you protects your database. - Una llave maestra, conocida por usted únicamente, protege su base de datos. + Una clave maestra, conocida únicamente por usted, protege su base de datos. @@ -3703,7 +4725,74 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Please fill in the display name and an optional description for your new database: - Por favor complete el nombre, y agregue una descripción opcional, para su nueva base de datos: + Rellene el nombre y añada una descripción opcional para su nueva base de datos: + + + + OpData01 + + Invalid OpData01, does not contain header + OpData01 inválido, no contiene cabecera + + + Unable to read all IV bytes, wanted 16 but got %1 + No se pueden leer todos los bytes IV, se deseaban 16 pero se obtuvieron %1 + + + Unable to init cipher for opdata01: %1 + No se puede inicializar el cifrado para opdata01: %1 + + + Unable to read all HMAC signature bytes + No se pueden leer todos los bytes de firma HMAC + + + Malformed OpData01 due to a failed HMAC + OpData01 malformado debido a un HMAC fallido + + + Unable to process clearText in place + No se puede procesar clearText en su lugar + + + Expected %1 bytes of clear-text, found %2 + Se esperaban %1 bytes de texto plano, se encontraron %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Leer la base de datos no produce una instancia +%1 + + + + OpVaultReader + + Directory .opvault must exist + El directorio .opvault debe existir + + + Directory .opvault must be readable + El directorio .opvault debe ser leíble + + + Directory .opvault/default must exist + El directorio .opvault/default debe existir + + + Directory .opvault/default must be readable + El directorio .opvault/default debe ser leíble + + + Unable to decode masterKey: %1 + No se puede decodificar la clave maestra: %1 + + + Unable to derive master key: %1 + No se puede derivar la clave maestra: %1 @@ -3742,7 +4831,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par No private key payload to decrypt - Sin contenido a desencriptar en llave privada + Sin contenido a descifrar en llave privada Trying to run KDF without cipher @@ -3750,7 +4839,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Passphrase is required to decrypt this key - Frase de contraseña necesaria para descrifrar esta clave + Contraseña necesaria para descifrar esta clave Key derivation failed, key file corrupted? @@ -3758,7 +4847,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Decryption failed, wrong passphrase? - ¿Error de descifrado, frase de contraseña incorrecta? + Fallo de descifrado, ¿contraseña incorrecta? Unexpected EOF while reading public key @@ -3805,11 +4894,22 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Tipo de clave desconocida: %1 + + PasswordEdit + + Passwords do not match + Contraseñas que no coinciden + + + Passwords match so far + Contraseñas coincidentes hasta el momento + + PasswordEditWidget Enter password: - Ingrese la contraseña + Introduzca la contraseña Confirm password: @@ -3829,7 +4929,23 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Generate master password - Generar contraseña maestra + Generar clave maestra + + + Password field + Campo de contraseña + + + Toggle password visibility + Intercambiar visibilidad de contraseña + + + Repeat password field + Campo repetir contraseña + + + Toggle password generator + Intercambiar generador de contraseñas @@ -3859,25 +4975,13 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Character Types Tipos de caracteres - - Upper Case Letters - Letras mayúsculas - - - Lower Case Letters - Letras minúsculas - Numbers Números - - Special Characters - Caracteres especiales - Extended ASCII - ASCII Extendido + ASCII extendido Exclude look-alike characters @@ -3885,7 +4989,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Pick characters from every group - Elegir caracteres de todos los grupos + Seleccionar caracteres de todos los grupos &Length: @@ -3893,7 +4997,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Passphrase - Frase de contraseña + Contraseña Wordlist: @@ -3901,7 +5005,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Word Separator: - Separador de Palabras: + Separador de palabras: Copy @@ -3955,18 +5059,10 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Advanced Avanzado - - Upper Case Letters A to F - Letras mayúsculas de la A hasta la F - A-Z A-Z - - Lower Case Letters A to F - Letras minúsculas de la A hasta la F - a-z a-z @@ -3999,18 +5095,10 @@ Espere algunos errores y problemas menores, esta versión no está destinada par " ' " ' - - Math - Matemáticas - <*+!?= <*+!? = - - Dashes - Guiones - \_|-/ \_|-/ @@ -4041,7 +5129,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Add non-hex letters to "do not include" list - Agregar letras no-hexadecimales a la lista de "no incluir" + Agregar letras no-hexadecimales a la lista de «no incluir» Hex @@ -4049,7 +5137,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - Caracteres excluidos: "0", "1", "l", "I", "O", "|", "﹒" + Caracteres excluidos: «0», «1», «l», «I», «O», «|», « . » Word Co&unt: @@ -4059,6 +5147,74 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Regenerate Regenerar + + Generated password + Generar contraseña + + + Upper-case letters + Letras mayúsculas + + + Lower-case letters + Letras minúsculas + + + Special characters + Caracteres especiales + + + Math Symbols + Símbolos matemáticos + + + Dashes and Slashes + Guiones y barras + + + Excluded characters + Excluir caracteres + + + Hex Passwords + Contraseñas hex + + + Password length + Longitud de contraseña + + + Word Case: + Capitalización de palabra: + + + Regenerate password + Regenerar contraseña + + + Copy password + Copiar contraseña + + + Accept password + Aceptar contraseña + + + lower case + minúsculas + + + UPPER CASE + MAYÚSCULAS + + + Title Case + Capitalización de título + + + Toggle password visibility + Intercambiar visibilidad de contraseña + QApplication @@ -4066,12 +5222,9 @@ Espere algunos errores y problemas menores, esta versión no está destinada par KeeShare KeeShare - - - QFileDialog - Select - Seleccionar + Statistics + Estadísticas @@ -4106,7 +5259,11 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Merge - Unir + Combinar + + + Continue + Continuar @@ -4153,7 +5310,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par No logins found - No se encontraron logins + No se encontraron inicios de sesión Unknown error @@ -4199,17 +5356,13 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Generate a password for the entry. Generar una contraseña para la entrada. - - Length for the generated password. - Tamaño de la contraseña a generar - length Tamaño Path of the entry to add. - Ruta de la entrada para añadir. + Camino de la entrada para añadir. Copy an entry's password to the clipboard. @@ -4218,11 +5371,11 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Path of the entry to clip. clip = copy to clipboard - Ruta de la entrada para copiar. + Camino de la entrada para copiar. Timeout in seconds before clearing the clipboard. - Tiempo de espera en segundos antes de borrar el portapapeles. + Tiempo de espera en segundos antes de limpiar el portapapeles. Edit an entry. @@ -4238,7 +5391,7 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Path of the entry to edit. - Ruta de la entrada para editar. + Camino de la entrada para editar. Estimate the entropy of a password. @@ -4252,18 +5405,6 @@ Espere algunos errores y problemas menores, esta versión no está destinada par Perform advanced analysis on the password. Realizar análisis avanzado sobre la contraseña. - - Extract and print the content of a database. - Extraer e imprimir el contenido de la base de datos. - - - Path of the database to extract. - Ruta a la base de datos a extraer. - - - Insert password to unlock %1: - Introduzca la contraseña para desbloquear %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4306,15 +5447,11 @@ Comandos disponibles: Merge two databases. - Mezclar dos bases de datos. - - - Path of the database to merge into. - Ruta de la base de datos resultado de la mezcla. + Combinar dos bases de datos. Path of the database to merge from. - Ruta de la base de datos de inicio de la mezcla. + Ruta de la base de datos de inicio de la combinación. Use the same credentials for both database files. @@ -4366,7 +5503,7 @@ Comandos disponibles: Username - Nombre de usuario: + Nombre de usuario Password @@ -4386,11 +5523,7 @@ Comandos disponibles: Browser Integration - Integración con Navegadores - - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey [%1] Desafío/Respuesta - Ranura %2 - %3 + Integración con navegadores Press @@ -4406,11 +5539,11 @@ Comandos disponibles: Generate a new random diceware passphrase. - Generar una nueva frase de contraseña aleatoria diceware. + Generar una nueva contraseña aleatoria diceware. Word count for the diceware passphrase. - Número de palabras para la frase de contraseña de diceware. + Número de palabras para la contraseña de diceware. Wordlist for the diceware generator. @@ -4422,17 +5555,13 @@ Comandos disponibles: Generate a new random password. Generar una nueva contraseña aleatoria. - - Invalid value for password length %1. - Valor inválido para el largo de contraseña %1. - Could not create entry with path %1. No pudo crearse la entrada con ruta %1. Enter password for new entry: - Ingrese la contraseña para la nueva entrada: + Introduzca la contraseña para la nueva entrada: Writing the database failed %1. @@ -4440,7 +5569,7 @@ Comandos disponibles: Successfully added entry %1. - La entrada se agregó exitosamente %1. + La entrada se agregó correctamente %1. Copy the current TOTP to the clipboard. @@ -4448,7 +5577,7 @@ Comandos disponibles: Invalid timeout value %1. - Valor inválido para el "timeout" %1. + Valor inválido para el «timeout» %1. Entry %1 not found. @@ -4468,7 +5597,7 @@ Comandos disponibles: Clearing the clipboard in %1 second(s)... - Limpiar el portapapeles en %1 segundo(s)...Limpiar el portapapeles en %1 segundo(s)... + Limpiar el portapapeles en %1 segundo...Limpiar el portapapeles en %1 segundos... Clipboard cleared! @@ -4483,10 +5612,6 @@ Comandos disponibles: CLI parameter número - - Invalid value for password length: %1 - Valor inválido para el largo de contraseña: %1 - Could not find entry with path %1. No se pudo encontrar la entrada con la ruta %1. @@ -4505,7 +5630,7 @@ Comandos disponibles: Successfully edited entry %1. - Entrada %1 editada exitosamente. + Entrada %1 editada correctamente. Length %1 @@ -4521,11 +5646,11 @@ Comandos disponibles: Multi-word extra bits %1 - Multi-palabra extra bits %1 + Multipalabra extra bits %1 Type: Bruteforce - Tipo: Fuerza Bruta + Tipo: Fuerza bruta Type: Dictionary @@ -4537,7 +5662,7 @@ Comandos disponibles: Type: User Words - Tipo: Usuario Palabras + Tipo: Palabras de usuario Type: User+Leet @@ -4573,7 +5698,7 @@ Comandos disponibles: Type: User Words(Rep) - Tipo: Usuario Palabras(Rep) + Tipo: Palabras de usuario (Rep) Type: User+Leet(Rep) @@ -4605,32 +5730,12 @@ Comandos disponibles: *** Password length (%1) != sum of length of parts (%2) *** - *** Longitud de la contraseña (%1) != Suma de la longitud de las partes (%2) *** + *** Longitud de la contraseña (%1) != suma de la longitud de las partes (%2) *** Failed to load key file %1: %2 Error al cargar el fichero de claves %1: %2 - - File %1 does not exist. - El archivo %1 no existe. - - - Unable to open file %1. - Incapaz de abrir el archivo %1. - - - Error while reading the database: -%1 - Error al leer la base de datos: -%1 - - - Error while parsing the database: -%1 - Error al analizar la base de datos: -%1 - Length of the generated password Longitud de la contraseña generada @@ -4643,10 +5748,6 @@ Comandos disponibles: Use uppercase characters Usar caracteres en mayúscula - - Use numbers. - Usar números. - Use special characters Usar caracteres especiales @@ -4682,7 +5783,7 @@ Comandos disponibles: Error reading merge file: %1 - Error al leer el archivo a unir: + Error al leer el archivo a combinar: %1 @@ -4757,7 +5858,7 @@ Comandos disponibles: Invalid Key TOTP - Clave Inválida + Clave inválida Message encryption failed. @@ -4791,10 +5892,6 @@ Comandos disponibles: Successfully created new database. Creación exitosa de nueva base de datos. - - Insert password to encrypt database (Press enter to leave blank): - Introduzca la contraseña para cifrar la base de datos (Pulse enter para dejar en blanco): - Creating KeyFile %1 failed: %2 Error al crear el archivo de clave %1: %2 @@ -4803,13 +5900,9 @@ Comandos disponibles: Loading KeyFile %1 failed: %2 Error al cargar el archivo de claves %1: %2 - - Remove an entry from the database. - Quitar una entrada de la base de datos. - Path of the entry to remove. - Ruta de la entrada a quitar. + Camino de la entrada a quitar. Existing single-instance lock file is invalid. Launching new instance. @@ -4863,6 +5956,330 @@ Comandos disponibles: Cannot create new group No se puede crear el nuevo grupo + + Deactivate password key for the database. + Desactivar contraseña para la base de datos. + + + Displays debugging information. + Muestra información de depurado. + + + Deactivate password key for the database to merge from. + Desactivar contraseña para la base de datos desde la que combinar. + + + Version %1 + Versión %1 + + + Build Type: %1 + Tipo de compilación: %1 + + + Revision: %1 + Revisión: %1 + + + Distribution: %1 + Distribución: %1 + + + Debugging mode is disabled. + Modo de depurado deshabilitado. + + + Debugging mode is enabled. + Modo de depurado habilitado. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistema operativo: %1 +Arquitectura de CPU: %2 +Núcleo: %3 %4 + + + Auto-Type + Autoescritura + + + KeeShare (signed and unsigned sharing) + KeeShare (compartir firmado y sin firmar) + + + KeeShare (only signed sharing) + KeeShare (compartir solo firmado) + + + KeeShare (only unsigned sharing) + KeeShare (compartir solo sin firmar) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Ninguno + + + Enabled extensions: + Extensiones habilitadas: + + + Cryptographic libraries: + Librerías criptográficas: + + + Cannot generate a password and prompt at the same time! + No se puede generar una contraseña y preguntar al mismo tiempo + + + Adds a new group to a database. + Añade un nuevo grupo a la base de datos. + + + Path of the group to add. + Ruta del grupo a añadir. + + + Group %1 already exists! + Grupo %1 ya existe. + + + Group %1 not found. + Grupo %1 no encontrado. + + + Successfully added group %1. + Grupo %1 añadido correctamente. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Comprueba si algunas contraseñas han sido filtradas públicamente. FILENAME debe ser la ruta de un archivo conteniendo «hashes» SHA-1 de las contraseñas filtradas en formato HIBP, como está disponible en https://haveibeenpwned.com/Passwords. + + + FILENAME + FILENAME + + + Analyze passwords for weaknesses and problems. + Analizar contraseñas débiles y problemas. + + + Failed to open HIBP file %1: %2 + Fallo al abrir archivo HIBP %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Evaluando las entradas de la base de datos contra el archivo HIBP, esto tomará un rato... + + + Close the currently opened database. + Cerrar la base de datos abierta actual. + + + Display this help. + Mostrar esta ayuda. + + + Yubikey slot used to encrypt the database. + La ranura de YubiKey usada para cifrar la base de datos. + + + slot + ranura + + + Invalid word count %1 + Cuenta de palabras invalida %1 + + + The word list is too small (< 1000 items) + La lista de palabras es demasiada pequeña (< 1000 elementos) + + + Exit interactive mode. + Salir de modo interactivo. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Formato a usar al exportar. Las opciones disponibles son xml o csv. Por defecto xml. + + + Exports the content of a database to standard output in the specified format. + Exporta el contenido de la base de datos en la salida estándar en el formato especificado. + + + Unable to export database to XML: %1 + No se puede exportar base de datos a XML: %1 + + + Unsupported format %1 + Formato no soportado %1 + + + Use numbers + Usar números + + + Invalid password length %1 + Longitud de contraseña inválida %1 + + + Display command help. + Mostrar ayuda de comando. + + + Available commands: + Comandos disponibles: + + + Import the contents of an XML database. + Importar los contenidos de la base de datos XML. + + + Path of the XML database export. + Ruta de la exportación de la base de datos XML. + + + Path of the new database. + Ruta de la nueva base de datos. + + + Unable to import XML database export %1 + No se puede importar la base de datos XML de la exportación %1 + + + Successfully imported database. + Base de datos importada correctamente. + + + Unknown command %1 + Comando %1 desconocido + + + Flattens the output to single lines. + Aplana la salida en líneas individuales. + + + Only print the changes detected by the merge operation. + Imprimir solo cambios detectados por la operación de combinado. + + + Yubikey slot for the second database. + Ranura YubiKey para la segunda base de datos. + + + Successfully merged %1 into %2. + Combinado %1 en %2 correctamente. + + + Database was not modified by merge operation. + La base de datos no fue modificada por la operación de combinar + + + Moves an entry to a new group. + Mueve una entrada a un nuevo grupo. + + + Path of the entry to move. + Ruta de la entrada a mover. + + + Path of the destination group. + Ruta del grupo destino. + + + Could not find group with path %1. + No se puede encontrar el grupo con ruta %1. + + + Entry is already in group %1. + La entrada ya está en el grupo %1. + + + Successfully moved entry %1 to group %2. + Entrada %1 movida al grupo %2 correctamente. + + + Open a database. + Abrir base de datos. + + + Path of the group to remove. + Ruta del grupo a eliminar. + + + Cannot remove root group from database. + No se puede eliminar grupo raíz de la base de datos. + + + Successfully recycled group %1. + Grupo %1 reciclado correctamente. + + + Successfully deleted group %1. + Grupo %1 eliminado correctamente. + + + Failed to open database file %1: not found + Fallo al abrir archivo de base de datos %1: no encontrado + + + Failed to open database file %1: not a plain file + Fallo al abrir archivo de base de datos %1: archivo de texto no plano + + + Failed to open database file %1: not readable + Fallo al abrir archivo de base de datos %1: no leíble + + + Enter password to unlock %1: + Introduzca contraseña para desbloquear: %1 + + + Invalid YubiKey slot %1 + Ranura %1 de YubiKey inválida + + + Please touch the button on your YubiKey to unlock %1 + Pulse el botón de su YubiKey para desbloquear %1 + + + Enter password to encrypt database (optional): + Introduzca la contraseña para cifrar la base de datos (opcional): + + + HIBP file, line %1: parse error + Archivo HIBP, línea %1: error de analizado + + + Secret Service Integration + Integración de servicio de secretos + + + User name + Nombre de usuario + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Respuesta de desafío - Ranura %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + ¡Contraseña para «%1» se ha filtrado %2 vez!¡Contraseña para «%1» se ha filtrado %2 veces! + + + Invalid password generator after applying all options + Generador de contraseñas inválido después de aplicar opciones + QtIOCompressor @@ -4937,7 +6354,7 @@ Comandos disponibles: SearchHelpWidget Search Help - Buscar Ayuda + Buscar ayuda Search terms are as follows: [modifiers][field:]["]term["] @@ -5004,7 +6421,7 @@ Comandos disponibles: Search Help - Buscar Ayuda + Buscar ayuda Search (%1)... @@ -5016,6 +6433,93 @@ Comandos disponibles: Distinguir mayúsculas/minúsculas + + SettingsWidgetFdoSecrets + + Options + Opciones + + + Enable KeepassXC Freedesktop.org Secret Service integration + Permitir integración de servicio KeepassXC Freedesktop.org Secret + + + General + General + + + Show notification when credentials are requested + Mostrar una notificación cuando las credenciales son requeridas + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Si la papelera de reciclaje está habilitada para la base de datos, las entradas serán movidas a la papelera directamente. Sino serán eliminadas sin confirmación.</p><p>Aún así se le solicitará si alguna entrada es referenciada por otras.</p></body></html> + + + Don't confirm when entries are deleted by clients. + No confirmar cuando las entradas son eliminadas por los clientes. + + + Exposed database groups: + Exponer grupos de base de datos: + + + File Name + Nombre de archivo + + + Group + Grupo + + + Manage + Gestionar + + + Authorization + Autorización + + + These applications are currently connected: + Estas aplicaciones están actualmente conectadas: + + + Application + Aplicación + + + Disconnect + Desconectar + + + Database settings + Configuración de la base de datos + + + Edit database settings + Editar configuración de base de datos + + + Unlock database + Desbloquear base de datos + + + Unlock database to show more information + Desbloquear para mostrar más información + + + Lock database + Bloquear base de datos + + + Unlock to show + Desbloquear para mostrar + + + None + Ninguno + + SettingsWidgetKeeShare @@ -5068,15 +6572,15 @@ Comandos disponibles: Trust - Confianza + Confiar Ask - Preguntar + Solicitar Untrust - Desconfianza + Desconfiar Remove @@ -5139,9 +6643,100 @@ Comandos disponibles: Signer: Firmante: + + Allow KeeShare imports + Permitir importación KeeShare + + + Allow KeeShare exports + Permitir exportación KeeShare + + + Only show warnings and errors + Mostrar solo advertencias y errores + + + Key + Clave + + + Signer name field + Campo de nombre firmante + + + Generate new certificate + Generar nuevo certificado + + + Import existing certificate + Importar certificado existente + + + Export own certificate + Exportar certificado propio + + + Known shares + Comparticiones conocidos + + + Trust selected certificate + Confiar en certificado seleccionado + + + Ask whether to trust the selected certificate every time + Solicitar si confiar en certificado seleccionado cada vez + + + Untrust selected certificate + Desconfiar de certificado seleccionado + + + Remove selected certificate + Eliminar certificado seleccionado + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + No se soporta sobrescribir contenedor compartido - exportación prevenido + + + Could not write export container (%1) + No podría escribir el contenedor de exportación (%1) + + + Could not embed signature: Could not open file to write (%1) + No se puede incrustar la firma: no se puede abrir el archivo para escribir (%1) + + + Could not embed signature: Could not write file (%1) + No se puede incrustar la firma: no se puede escribir el archivo (%1) + + + Could not embed database: Could not open file to write (%1) + No se puede incrustar la base de datos: no se puede abrir el archivo para escribir (%1) + + + Could not embed database: Could not write file (%1) + No se puede incrustar la base de datos: no se puede escribir el archivo (%1) + + + Overwriting unsigned share container is not supported - export prevented + No se soporta la sobrescritura de contenedor compartido sin firmar - exportación prevenida + + + Could not write export container + No se puede escribir contenedor de exportación + + + Unexpected export error occurred + Ha ocurrido un error inesperado en la exportación + + + + ShareImport Import from container without signature Importación de contenedores sin firma @@ -5154,6 +6749,10 @@ Comandos disponibles: Import from container with certificate Importar desde contenedor con certificado + + Do you want to trust %1 with the fingerprint of %2 from %3? + ¿Desea confiar a %1 con la huella digital de %2 de %3? {1 ?} {2 ?} + Not this time No esta vez @@ -5170,18 +6769,6 @@ Comandos disponibles: Just this time Sólo esta vez - - Import from %1 failed (%2) - Importación de %1 fallida (%2) - - - Import from %1 successful (%2) - Importación de %1 exitosa (%2) - - - Imported from %1 - Importado de %1 - Signed share container are not supported - import prevented No se soportan contenedores compartidos firmados - importación prevenida @@ -5222,25 +6809,20 @@ Comandos disponibles: Unknown share container type Tipo de contenedor compartido desconocido + + + ShareObserver - Overwriting signed share container is not supported - export prevented - No se soporta sobreescribir contenedor compartido - exportación prevenido + Import from %1 failed (%2) + Importación de %1 fallida (%2) - Could not write export container (%1) - No podría escribir el contenedor de exportación (%1) + Import from %1 successful (%2) + Importación de %1 exitosa (%2) - Overwriting unsigned share container is not supported - export prevented - No se soporta la sobrescritura de contenedor compartido sin firmar - exportación prevenida - - - Could not write export container - No se puede escribir contenedor de exportación - - - Unexpected export error occurred - Ha ocurrido un error inesperado en la exportación + Imported from %1 + Importado de %1 Export to %1 failed (%2) @@ -5254,10 +6836,6 @@ Comandos disponibles: Export to %1 Exportar a %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - ¿Desea confiar a %1 con la huella digital de %2 de %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Ruta de origen de importación múltiple a %1 en %2 @@ -5266,28 +6844,12 @@ Comandos disponibles: Conflicting export target path %1 in %2 Ruta de destino de exportación contradictoria %1 en %2 - - Could not embed signature: Could not open file to write (%1) - No se puede incrustar la firma: no se puede abrir el archivo para escribir (%1) - - - Could not embed signature: Could not write file (%1) - No se puede incrustar la firma: no se puede escribir el archivo (%1) - - - Could not embed database: Could not open file to write (%1) - No se puede incrustar la base de datos: no se puede abrir el archivo para escribir (%1) - - - Could not embed database: Could not write file (%1) - No se puede incrustar la base de datos: no se puede escribir el archivo (%1) - TotpDialog Timed Password - Contraseña Cronometrada + Contraseña cronometrada 000000 @@ -5299,7 +6861,7 @@ Comandos disponibles: Expires in <b>%n</b> second(s) - Caduca en <b>%n</b> segundo(s)Caduca en <b>%n</b> segundo (s) + Caduca en <b>%n</b> segundoCaduca en <b>%n</b> segundos @@ -5328,17 +6890,13 @@ Comandos disponibles: Setup TOTP Configurar TOTP - - Key: - Clave: - Default RFC 6238 token settings Ajustes para el token por defecto RFC 6238 Steam token settings - Opciones de token de Steam + Confiuración de token de Steam Use custom settings @@ -5362,16 +6920,46 @@ Comandos disponibles: Tamaño del código: - 6 digits - 6 dígitos + Secret Key: + Clave secreta: - 7 digits - 7 digitos + Secret key must be in Base32 format + La clave secreta debe estar en formato Base32 - 8 digits - 8 dígitos + Secret key field + Campo clave secreta + + + Algorithm: + Algoritmo: + + + Time step field + Campo paso de tiempo + + + digits + dígitos + + + Invalid TOTP Secret + Secreto TOTP inválido + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Ha introducido un secreto de clave inválido. La clave debe estar en formato Base32. +Ejemplo: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Confirmar eliminar configuración TOTP + + + Are you sure you want to delete TOTP settings for this entry? + ¿Desea eliminar la configuración TOTP para esta entrada? @@ -5390,7 +6978,7 @@ Comandos disponibles: Update Error! - ¡Error al Acualizar! + ¡Error al acualizar! An error occurred in retrieving update information. @@ -5398,7 +6986,7 @@ Comandos disponibles: Please try again later. - Por favor Inténtalo más tarde. + Por favor inténtelo más tarde. Software Update @@ -5414,11 +7002,11 @@ Comandos disponibles: Download it at keepassxc.org - Descargala en keepassxc.org + Descárguela en keepassxc.org You're up-to-date! - ¡Estás al día! + ¡Está actualizado! KeePassXC %1 is currently the newest version available @@ -5455,6 +7043,14 @@ Comandos disponibles: Welcome to KeePassXC %1 Bienvenido a KeePassXC %1 + + Import from 1Password + Importar desde 1Password + + + Open a recent database + Abrir base de datos reciente + YubiKeyEditWidget @@ -5464,7 +7060,7 @@ Comandos disponibles: YubiKey Challenge-Response - Desafío/respuesta Yubikey + Desafío/respuesta YubiKey <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> @@ -5478,5 +7074,13 @@ Comandos disponibles: No YubiKey inserted. No hay YubiKey insertado. + + Refresh hardware tokens + Actualizar «tokens» hardware + + + Hardware key slot selection + Selección de ranura de clave hardware + \ No newline at end of file diff --git a/share/translations/keepassx_fi.ts b/share/translations/keepassx_fi.ts index e70665f90..d49df70c1 100644 --- a/share/translations/keepassx_fi.ts +++ b/share/translations/keepassx_fi.ts @@ -95,6 +95,14 @@ Follow style Seuraa tyyliä + + Reset Settings? + Palauta asetukset? + + + Are you sure you want to reset all general and security settings to default? + Haluatko varmasti palauttaa kaikki yleiset ja turvallisuusasetukset oletuksiin? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Käynnistä vain yksi KeePassXC-instanssi - - Remember last databases - Muista viimeisimmät tietokannat - - - Remember last key files and security dongles - Muista viimeisimmät avaintiedostot ja tietoturva-avainlaitteet (donglet) - - - Load previous databases on startup - Lataa edelliset tietokannat käynnistäessä - Minimize window at application startup Pienennä ikkuna ohjelman käynnistyessä @@ -162,10 +158,6 @@ Use group icon on entry creation Käytä ryhmän kuvaketta tietuetta luodessa - - Minimize when copying to clipboard - Pienennä ikkuna kopioidessa leikepöydälle - Hide the entry preview panel Piilota tietueen esikatselupaneeli @@ -194,10 +186,6 @@ Hide window to system tray when minimized Piiloita pienennetty ikkuna ilmoitusalueelle - - Language - Kieli - Auto-Type Automaattisyöttö @@ -231,21 +219,102 @@ Auto-Type start delay Automaattisyötön aloitusviive - - Check for updates at application startup - Tarkista päivitykset sovelluksen käynnistyessä - - - Include pre-releases when checking for updates - Sisällytä esijulkaisut tarkistaessa päivityksiä - Movable toolbar Siirrettävä työkalupalkki - Button style - Painiketyyli + Remember previously used databases + Muista aiemmin käytetyt tietokannat + + + Load previously open databases on startup + Lataa aiemmin avoinna olleet tietokannat käynnistyksen yhteydessä + + + Remember database key files and security dongles + Muista tietokannan avaintiedostot ja tietoturva-avainlaitteet + + + Check for updates at application startup once per week + Tarkista päivitykset kerran viikossa sovelluksen käynnistyessä + + + Include beta releases when checking for updates + Sisällytä betajulkaisut päivityksiä tarkistaessa + + + Button style: + Painiketyyli: + + + Language: + Kieli: + + + (restart program to activate) + (aktivoi käynnistämällä ohjelma uudestaan) + + + Minimize window after unlocking database + Pienennä ikkuna tietokannan lukituksen avauksen jälkeen + + + Minimize when opening a URL + Pienennä ikkuna URL:ää avatessa + + + Hide window when copying to clipboard + Piilota ikkuna leikepöydälle kopioitaessa + + + Minimize + Pienennä + + + Drop to background + Siirrä taustalle + + + Favicon download timeout: + Faviconin latauksen aikakatkaisu: + + + Website icon download timeout in seconds + Nettisivun ikonin latauksen aikakatkaisu sekunneissa + + + sec + Seconds + s + + + Toolbar button style + Työkalupalkin painiketyyli + + + Use monospaced font for Notes + Käytä tasalevyistä (monospace) fonttia muistiinpanoihin + + + Language selection + Kielivalinta + + + Reset Settings to Default + Palauta oletusasetukset + + + Global auto-type shortcut + Yleisen automaattisyötön pikanäppäin + + + Auto-type character typing delay milliseconds + Automaattisyötön kirjoituksen viive millisekunneissa + + + Auto-type start delay milliseconds + Automaattisyötön aloitusviive millisekunneissa @@ -320,9 +389,30 @@ Yksityisyys - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons Käytä DuckDuckGo:ta sivustojen ikonien lataukseen + + Clipboard clear seconds + Leikepöydän tyhjentäminen sekunneissa + + + Touch ID inactivity reset + Touch ID:n joutilaisuusasetuksen palautus + + + Database lock timeout seconds + Tietokannan lukituksen aikakatkaisu sekunneissa + + + min + Minutes + minuuttia + + + Clear search query after + Tyhjennä hakukentän sisältö kun on kulunut + AutoType @@ -389,6 +479,17 @@ Sekvenssi + + AutoTypeMatchView + + Copy &username + Kopioi käyttäjä&tunnus + + + Copy &password + Kopioi &salasana + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Valitse tietue automaattisyöttöä varten: + + Search... + Etsi... + BrowserAccessControlDialog @@ -421,9 +526,17 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 pyytää pääsyä seuraavien kohteiden salasanoihin. + %1 pyytää pääsyä seuraavien tietueiden salasanoihin. Ole hyvä ja valitse sallitaanko pääsy. + + Allow access + Salli pääsy + + + Deny access + Estä pääsy + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Valitse oikea tietokanta tietueen tallentamiseksi This is required for accessing your databases with KeePassXC-Browser Tämä vaaditaan, jotta tietokantoja voidaan käyttää KeePassXC-Browser -selainlaajennuksella - - Enable KeepassXC browser integration - Käytä KeepassXC:n selainintegraatiota - General Yleistä @@ -533,10 +642,6 @@ Valitse oikea tietokanta tietueen tallentamiseksi Credentials mean login data requested via browser extension Älä koskaan k&ysy ennen tilitietojen päivittämistä - - Only the selected database has to be connected with a client. - Vain valittu tietokanta tulee olla yhdistetty asiakkaan kanssa. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Valitse oikea tietokanta tietueen tallentamiseksi &Tor Browser &Tor-selain - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Varoitus</b>, keepassxc-proxy -ohjelmaa ei löydy!<br />Ole hyvä ja tarkista KeePassXC:n asennushakemisto tai varmista mukautettu polku lisäasetuksista.<br />Selainintegraatio ei toimi ilman välitysohjelmaa.<br />Odotettu polku: - Executable Files Suoritettavat tiedostot @@ -621,6 +722,50 @@ Valitse oikea tietokanta tietueen tallentamiseksi KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser tarvitaan selainintegraation toimimista varten.<br />Dataa se seuraaville selaimille: %1 ja %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Salli vanhentuneiden tietueiden noutaminen. Teksti [vanhentunut] lisätään tietueen otsikkoon. + + + &Allow returning expired credentials. + &Salli vanhentuneiden tietueiden noutaminen. + + + Enable browser integration + Käytä selainintegraatiota + + + Browsers installed as snaps are currently not supported. + Snapin kautta asennetut selaimet eivät ole tällä hetkellä tuettuja. + + + All databases connected to the extension will return matching credentials. + Sallitaan tietueiden nouto kaikista tietokannoista jotka ovat yhdistetty selainlaajennukseen. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Älä näytä ponnahdusikkunaa, joka ehdottaa vanhojen KeePassHTTP-asetuksien muuttamista uuteen muotoon. + + + &Do not prompt for KeePassHTTP settings migration. + &Älä näytä ponnahdusikkunaa KeePassHTTP-asetusten muuttamiselle + + + Custom proxy location field + Mukautetun välitusohjelman sijainti + + + Browser for custom proxy file + Selaa mukautettua välitysohjelman tiedostoa + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Varoitus</b>, keepassxc-proxy -ohjelmaa ei löydy!<br />Ole hyvä ja tarkista KeePassXC:n asennushakemisto tai varmista mukautettu polku lisäasetuksista.<br />Selainintegraatio ei toimi ilman välitysohjelmaa.<br />Odotettu polku: %1 + BrowserService @@ -679,7 +824,7 @@ Siirrettiin %2 avainta mukautettuihin tietoihin. Successfully moved %n keys to custom data. - Siirrettiin onnistuneesti %n avainta mukautettuihin tietoihin.Siirrettiin onnistuneesti %n avainta mukautettuihin tietoihin. + Siirettiin onnistuneesti %n avain mukautettuihin tietoihin.Siirrettiin onnistuneesti %n avainta mukautettuihin tietoihin. KeePassXC: No entry with KeePassHTTP attributes found! @@ -712,6 +857,10 @@ Would you like to migrate your existing settings now? Tämä on välttämätöntä, jotta yhteys selainlaajennukseen säilyy muuttumattomana. Haluat siirtää asetukset nyt? + + Don't show this warning again + Älä näytä tätä varoitusta uudelleen + CloneDialog @@ -770,10 +919,6 @@ Haluat siirtää asetukset nyt? First record has field names Ensimmäinen tietue sisältää kenttien nimet - - Number of headers line to discard - Hylättävissä olevien otsakerivien lukumäärä - Consider '\' an escape character Käsittele merkkiä '\' escape-merkkinä @@ -816,7 +961,7 @@ Haluat siirtää asetukset nyt? [%n more message(s) skipped] - [%n more message(s) skipped][%n kappaletta viestejä ohitettiin] + [%n kappaletta viestejä ohitettiin][%n kappaletta viestejä ohitettiin] CSV import: writer has errors: @@ -824,12 +969,28 @@ Haluat siirtää asetukset nyt? CSV-tuonti: kirjoituksessa on virheitä: %1 + + Text qualification + Tekstin määrittely + + + Field separation + Kenttäerotus + + + Number of header lines to discard + Hylättävissä olevien otsakerivien lukumäärä + + + CSV import preview + CSV-tuonnin esikatselu + CsvParserModel %n column(s) - %n sarake.%n saraketta + %n sarake%n saraketta %1, %2, %3 @@ -838,7 +999,7 @@ Haluat siirtää asetukset nyt? %n byte(s) - %n tavu%n tavua + %n tavu% tavua %n row(s) @@ -864,10 +1025,6 @@ Haluat siirtää asetukset nyt? Error while reading the database: %1 Virhe tietokantaa luettaessa: %1 - - Could not save, database has no file name. - Tallennus ei onnistu. Tietokannalla ei ole tiedostonimeä. - File cannot be written as it is opened in read-only mode. Tiedostoa ei voitu tallentaa, sillä se on avattu vain lukuoikeuksin. @@ -876,6 +1033,28 @@ Haluat siirtää asetukset nyt? Key not transformed. This is a bug, please report it to the developers! Avainmuunnosta ei voitu suorittaa. Ole hyvä ja ilmoita tästä virheestä sovelluksen kehittäjille. + + %1 +Backup database located at %2 + %1 +Tietokannan varmuuskopio paikannettu: %2 + + + Could not save, database does not point to a valid file. + Tallennus ei onnistu. Tietokanta ei osoita validiin tiedostoon. + + + Could not save, database file is read-only. + Ei voitu tallentaa, tietokantatiedosto on vain luettavassa muodossa. + + + Database file has unmerged changes. + Tietokannalla on muutoksia joita ei ole yhdistetty. + + + Recycle Bin + Roskakori + DatabaseOpenDialog @@ -886,30 +1065,14 @@ Haluat siirtää asetukset nyt? DatabaseOpenWidget - - Enter master key - Syötä pääsalasana - Key File: Avaintiedosto: - - Password: - Salasana: - - - Browse - Selaa - Refresh Päivitä - - Challenge Response: - Haaste/vastaus: - Legacy key file format Vanha avaintiedostomuoto @@ -941,20 +1104,100 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Valitse avaintiedosto - TouchID for quick unlock - TouchID pika-avaukseen + Failed to open key file: %1 + Avaintiedoston avaus epäonnistui: %1 - Unable to open the database: -%1 - Tietokantaa ei voitu avata: -%1 + Select slot... + Valitse paikka... - Can't open key file: -%1 - Avaintiedostoa ei voitu avata: -%1 + Unlock KeePassXC Database + Avaa KeePassXC-tietokannan lukitus + + + Enter Password: + Syötä salasana: + + + Password field + Salasanakenttä + + + Toggle password visibility + Vaihda salasanan näkyvyyttä + + + Enter Additional Credentials: + Syötä lisätietueita: + + + Key file selection + Avaintiedoston valinta + + + Hardware key slot selection + Laiteavaimen paikan valinta + + + Browse for key file + Selaa avaintiedostoa + + + Browse... + Selaa... + + + Refresh hardware tokens + Uudista laitetunnisteet + + + Hardware Key: + Laiteavain: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Voit käyttää laiteavainta, kuten <strong>Yubikey:tä</strong> tai <strong>OnlyKey:tä</strong> HMAC-SHA1 configuroidun paikan kanssa.</p> +<p>Lisätietoja tästä...</p> + + + Hardware key help + Laiteavaimen apu + + + TouchID for Quick Unlock + TouchID Pika-Avaukseen + + + Clear + Tyhjennä + + + Clear Key File + Tyhjennä Avaintiedosto + + + Select file... + Valitse tiedosto... + + + Unlock failed and no password given + Avaus epäonnistui, eikä salasanaa ole annettu + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Tietokannan avaus epäonnistui, eikä salasanaa ole syötetty. +Haluat koittaa uudestaan tyhjällä salasanalla? + +Jos et halua nähdä tätä virhettä uudestaan, mene "Tietokannan asetukset / Turvallisuus" ja muuta salasanaasi. + + + Retry with empty password + Yritä uudelleen tyhjällä salasanalla @@ -1063,7 +1306,7 @@ Tämä voi estää yhteyden selainlaajennukseen. Successfully removed %n encryption key(s) from KeePassXC settings. - %n salausavain poistettiin onnistuneesti KeePassXC:n asetuksista.%n salausavainta poistettiin onnistuneesti KeePassXC:n asetuksista. + Poistettiin %n salausavain KeePassXC:n asetuksista.Poistettiin %n salausavainta KeePassXC:n asetuksista. Forget all site-specific settings on entries @@ -1089,7 +1332,7 @@ Pääsy tietueisiin evätään. Successfully removed permissions from %n entry(s). - Poistettiin lupa %n tietueelta.Poistettiin lupa %n tietueelta. + Poistettiin käyttöoikeudet %n:n tietueen tiedoista.Poistettiin käyttöoikeudet %n:n tietueen tiedoista. KeePassXC: No entry with permissions found! @@ -1109,6 +1352,14 @@ This is necessary to maintain compatibility with the browser plugin. Haluatko todella siirtää vanhat selainlaajennustiedot uuteen muotoon? Tämä on välttämätöntä selainintegraation yhteensopivuuden takaamiseksi. + + Stored browser keys + Tallennetut selaimen avaimet + + + Remove selected key + Poista valittu avain + DatabaseSettingsWidgetEncryption @@ -1134,7 +1385,7 @@ Tämä on välttämätöntä selainintegraation yhteensopivuuden takaamiseksi. Benchmark 1-second delay - Laske parametrit 1:n sekunnin viiveelle + Laske parametrit 1:n sekunnin viivästykselle Memory Usage: @@ -1146,7 +1397,7 @@ Tämä on välttämätöntä selainintegraation yhteensopivuuden takaamiseksi. Decryption Time: - Salauksen purkuun kulunut aika: + Salauksen purkuun vaadittava aika: ?? s @@ -1174,7 +1425,7 @@ Tämä on välttämätöntä selainintegraation yhteensopivuuden takaamiseksi. This is only important if you need to use your database with other programs. - Tämä on tärkeää vain, jos käytät tietokantaa muissa ohjelmissa. + Tämä asetus on tärkeä vain, jos käytät tietokantaa muissa ohjelmissa. KDBX 4.0 (recommended) @@ -1187,7 +1438,7 @@ Tämä on välttämätöntä selainintegraation yhteensopivuuden takaamiseksi. unchanged Database decryption time is unchanged - muuttamaton + ei muutettu Number of rounds too high @@ -1251,6 +1502,57 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! seconds %1 s%1 s + + Change existing decryption time + Muuta olemassa olevaa salauksen purkuun vaadittavaa aikaa + + + Decryption time in seconds + Salauksen purkuun vaadittava aika sekunneissa + + + Database format + Tietokannan muoto + + + Encryption algorithm + Salausalgoritmi + + + Key derivation function + Avainmuunnosfunktio + + + Transform rounds + Muunnoskierroksia + + + Memory usage + Muistin käyttö + + + Parallelism + Rinnakkaisuus + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Avoimia tietueita + + + Don't e&xpose this database + Älä &muuta tätä tietokantaa avoimeksi + + + Expose entries &under this group: + Muuta tietueet avoimeksi tämän &ryhmän alta: + + + Enable fd.o Secret Service to access these settings. + Käytä fd.o:n Secret Serviceä päästäksesi näihin asetuksiin. + DatabaseSettingsWidgetGeneral @@ -1276,7 +1578,7 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! Max. history items: - Maks. historia-kohteiden lukumäärä: + Maks. historiamerkintöjen lukumäärä: Max. history size: @@ -1284,7 +1586,7 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! MiB - Mt + MiB Use recycle bin @@ -1298,6 +1600,39 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! Enable &compression (recommended) Ota käyttöön &pakkaus (suositeltava) + + Database name field + Tietokannan nimikenttä + + + Database description field + Tietokannan kuvauskenttä + + + Default username field + Oletuskäyttäjänimen kenttä + + + Maximum number of history items per entry + Historiamerkintöjen maksimimäärä per tietue + + + Maximum size of history per entry + Historian koon maksimimäärä per tietue + + + Delete Recycle Bin + Poista roskakori + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Haluatko poistaa nykyisen roskakorin ja sen kaiken sisällön? Tämä toimenpide on peruuttamaton. + + + (old) + (vanha) + DatabaseSettingsWidgetKeeShare @@ -1365,6 +1700,10 @@ Oletko varma, että haluat jatkaa ilman salasanaa? Failed to change master key Pääsalasanan muuttaminen ei onnistunut + + Continue without password + Jatka ilman salasanaa + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1715,129 @@ Oletko varma, että haluat jatkaa ilman salasanaa? Description: Kuvaus: + + Database name field + Tietokannan nimikenttä + + + Database description field + Tietokannan kuvauskenttä + + + + DatabaseSettingsWidgetStatistics + + Statistics + Tilastot + + + Hover over lines with error icons for further information. + Liiku virheikonin sisältävän rivin päälle saadaksesi lisätietoa. + + + Name + Nimi + + + Value + Arvo + + + Database name + Tietokannan nimi + + + Description + Kuvaus + + + Location + Sijainti + + + Last saved + Viimeksi tallennettu + + + Unsaved changes + Tallentamattomia muutoksia + + + yes + kyllä + + + no + ei + + + The database was modified, but the changes have not yet been saved to disk. + Tietokantaa muokattiin, mutta muutoksia ei ole tallennettu levylle. + + + Number of groups + Ryhmien määrä + + + Number of entries + Tietueiden lukumäärä + + + Number of expired entries + Vanhentuneiden tietueiden lukumäärä + + + The database contains entries that have expired. + Tietokanta sisältää tietueita jotka ovat vanhentuneet. + + + Unique passwords + Yksilöllisiä salasanoja + + + Non-unique passwords + Ei-yksilöllisiä salasanoja + + + More than 10% of passwords are reused. Use unique passwords when possible. + Salasanoista enemmän kuin 10% ovat samoja. Käytä yksilöllisiä salasanoja aina kun mahdollista. + + + Maximum password reuse + Maksimimäärä samoja salasanoja + + + Some passwords are used more than three times. Use unique passwords when possible. + Salasanoista osa on käytössä useammassa kuin kolmessa tietueessa. Käytä yksilöllisiä salasanoja aina kun mahdollista. + + + Number of short passwords + Lyhyiden salasanojen määrä + + + Recommended minimum password length is at least 8 characters. + Salasanan suositeltu minimipituus on vähintään 8 merkkiä. + + + Number of weak passwords + Heikkojen salasanojen määrä + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + On suositeltavaa käyttää salasanoja joiden luokitus on 'hyvä' tai 'erinomainen'. + + + Average password length + Salasanan keskimääräinen pituus + + + %1 characters + %1 merkkiä + + + Average password length is less than ten characters. Longer passwords provide more security. + Salasanojen keskimääräinen pituus on vähemmän kuin kymmenen merkkiä. Pidemmät salasanat ovat turvallisempia. + DatabaseTabWidget @@ -1425,10 +1887,6 @@ This is definitely a bug, please report it to the developers. Luodulla tietokannalla ei ole avainta tai avainmuunnosfunktiota, joten sitä ei voida tallentaa. Tämä on selkeä virhe, joten ota yhteyttä kehittäjätiimiin. - - The database file does not exist or is not accessible. - Tietokantatiedostoa ei ole olemassa tai siihen ei ole pääsyä. - Select CSV file Valitse CSV-tiedosto @@ -1452,6 +1910,30 @@ Tämä on selkeä virhe, joten ota yhteyttä kehittäjätiimiin. Database tab name modifier %1 [Vain luku] + + Failed to open %1. It either does not exist or is not accessible. + %1:n avaus epäonnistui. Sitä ei ole joko olemassa, tai siihen ei ole pääsyoikeutta. + + + Export database to HTML file + Vie tietokanta HTML-tiedostoon + + + HTML file + HTML-tiedosto + + + Writing the HTML file failed. + HTML-tiedoston kirjoittaminen epäonnistui. + + + Export Confirmation + Viennin vahvistus + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Olet viemässä tietokantaasi salaamattomaan tiedostoon. Tämä jättää salasanasi ja minkä tahansa arkaluontoisen tiedon haavoittuvaksi! Oletko varma, että haluat jatkaa? + DatabaseWidget @@ -1531,7 +2013,7 @@ Haluatko yhdistää muutoksesi? Do you really want to delete %n entry(s) for good? - Haluatko todella poistaa %n tietueen pysyvästi?Haluatko todella poistaa %n tietuetta pysyvästi? + Haluatko varmasti poistaa %1 tietueen lopullisesti?Haluatko varmasti poistaa %1 tietuetta lopullisesti? Delete entry(s)? @@ -1541,10 +2023,6 @@ Haluatko yhdistää muutoksesi? Move entry(s) to recycle bin? Siirrä tietue roskakoriin?Siirrä tietueet roskakoriin? - - File opened in read only mode. - Tiedosto on avattu "vain luku"-tilassa. - Lock Database? Lukitse tietokanta? @@ -1584,12 +2062,6 @@ Virhe: %1 Disable safe saves and try again? KeePassXC on epäonnistunut useaan otteeseen tietokannan tallentamisessa. Tämä johtuu luultavasti tiedostojen synkronoinnista, joka pitää tiedostoa lukittuna. Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? - - - Writing the database failed. -%1 - Tietokantaan kirjoittaminen epäonnistui. -%1 Passwords @@ -1609,7 +2081,7 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Tietueella "%1" on %2 viittaus. Haluatko ylikirjoittaa viittaukset arvoilla, ohittaa tietueen tai poistaa sen?Tietueella "%1" on %2 viittausta. Haluatko ylikirjoittaa viittaukset arvoilla, ohittaa tietueen tai poistaa sen? + Tietueella "%1" on %2 viittaus. Haluatko ylikirjoittaa viittauksen arvolla, ohittaa tietueen käsittelyn vai poistaa tietueen viittauksesta huolimatta?Tietueella "%1" on %2 viittausta. Haluatko ylikirjoittaa viittaukset arvoilla, ohittaa tietueen käsittelyn vai poistaa tietueen viittauksista huolimatta? Delete group @@ -1635,6 +2107,14 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Shared group... Jaettu ryhmä... + + Writing the database failed: %1 + Tietokannan kirjoittaminen epäonnistui: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Tietokanta on avattu vain-luku -moodissa. Automaattinen tallennus on otettu pois päältä. + EditEntryWidget @@ -1754,6 +2234,18 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Confirm Removal Vahvista poistaminen + + Browser Integration + Selainintegraatio + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Haluatko varmasti poistaa tämän URL:n? + EditEntryWidgetAdvanced @@ -1793,6 +2285,42 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Background Color: Taustaväri: + + Attribute selection + Attribuutin valinta + + + Attribute value + Attribuutin arvo + + + Add a new attribute + Lisää uusi attribuutti + + + Remove selected attribute + Poista valittu attribuutti + + + Edit attribute name + Muokkaa attribuutin nimeä + + + Toggle attribute protection + Suojaa attribuutti + + + Show a protected attribute + Näytä suojattu attribuutti + + + Foreground color selection + Korostusvärin valinta + + + Background color selection + Taustavärin valinta + EditEntryWidgetAutoType @@ -1828,6 +2356,77 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Use a specific sequence for this association: Käytä tiettyä sekvenssiä tälle liitokselle: + + Custom Auto-Type sequence + Mukautettu automaattisyötön sekvenssi + + + Open Auto-Type help webpage + Avaa automaattitäydennyksen ohjesivusto + + + Existing window associations + Jo olemassa olevat ikkunoiden liitokset + + + Add new window association + Lisää uusi ikkunan liitos + + + Remove selected window association + Poista valittu ikkunaliitos + + + You can use an asterisk (*) to match everything + Voit käyttää asteriskia (*) vastaamaan kaikkea mahdollista + + + Set the window association title + Aseta ikkunan liitoksen otsikko + + + You can use an asterisk to match everything + Voit käyttää asteriskia vastaamaan kaikkea mahdollista + + + Custom Auto-Type sequence for this window + Mukautettu automaattisyötön sekvenssi tälle ikkunalle + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Tämä asetukset vaikuttavat tietueen toimintaan selainlaajennuksen kanssa. + + + General + Yleistä + + + Skip Auto-Submit for this entry + Älä salli automaattisyöttöä tälle tietueelle + + + Hide this entry from the browser extension + Piilota tämä tietue selainlaajennuksesta + + + Additional URL's + Lisäosoitteet + + + Add + Lisää + + + Remove + Poista + + + Edit + Muokkaa + EditEntryWidgetHistory @@ -1847,6 +2446,26 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Delete all Poista kaikki + + Entry history selection + Tietueen historiavalinta + + + Show entry at selected history state + Näytä tietue valitulla historiatilalla + + + Restore entry to selected history state + Palauta tietue valittuun historiatilaan + + + Delete selected history state + Poista valittu historiatila + + + Delete all history + Poista kaikki historia + EditEntryWidgetMain @@ -1856,7 +2475,7 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Password: - Salasana + Salasana: Repeat: @@ -1886,6 +2505,62 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Expires Erääntyy + + Url field + Osoitekenttä + + + Download favicon for URL + Lataa favicon tälle URL:lle + + + Repeat password field + Toista salasana -kenttä + + + Toggle password generator + Näytä salasanageneraattori + + + Password field + Salasanakenttä + + + Toggle password visibility + Vaihda salasanan näkyvyyttä + + + Toggle notes visible + Vaihda muistiinpanojen näkyvyyttä + + + Expiration field + Vanhentumisajan kenttä + + + Expiration Presets + Vanhentumisajan valmiit asetukset + + + Expiration presets + Vanhentumisajan valmiit asetukset + + + Notes field + Muistiinpanojen kenttä + + + Title field + Otsikkokenttä + + + Username field + Käyttäjätunnuksen kenttä + + + Toggle expiration + Ota vanhentumisaika käyttöön + EditEntryWidgetSSHAgent @@ -1962,6 +2637,22 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Require user confirmation when this key is used Vaadi käyttäjävahvistusta kun avainta käytetään + + Remove key from agent after specified seconds + Poista avain agentista tietyn sekuntiajan jälkeen + + + Browser for key file + Selaa avaintiedostoa + + + External key file + Ulkoinen avaintiedosto + + + Select attachment file + Valitse liitetiedosto + EditGroupWidget @@ -1997,6 +2688,10 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Inherit from parent group (%1) Peri ylemmältä ryhmältä (%1) + + Entry has unsaved changes + Tietueella on tallentamattomia muutoksia + EditGroupWidgetKeeShare @@ -2024,34 +2719,6 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Inactive Toimeton - - Import from path - Tuo polusta - - - Export to path - Vie polkuun - - - Synchronize with path - Synkronoi polun kanssa - - - Your KeePassXC version does not support sharing your container type. Please use %1. - KeePassXC-versiosi ei tue jakamista tällä säiliötyypillä. Ole hyvä ja käytä tyyppiä %1. - - - Database sharing is disabled - Tietokannan jakaminen on poistettu käytöstä - - - Database export is disabled - Tietokannan vieminen on poistettu käytöstä - - - Database import is disabled - Tietokannan tuominen on poistettu käytöstä - KeeShare unsigned container KeeSharen allekirjoittamaton säiliö @@ -2077,16 +2744,75 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Tyhjennä - The export container %1 is already referenced. - Vientisäiliöön %1 on jo viitattu. + Import + Tuo - The import container %1 is already imported. - Tuontisäiliö %1 on jo tuotu. + Export + Vie - The container %1 imported and export by different groups. - Säiliö %1 on tuotu ja viety eri ryhmien perusteella. + Synchronize + Synkronoi + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + KeePassXC-versiosi ei tue jakamista tällä säiliötyypillä. +Tuetut tyypit ovat: %1. + + + %1 is already being exported by this database. + %1 on jo viety tästä tietokannasta. + + + %1 is already being imported by this database. + %1 on jo tuotu tästä tietokannasta. + + + %1 is being imported and exported by different groups in this database. + %1 on tuotu ja viety eri ryhmästä tästä tietokannasta. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare ei ole tällä hetkellä käytössä. Voit ottaa tuonnin/viennin käyttöön ohjelmiston asetuksista. + + + Database export is currently disabled by application settings. + Tietokannan vienti on poistettu käytöstä ohjelmiston asetuksissa. + + + Database import is currently disabled by application settings. + Tietokannan tuonti on poistettu käytöstä ohjelmiston asetuksista. + + + Sharing mode field + Jakotavan kenttä + + + Path to share file field + Jakotiedoston sijainnin kenttä + + + Browser for share file + Selaa jakotiedostoa + + + Password field + Salasanakenttä + + + Toggle password visibility + Vaihda salasanan näkyvyyttä + + + Toggle password generator + Näytä salasanageneraattori + + + Clear fields + Tyhjennä kentät @@ -2119,6 +2845,34 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Set default Auto-Type se&quence Aseta automaattisyötön &oletussekvenssi + + Name field + Nimikenttä + + + Notes field + Muistiinpanojen kenttä + + + Toggle expiration + Ota vanhentumisaika käyttöön + + + Auto-Type toggle for this and sub groups + Automaattisyötön päälle laittaminen tälle ryhmälle ja sen aliryhmille + + + Expiration field + Vanhentumisajan kenttä + + + Search toggle for this and sub groups + Haun päälle laittaminen tälle ryhmälle ja sen aliryhmille + + + Default auto-type sequence field + Automaattisyötön sekvenssin oletuksen kenttä + EditWidgetIcons @@ -2154,29 +2908,17 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? All files Kaikki tiedostot - - Custom icon already exists - Mukautettu kuvake on jo olemassa - Confirm Delete Vahvista poisto - - Custom icon successfully downloaded - Mukautettu ikoni ladattu onnistuneesti - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Vinkki: Voit asettaa DuckDuckGo:n ikonien lataukseen asetuksen Työkalut>Asetukset>Turvallisuus alta - Select Image(s) Valitse kuva(t) Successfully loaded %1 of %n icon(s) - %1 ikoni kaikista (%n) ladattiin onnistuneesti%1 ikonia kaikista (%n) ladattiin onnistuneesti + Ladattiin onnistuneesti %1 / %n ikoni.Ladattiin onnistuneesti %1 / %n ikonia. No icons were loaded @@ -2184,15 +2926,51 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? %n icon(s) already exist in the database - %n ikoni on jo tietokannassa%n ikonia on jo tietokannassa + %n ikoni on jo tietokannassa.%n ikonia on jo tietokannassa. The following icon(s) failed: - Seuraava ikoni epäonnistui:Seuraavat ikonit epäonnistuivat: + Seuraavat ikoni epäonnistui:Seuraavat ikonit epäonnistuivat: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Ikonia käytetään %n tietueessa, ja se korvataan oletusikonilla. Oletko varma, että haluat poistaa sen?Ikonia käytetään %n tietueessa, ja se korvataan oletusikonilla. Oletko varma, että haluat poistaa sen? + Tätä ikonia käytetään %n tietueessa, ja se korvataan oletusikonilla. Oletko varma, että haluat poistaa sen?Tätä ikonia käytetään %n tietueessa, ja se korvataan oletusikonilla. Oletko varma, että haluat poistaa sen? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Voit asettaa DuckDuckGo:n ikonien lataukseen asetuksen Työkalut>Asetukset>Turvallisuus alta + + + Download favicon for URL + Lataa favicon tälle URL:lle + + + Apply selected icon to subgroups and entries + Lisää valittu ikoni aliryhmille ja sen tietueille + + + Apply icon &to ... + &Lisää ikoni ... + + + Apply to this only + Lisää vain tälle + + + Also apply to child groups + Lisää myös aliryhmille + + + Also apply to child entries + Lisää myös lapsitietueille + + + Also apply to all children + Lisää kaikille lapsille + + + Existing icon selected. + Jo olemassa oleva ikoni valittu. @@ -2239,6 +3017,30 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Value Arvo + + Datetime created + Luomisen ajankohta + + + Datetime modified + Muokkauksen ajankohta + + + Datetime accessed + Käyttämisen ajankohta + + + Unique ID + Yksilökohtainen ID + + + Plugin data + Liitännäistiedot + + + Remove selected plugin data + Poista liitännäistiedot + Entry @@ -2286,7 +3088,7 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Are you sure you want to remove %n attachment(s)? - Haluatko varmasti poistaa &n liitettä?Haluatko varmasti poistaa %n liitettä? + Haluatko varmasti poistaa %n liitteen?Haluatko varmasti poistaa %n liitettä? Save attachments @@ -2331,10 +3133,30 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Unable to open file(s): %1 - Tiedostoa ei voitu avata: -%1Tiedostoja ei voitu avata: + Seuraavan tiedoston avaus epäonnistui: +%1Seuraavien tiedostojen avaus epäonnistui: %1 + + Attachments + Liitteet + + + Add new attachment + Lisää uusi liite + + + Remove selected attachment + Poista valittu liite + + + Open selected attachment + Avaa valittu liite + + + Save selected attachment to disk + Tallenna valittu liite levylle + EntryAttributesModel @@ -2428,10 +3250,6 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. EntryPreviewWidget - - Generate TOTP Token - Luo ajastetun kertakäyttöisen salasanan (TOTP) tunniste - Close Sulje @@ -2517,6 +3335,14 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Share Jaa + + Display current TOTP value + Näytä nykyinen TOTP-arvo + + + Advanced + Lisäasetukset + EntryView @@ -2550,11 +3376,33 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. - Group + FdoSecrets::Item - Recycle Bin - Roskakori + Entry "%1" from database "%2" was used by %3 + Tietuetta "%1" tietokannasta "%2" käytettiin %3:n toimesta + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + DBus-palvelun rekisteröinti epäonnistui: %1. Toinen salauspalvelu on jo käynnissä. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %1 tietue käytettiin %1:n toimesta%1 tietuetta käytettiin %1:n toimesta + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo Secret Service: %1 + + + + Group [empty] group has no children @@ -2572,6 +3420,59 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Native messaging -skriptiä ei voitu tallentaa. + + IconDownloaderDialog + + Download Favicons + Lataa faviconit + + + Cancel + Peruuta + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Onko ikonien latauksessa ongelmia? +Voit käyttää DuckDuckGo:ta ikonien lataukseen ohjelmiston turvallisuusasetuksia muokkaamalla. + + + Close + Sulje + + + URL + URL + + + Status + Tila + + + Please wait, processing entry list... + Odota hetki, käsitellään tietuelistaa... + + + Downloading... + Ladataan... + + + Ok + Ok + + + Already Exists + On jo olemassa + + + Download Failed + Lataus epäonnistui + + + Downloading favicons (%1/%2)... + Ladataan faviconeja (%1/%2)... + + KMessageWidget @@ -2593,10 +3494,6 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Unable to issue challenge-response. Haaste-vastauksen tekeminen epäonnistui. - - Wrong key or database file is corrupt. - Väärä avain tai tietokanta on korruptoitunut. - missing database headers tietokannan otsaketiedot puuttuvat @@ -2617,6 +3514,12 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Invalid header data length Virheellinen otsaketietojen sisällön koko + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Väärät tilitiedot, ole hyvä ja koita uudestaan. +Jos tämä toistuu, tietokantasi voi olla viallinen. + Kdbx3Writer @@ -2647,10 +3550,6 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Header SHA256 mismatch Yhteensopimaton SHA256-otsaketieto - - Wrong key or database file is corrupt. (HMAC mismatch) - Väärä avain tai tietokantatiedosto on rikki. (HMAC ei täsmää) - Unknown cipher Tuntematon salaus @@ -2751,6 +3650,16 @@ Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Translation: variant map = data structure for storing meta data Virheellinen variant-kartan kenttätyypin koko + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Väärät tilitiedot, ole hyvä ja koita uudestaan. +Jos tämä toistuu, tietokantasi voi olla viallinen. + + + (HMAC mismatch) + (HMAC on yhteensopimaton) + Kdbx4Writer @@ -2850,7 +3759,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant No root group - Ei isäntäryhmää + Ei juuriryhmää Missing icon uuid or data @@ -2972,14 +3881,14 @@ Rivi %2, sarake %3 KeePass1OpenWidget - - Import KeePass1 database - Tuo KeePass 1 -tietokanta - Unable to open the database. Tietokannan avaaminen epäonnistui. + + Import KeePass1 Database + Tuo KeePass1-tietokanta + KeePass1Reader @@ -3036,10 +3945,6 @@ Rivi %2, sarake %3 Unable to calculate master key Pääavaimen laskeminen ei onnistu - - Wrong key or database file is corrupt. - Väärä avain tai tietokanta on korruptoitunut. - Key transformation failed Avaimen muuttaminen epäonnistui @@ -3136,40 +4041,58 @@ Rivi %2, sarake %3 unable to seek to content position sisällön sijaintia ei voitu hakea + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Väärät tilitiedot, ole hyvä ja koita uudestaan. +Jos tämä toistuu, tietokantasi voi olla viallinen. + KeeShare - Disabled share - Jakaminen poistettu käytöstä + Invalid sharing reference + Virheellinen jakoviittaus - Import from - Tuo + Inactive share %1 + Ei-aktiivinen jako %1 - Export to - Vie + Imported from %1 + Tuotu kohteesta %1 - Synchronize with - Synkronoi + Exported to %1 + Viety kohteeseen %1 - Disabled share %1 - Jako %1 otettu pois käytöstä + Synchronized with %1 + Synkronoitu kohteen %1 kanssa - Import from share %1 - Tuo jaosta %1 + Import is disabled in settings + Tuonti on poistettu käytöstä asetuksissa - Export to share %1 - Vie jaosta %1 + Export is disabled in settings + Vienti on otettu pois käytöstä asetuksissa - Synchronize with share %1 - Synkronoi jaon %1 kanssa + Inactive share + Ei-aktiivinen jako + + + Imported from + Tuotu kohteesta + + + Exported to + Viety kohteeseen + + + Synchronized with + Synkronoitu seuraavan kohteen kanssa @@ -3193,12 +4116,12 @@ Rivi %2, sarake %3 Add %1 Add a key component - Lisätty %1 + Lisää %1 Change %1 Change a key component - Muutettu %1 + Muuta %1 Remove %1 @@ -3213,10 +4136,6 @@ Rivi %2, sarake %3 KeyFileEditWidget - - Browse - Selaa - Generate Luo @@ -3227,7 +4146,7 @@ Rivi %2, sarake %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - <p>Lisäturvaksi voit lisätä avaintiedoston, joka sisältää sattumanvaraista dataa.</p><p>Tämä tiedosto täytyy pitää salassa eikä sitä saa koskaan hävittää!</p> + <p>Turvallisutta voidaan lisätä avaintiedostolla, joka sisältää sattumanvaraista dataa.</p><p>Avaintiedosto on pidettävä salassa ja sen säilytyksestä tulee huolehtia. Salasanatietokantaa ei voida avata mikäli avaintiedosto hävitetään! </p> Legacy key file format @@ -3272,6 +4191,44 @@ Viesti: %2 Select a key file Valitse avaintiedosto + + Key file selection + Avaintiedoston valinta + + + Browse for key file + Selaa avaintiedostoa + + + Browse... + Selaa... + + + Generate a new key file + Luo uusi avaintiedosto + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Huom.: Älä käytä tiedostoa jonka sisältö voi muuttua, sillä se voi estää tietokannan avauksen! + + + Invalid Key File + Virheellinen avaintiedosto + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Et voi käyttää kyseistä tietokantaa avaintiedostona. Ole hyvä ja valitse eri tiedosto, tai luo uusi avaintiedosto. + + + Suspicious Key File + Epäilyttävä avaintiedosto + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Valittu avaintiedosto näyttää tietokannalta. Avaintiedoston täytyy olla staattinen tiedosto jonka sisältö ei koskaan muutu. Muussa tapauksessa saatat menettää pääsyn tietokantaasi lopullisesti. +Haluatko jatkaa käyttämällä tätä tiedostoa? + MainWindow @@ -3281,7 +4238,7 @@ Viesti: %2 &Recent databases - Viimeisimmät tietokannat + &Viimeisimmät tietokannat &Help @@ -3293,7 +4250,7 @@ Viesti: %2 &Groups - Ryhmät + &Ryhmät &Tools @@ -3359,10 +4316,6 @@ Viesti: %2 &Settings &Asetukset - - Password Generator - Salasanageneraattori - &Lock databases &Lukitse tietokannat @@ -3549,14 +4502,6 @@ Suosittelemme, että käytät AppImagea, jonka voit hakea lataussivustoltamme.Show TOTP QR Code... Näytä TOTP QR-koodi... - - Check for Updates... - Tarkista päivitykset... - - - Share entry - Jaa tietue - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3575,6 +4520,74 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise You can always check for updates manually from the application menu. Voit tarkistaa päivitykset manuaalisesti sovellusvalikosta. + + &Export + &Vie + + + &Check for Updates... + &Tarkista päivitykset... + + + Downlo&ad all favicons + Lataa kaikki &faviconit + + + Sort &A-Z + Järjestä &A-Ö + + + Sort &Z-A + Järjestä &Ö-A + + + &Password Generator + &Salasanageneraattori + + + Download favicon + Lataa favicon + + + &Export to HTML file... + &Vie HTML-tiedostoon... + + + 1Password Vault... + 1Password-holvi... + + + Import a 1Password Vault + Tuo 1Password-holvi + + + &Getting Started + &Alkuun pääsy + + + Open Getting Started Guide PDF + Avaa alkuun pääsyyn tarkoitettu käyttäjäopas -PDF + + + &Online Help... + &Verkko-ohje... + + + Go to online documentation (opens browser) + Siirry verkkodokumentaatioon (avaa selaimen) + + + &User Guide + &Käyttäjäopas + + + Open User Guide PDF + Avaa käyttäjäopas PDF-muodossa + + + &Keyboard Shortcuts + &Pikanäppäimet + Merger @@ -3634,6 +4647,14 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Adding missing icon %1 Lisätään puuttuva ikoni %1 + + Removed custom data %1 [%2] + Poista mukautettu tieto %1 [%2] + + + Adding custom data %1 [%2] + Lisätään mukautettua tietoa%1 [%2] + NewDatabaseWizard @@ -3703,6 +4724,73 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Ole hyvä ja täytä tietokantasi nimi ja vapaaehtoinen kuvaus: + + OpData01 + + Invalid OpData01, does not contain header + Viallinen OpData01. Otsaketieto puuttuu + + + Unable to read all IV bytes, wanted 16 but got %1 + Kaikkia IV-tavuja ei voitu lukea. Tarvittiin 16, mutta saatiin vain %1 + + + Unable to init cipher for opdata01: %1 + OpData01:n salakirjoitusta ei voitu alustaa: %1 + + + Unable to read all HMAC signature bytes + Kaikkia HMAC-allekirjoituksen tavuja ei voitu lukea + + + Malformed OpData01 due to a failed HMAC + Viallinen OpData01 epäonnistuneen HMAC:in vuoksi + + + Unable to process clearText in place + Selkotekstiä ei voitu prosessoida + + + Expected %1 bytes of clear-text, found %2 + Odotettiin %1 tavua selkotekstiä, löydettiin %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Tietokannan lukeminen ei luonut instanssia +%1 + + + + OpVaultReader + + Directory .opvault must exist + Hakemiston .opvault täytyy olla olemassa + + + Directory .opvault must be readable + Hakemistoon .opvault täytyy olla lukuoikeus + + + Directory .opvault/default must exist + Hakemisto .opvault/default täytyy olla olemassa + + + Directory .opvault/default must be readable + Hakemistoon .opvault/default täytyy olla lukuoikeus + + + Unable to decode masterKey: %1 + Pääavainta %1 ei voitu purkaa + + + Unable to derive master key: %1 + Pääavainta %1 ei kyetty johdattamaan + + OpenSSHKey @@ -3727,7 +4815,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Found zero keys - Löytyi nolla avainta + Yhtään avainta ei löytynyt Failed to read public key. @@ -3802,6 +4890,17 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Tuntematon avaimen tyyppi: %1 + + PasswordEdit + + Passwords do not match + Salasanat eivät täsmää + + + Passwords match so far + Salasanat jotka ovat tähän mennessä samoja + + PasswordEditWidget @@ -3828,6 +4927,22 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Generate master password Luo pääsalasana + + Password field + Salasanakenttä + + + Toggle password visibility + Vaihda salasanan näkyvyyttä + + + Repeat password field + Toista salasana -kenttä + + + Toggle password generator + Näytä salasanageneraattori + PasswordGeneratorWidget @@ -3837,7 +4952,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Password: - Salasana + Salasana: strength @@ -3856,22 +4971,10 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Character Types Merkkityypit - - Upper Case Letters - Isot kirjaimet - - - Lower Case Letters - Pienet kirjaimet - Numbers Numerot - - Special Characters - Erikoismerkit - Extended ASCII Laajennettu ASCII @@ -3952,18 +5055,10 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Advanced Lisäasetukset - - Upper Case Letters A to F - Isot kirjaimet A:sta F:ään - A-Z A-Z - - Lower Case Letters A to F - Pienet kirjaimet A:sta F:ään - a-z a-z @@ -3996,18 +5091,10 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise " ' " ' - - Math - Matemaattiset - <*+!?= <*+!?= - - Dashes - Viivat - \_|-/ \_|-/ @@ -4056,6 +5143,74 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Regenerate Luo uudelleen + + Generated password + Luotu salasana + + + Upper-case letters + Isot kirjaimet + + + Lower-case letters + Pienet kirjaimet + + + Special characters + Erikoismerkit + + + Math Symbols + Matemaattiset symbolit + + + Dashes and Slashes + Viivat ja vinoviivat + + + Excluded characters + Poissuljetut merkit + + + Hex Passwords + Heksasalasanat + + + Password length + Salasanan pituus + + + Word Case: + Aakkoslaji: + + + Regenerate password + Luo salasana uudelleen + + + Copy password + Kopioi salasana + + + Accept password + Hyväksy salasana + + + lower case + pienaakkoset + + + UPPER CASE + SUURAAKKOSET + + + Title Case + Otsikon aakkoslaji + + + Toggle password visibility + Vaihda salasanan näkyvyyttä + QApplication @@ -4063,12 +5218,9 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise KeeShare KeeShare - - - QFileDialog - Select - Valitse + Statistics + Tilastot @@ -4087,7 +5239,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Empty - Tyhjä + Tyhjennä Remove @@ -4105,6 +5257,10 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Merge Yhdistä + + Continue + Jatka + QObject @@ -4158,7 +5314,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Add a new entry to a database. - Lisää uusi tietue tietokantaan. + Lisää uusi tietue tietokantaan Path of the database. @@ -4174,7 +5330,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Username for the entry. - Tietueen käyttäjänimi. + Tietueen käyttäjänimi username @@ -4196,10 +5352,6 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Generate a password for the entry. Luo tietueelle salasana. - - Length for the generated password. - Luodun salasanan pituus. - length pituus @@ -4227,7 +5379,7 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Title for the entry. - Tietueen nimi + Tietueen otsikko. title @@ -4249,18 +5401,6 @@ Bugeja ja ongelmia voi esiintyä. Tämä versio ei ole tarkoitettu päivittäise Perform advanced analysis on the password. Suorita salasanalle edistynyt analyysi. - - Extract and print the content of a database. - Pura ja tulosta tietokannan sisältö. - - - Path of the database to extract. - Purettavan tietokannan polku. - - - Insert password to unlock %1: - Syötä salasana avataksesi %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4305,10 +5445,6 @@ Käytettävissä olevat komennot: Merge two databases. Yhdistä kaksi tietokantaa. - - Path of the database to merge into. - Tietokannan polku, johon yhdistetään. - Path of the database to merge from. Tietokannan polku, josta yhdistetään. @@ -4385,10 +5521,6 @@ Käytettävissä olevat komennot: Browser Integration Selainintegraatio - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Haaste/vastaus - Slot %2 - %3 - Press Paina @@ -4419,10 +5551,6 @@ Käytettävissä olevat komennot: Generate a new random password. Luo uusi satunnainen salasana. - - Invalid value for password length %1. - Väärä arvo salasanan pituudeksi %1. - Could not create entry with path %1. Tietuetta ei voitu luoda polun %1 kanssa. @@ -4465,7 +5593,7 @@ Käytettävissä olevat komennot: Clearing the clipboard in %1 second(s)... - Tyhjennetään leikepöytä %1 sekunnissa...Tyhjennetään leikepöytä %1 sekunnissa... + Leikepöytä tyhjennetään %1 sekunnin kuluttua...Leikepöytä tyhjennetään %1 sekunnin kuluttua... Clipboard cleared! @@ -4480,10 +5608,6 @@ Käytettävissä olevat komennot: CLI parameter määrä - - Invalid value for password length: %1 - Virheellinen arvo salasanan pituudelle: %1 - Could not find entry with path %1. Tietuetta polulla %1 ei löydetty. @@ -4608,26 +5732,6 @@ Käytettävissä olevat komennot: Failed to load key file %1: %2 Avaintiedoston %1 lataaminen epäonnistui: %2 - - File %1 does not exist. - Tiedostoa %1 ei ole. - - - Unable to open file %1. - Tiedostoa %1 ei voitu avata. - - - Error while reading the database: -%1 - Virhe tietokantaa luettaessa: -%1 - - - Error while parsing the database: -%1 - Virhe tietokantaa jäsennettäessä: -%1 - Length of the generated password Luodun salasanan pituus @@ -4640,10 +5744,6 @@ Käytettävissä olevat komennot: Use uppercase characters Käytä isoja merkkejä - - Use numbers. - Käytä numeroita. - Use special characters Käytä erikoismerkkejä @@ -4788,10 +5888,6 @@ Käytettävissä olevat komennot: Successfully created new database. Luotiin onnistuneesti uusi tietokanta. - - Insert password to encrypt database (Press enter to leave blank): - Syötä salasana salataksesi tietokannan (Paina enter jättääksesi se tyhjäksi): - Creating KeyFile %1 failed: %2 Avaintiedoston %1 luonti epäonnistui: %2 @@ -4800,10 +5896,6 @@ Käytettävissä olevat komennot: Loading KeyFile %1 failed: %2 Avaintiedoston %1 lataus epäonnistui: %2 - - Remove an entry from the database. - Poista tietue tietokannasta. - Path of the entry to remove. Poistettavan tietueen polku. @@ -4860,6 +5952,330 @@ Käytettävissä olevat komennot: Cannot create new group Uutta ryhmää ei voitu luoda + + Deactivate password key for the database. + Poista salasana-avain tietokannasta. + + + Displays debugging information. + Näytä virheenjäljitystiedot. + + + Deactivate password key for the database to merge from. + Ota salasana-avain pois käytöstä tietokannasta josta yhdistetään. + + + Version %1 + Versio %1 + + + Build Type: %1 + Ohjelmiston tyyppi + + + Revision: %1 + Revisio: %1 + + + Distribution: %1 + Jakelu: %1 + + + Debugging mode is disabled. + Virheenjäljitystila on pois päältä. + + + Debugging mode is enabled. + Virheenjäljitystila on päällä. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Käyttöjärjestelmä: %1 +Suoritinarkkitehtuuri: %2 +Ydin: %3 %4 + + + Auto-Type + Automaattisyöttö + + + KeeShare (signed and unsigned sharing) + KeeShare (allekirjoitettu ja allekirjoittamaton jakaminen) + + + KeeShare (only signed sharing) + KeeShare (vain allekirjoitettu jakaminen) + + + KeeShare (only unsigned sharing) + KeeShare (vain allekirjoittamaton jakaminen) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Ei mitään + + + Enabled extensions: + Käytössä olevat laajennukset: + + + Cryptographic libraries: + Kryptografiakirjastot: + + + Cannot generate a password and prompt at the same time! + Salasanaa ei voida luoda ja asettaa yhtäaikaisesti! + + + Adds a new group to a database. + Lisää uuden ryhmän tietokantaan. + + + Path of the group to add. + Lisättävän ryhmän polku. + + + Group %1 already exists! + Ryhmä %1 on jo olemassa! + + + Group %1 not found. + Ryhmää %1 ei löydy. + + + Successfully added group %1. + Ryhmä %1 lisättiin onnistuneesti. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Tarkista onko yksikään salanoista julkisesti vuotanut. TIEDOSTONIMEN täytyy osoittaa sijaintiin tiedostosta, joka listaa SHA-1 -tiivisteet vuotaneista salasanoista HIBP-muodossa, kuten sivusto https://haveibeenpwned.com/Passwords tarjoaa. + + + FILENAME + TIEDOSTONIMI + + + Analyze passwords for weaknesses and problems. + Analysoi salasanojen heikkouksia ja ongelmia. + + + Failed to open HIBP file %1: %2 + HIBP-tiedoston %1 avaus epäonnistui: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Tarkastetaan tietokantaa HIBP-tiedostoa vasten, tämä kestää hetken aikaa... + + + Close the currently opened database. + Sulje parhaillaan avoinna oleva tietokanta. + + + Display this help. + Näytä tämä ohje. + + + Yubikey slot used to encrypt the database. + Yubikey-paikkaa käytetty tietokannan salaukseen. + + + slot + paikka + + + Invalid word count %1 + Väärä sanamäärä %1 + + + The word list is too small (< 1000 items) + Sanalista on liian pieni (< 1000 sanaa) + + + Exit interactive mode. + Poistu interaktiivisesta tilasta. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Formaatti jota viennissä käytetään. Saatavilla olevat vaihtoehdot ovat XML tai CSV. Oletuksena käytetään XML:ää. + + + Exports the content of a database to standard output in the specified format. + Vie tietokannan sisällön standardiin tulosteeseen (stdout) halutussa formaatissa. + + + Unable to export database to XML: %1 + Tietokantaa ei voitu viedä XML-muotoon: %1 + + + Unsupported format %1 + Formaattia %1 ei ole tuettu + + + Use numbers + Käytä numeroita + + + Invalid password length %1 + Väärä salasanan pituus %1 + + + Display command help. + Näytä komento-ohjeistus + + + Available commands: + Käytettävissä olevat komennot: + + + Import the contents of an XML database. + Tuo XML-tietokannan sisältö. + + + Path of the XML database export. + Tietokannan XML-viennin polku. + + + Path of the new database. + Uuden tietokannan polku. + + + Unable to import XML database export %1 + Vietyä XML-tietokantaa ei voitu tuoda %1 + + + Successfully imported database. + Tietokanta tuotiin onnistuneesti. + + + Unknown command %1 + Tuntematon komento %1 + + + Flattens the output to single lines. + Tasoittaa tulostuksen yksittäisille riveille. + + + Only print the changes detected by the merge operation. + Tulosta vain yhdistämisessä havaitut muutokset. + + + Yubikey slot for the second database. + Yukibey-paikka toiselle tietokannalle. + + + Successfully merged %1 into %2. + %1 yhdistettiin onnistuneesti kohteeseen %2 + + + Database was not modified by merge operation. + Tietokannan sisältö ei muuttunut yhdistämisen yhteydessä. + + + Moves an entry to a new group. + Siirtää tietueen uuteen ryhmään. + + + Path of the entry to move. + Siirrettävän tietueen polku. + + + Path of the destination group. + Kohderyhmän polku. + + + Could not find group with path %1. + Ryhmää ei voitu löytää polussa %1. + + + Entry is already in group %1. + Tietue on jo ryhmässä %1. + + + Successfully moved entry %1 to group %2. + Siirrettiin onnistuneesti tietue %1 ryhmään %2. + + + Open a database. + Avaa tietokanta. + + + Path of the group to remove. + Poistettavan ryhmän polku. + + + Cannot remove root group from database. + Juuriryhmää ei voida poistaa tietokannasta. + + + Successfully recycled group %1. + Ryhmä %1 siirrettiin onnistuneesti roskakoriin. + + + Successfully deleted group %1. + Ryhmä %1 poistettiin onnistuneesti. + + + Failed to open database file %1: not found + Tietokantatiedoston %1 avaus epäonnistui: ei löytynyt + + + Failed to open database file %1: not a plain file + Tietokantatiedostoa %1 ei voitu avata: ei ole tavallinen tiedosto + + + Failed to open database file %1: not readable + Tietokantatiedoston %1 avaus epäonnistui: ei luettavissa + + + Enter password to unlock %1: + Syötä salasana avataksesi %1: + + + Invalid YubiKey slot %1 + Virheellinen Yubikey-paikka %1 + + + Please touch the button on your YubiKey to unlock %1 + Kosketa Yubikey:ssä olevaa painiketta avataksesi kohteen %1 + + + Enter password to encrypt database (optional): + Syötä salasana salataksesi tietokannan (valinnainen): + + + HIBP file, line %1: parse error + HIBP-tiedosto, rivi %1: jäsennysvirhe + + + Secret Service Integration + Secret Service -integraatio + + + User name + Käyttäjätunnus + + + %1[%2] Challenge Response - Slot %3 - %4 + %1 [%2] Haaste-vastaus - Paikka %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Salasana tietueelle '%1' on vuotanut %2 kertaa!Salasana tietueelle '%1' on vuotanut %2 kertaa! + + + Invalid password generator after applying all options + Virheellinen salasanageneraattori kaikkien aktiivisten asetusten kanssa + QtIOCompressor @@ -5013,6 +6429,93 @@ Käytettävissä olevat komennot: Merkkikokoriippuvainen + + SettingsWidgetFdoSecrets + + Options + Valinnat + + + Enable KeepassXC Freedesktop.org Secret Service integration + Käytä KeePassXC:ssä Freedesktop.org:in Secret Service -integraatiota + + + General + Yleistä + + + Show notification when credentials are requested + Näytä ilmoitus, kun tilitietoja pyydetään + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Jos tietokannassa on roskakori, tietueet siirretään suoraan sinne. Muussa tapauksessa ne poistetaan ilman vahvistusta.</p><p>Huomautus näytetään, mikäli tietue viittaa johonkin toiseen tietueeseen.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Älä näytä vahvistusta asiakkaan kautta tapahtuville tietueiden poistolle. + + + Exposed database groups: + Avoimet tietokannan ryhmät: + + + File Name + Tiedostonimi + + + Group + Ryhmä + + + Manage + Hallitse + + + Authorization + Valtuutus + + + These applications are currently connected: + Nämä sovellukset ovat parhaillaan yhdistetty: + + + Application + Sovellus + + + Disconnect + Katkaise yhteys + + + Database settings + Tietokannan asetukset + + + Edit database settings + Muokkaa tietokannan asetuksia + + + Unlock database + Avaa tietokannan lukitus + + + Unlock database to show more information + Avaa tietokannan lukitus näyttääksesi enemmän tietoja + + + Lock database + Lukitse tietokanta + + + Unlock to show + Avaa lukitus näyttääksesi + + + None + Ei mitään + + SettingsWidgetKeeShare @@ -5136,9 +6639,100 @@ Käytettävissä olevat komennot: Signer: Allekirjoittaja: + + Allow KeeShare imports + Salli KeeSharen tuonnit + + + Allow KeeShare exports + Salli KeeSharen viennit + + + Only show warnings and errors + Näytä vain varoitukset ja virheet + + + Key + Avain + + + Signer name field + Allekirjoittajan nimen kenttä + + + Generate new certificate + Luo uusi varmenne + + + Import existing certificate + Tuo olemassa oleva varmenne + + + Export own certificate + Vie oma varmenne + + + Known shares + Tunnetut jaot + + + Trust selected certificate + Luota valittuun varmenteeseen + + + Ask whether to trust the selected certificate every time + Kysy joka kerta luotetaanko valittuun varmenteeseen + + + Untrust selected certificate + Älä luota valittuun varmenteeseen + + + Remove selected certificate + Poista valittu varmenne + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Allekirjoitetun jaetun säiliön ylikirjoittaminen ei ole tuettu - vienti estettiin + + + Could not write export container (%1) + Vietyä säiliötä ei voitu kirjoittaa (%1) + + + Could not embed signature: Could not open file to write (%1) + Allekirjoitusta ei voitu sisällyttää: Tiedostoa ei voitu avata kirjoitusta varten (%1) + + + Could not embed signature: Could not write file (%1) + Allekirjoitusta ei voitu sisällyttää: Tiedostoon kirjoitus epäonnistui (%1) + + + Could not embed database: Could not open file to write (%1) + Tietokantaa ei voitu sisällyttää: Tiedostoa ei voitu avata kirjoitusta varten (%1) + + + Could not embed database: Could not write file (%1) + Tietokantaa ei voitu sisällyttää: Tiedostoon kirjoitus epäonnistui (%1) + + + Overwriting unsigned share container is not supported - export prevented + Allekirjoittamattoman jaetun säiliön ylikirjoitus ei ole tuettu - vienti estettiin + + + Could not write export container + Vietyä säiliötä ei voitu kirjoittaa + + + Unexpected export error occurred + Tapahtui odottamaton vientivirhe + + + + ShareImport Import from container without signature Tuo säiliöstä ilman allekirjoitusta @@ -5151,6 +6745,10 @@ Käytettävissä olevat komennot: Import from container with certificate Tuo säiliöstä sertifikaatin kanssa + + Do you want to trust %1 with the fingerprint of %2 from %3? + Haluatko luottaa kohteeseen %1 sormenjäljellä %2, joka on peräisin kohteesta %3? {1 ?} {2 ?} + Not this time Ei tällä kertaa @@ -5167,18 +6765,6 @@ Käytettävissä olevat komennot: Just this time Vain tämän kerran - - Import from %1 failed (%2) - Tuonti kohteesta %1 epäonnistui (%2) - - - Import from %1 successful (%2) - Tuonti kohteesta %1 onnistui (%2) - - - Imported from %1 - Tuotu kohteesta %1 - Signed share container are not supported - import prevented Allekirjoitettu jaettu säiliö ei ole tuettu - tuonti estettiin @@ -5219,25 +6805,20 @@ Käytettävissä olevat komennot: Unknown share container type Tuntematon jaetun säiliön tyyppi + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Allekirjoitetun jaetun säiliön ylikirjoittaminen ei ole tuettu - vienti estettiin + Import from %1 failed (%2) + Tuonti kohteesta %1 epäonnistui (%2) - Could not write export container (%1) - Vietyä säiliötä ei voitu kirjoittaa (%1) + Import from %1 successful (%2) + Tuonti kohteesta %1 onnistui (%2) - Overwriting unsigned share container is not supported - export prevented - Allekirjoittamattoman jaetun säiliön ylikirjoitus ei ole tuettu - vienti estettiin - - - Could not write export container - Vietyä säiliötä ei voitu kirjoittaa - - - Unexpected export error occurred - Tapahtui odottamaton vientivirhe + Imported from %1 + Tuotu kohteesta %1 Export to %1 failed (%2) @@ -5251,10 +6832,6 @@ Käytettävissä olevat komennot: Export to %1 Vie kohteeseen %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Haluatko luottaa kohteeseen %1 sormenjäljellä %2, joka on peräisin kohteesta %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Useampi lähde kohteeseen %1 tuonnissa %2 @@ -5263,22 +6840,6 @@ Käytettävissä olevat komennot: Conflicting export target path %1 in %2 Ristiriita viennin %2 kohdepolussa %1 - - Could not embed signature: Could not open file to write (%1) - Allekirjoitusta ei voitu sisällyttää: Tiedostoa ei voitu avata kirjoitusta varten (%1) - - - Could not embed signature: Could not write file (%1) - Allekirjoitusta ei voitu sisällyttää: Tiedostoon kirjoitus epäonnistui (%1) - - - Could not embed database: Could not open file to write (%1) - Tietokantaa ei voitu sisällyttää: Tiedostoa ei voitu avata kirjoitusta varten (%1) - - - Could not embed database: Could not write file (%1) - Tietokantaa ei voitu sisällyttää: Tiedostoon kirjoitus epäonnistui (%1) - TotpDialog @@ -5296,7 +6857,7 @@ Käytettävissä olevat komennot: Expires in <b>%n</b> second(s) - Umpeutuu <b>%n</b> sekunnin kuluttuaUmpeutuu <b>%n</b> sekunnin kuluttua + Vanhenee <b>%n</b> sekunnin kuluttuaVanhenee <b>%n</b> sekunnin kuluttua @@ -5325,10 +6886,6 @@ Käytettävissä olevat komennot: Setup TOTP Määritä TOTP - - Key: - Avain: - Default RFC 6238 token settings Oletusarvoiset RFC 6238:n mukaiset tunnisteasetukset @@ -5359,16 +6916,46 @@ Käytettävissä olevat komennot: Koodikoko: - 6 digits - 6 numeroa + Secret Key: + Salainen avain: - 7 digits - 7 numeroa + Secret key must be in Base32 format + Salaisen avaimen täytyy olla Base32-formaatissa - 8 digits - 8 numeroa + Secret key field + Salaisen avaimen kenttä + + + Algorithm: + Algoritmi: + + + Time step field + Ajan uusiutumisen kenttä + + + digits + numeroa + + + Invalid TOTP Secret + Virheellinen TOTP-salaisuus + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Syötit väärän salaisen avaimen. Avaimen täytyy olla Base32-formaatissa. +Esimerkiksi: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Varmista TOTP-asetusten poisto + + + Are you sure you want to delete TOTP settings for this entry? + Haluatko varmasti poistaa TOTP-asetukset tältä tietueelta? @@ -5452,6 +7039,14 @@ Käytettävissä olevat komennot: Welcome to KeePassXC %1 Tervetuloa KeePassXC:n versioon %1 + + Import from 1Password + Tuo 1Passwordista + + + Open a recent database + Avaa yksi viimeisimmistä tietokannoista + YubiKeyEditWidget @@ -5475,5 +7070,13 @@ Käytettävissä olevat komennot: No YubiKey inserted. YubiKey ei ole kiinni laittessa. + + Refresh hardware tokens + Uudista laitetunnisteet + + + Hardware key slot selection + Laiteavaimen paikan valinta + \ No newline at end of file diff --git a/share/translations/keepassx_fr.ts b/share/translations/keepassx_fr.ts index 7d6e726c8..3ebcb3eff 100644 --- a/share/translations/keepassx_fr.ts +++ b/share/translations/keepassx_fr.ts @@ -3,7 +3,7 @@ AboutDialog About KeePassXC - À propos de KeePassXC + À propos de KeePassXC About @@ -31,7 +31,7 @@ Include the following information whenever you report a bug: - Inclure les informations suivantes chaque fois que vous signalez un bogue : + Inclure les informations suivantes à chaque fois que vous signalez un bogue : Copy to clipboard @@ -39,7 +39,7 @@ Project Maintainers: - Mainteneurs du projet : + Développeurs du projet : Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. @@ -95,6 +95,14 @@ Follow style Suivre le style + + Reset Settings? + Réinitialiser les paramètres ? + + + Are you sure you want to reset all general and security settings to default? + Voulez-vous réinitialiser tous les paramètres généraux et de sécurité à leur valeur par défaut ? + ApplicationSettingsWidgetGeneral @@ -108,19 +116,7 @@ Start only a single instance of KeePassXC - Démarrer une seule instance de KeePassXC - - - Remember last databases - Se souvenir des dernières bases de données - - - Remember last key files and security dongles - Mémoriser les derniers fichiers-clés et les clés électroniques de sécurité - - - Load previous databases on startup - Charger les bases de données précédentes au démarrage + Exécuter une seule instance de KeePassXC Minimize window at application startup @@ -140,7 +136,7 @@ Automatically save after every change - Enregistrer automatiquement après chaque changement + Enregistrer automatiquement après chaque modification Automatically save on exit @@ -162,10 +158,6 @@ Use group icon on entry creation Utiliser l’icône de groupe à la création d’une entrée - - Minimize when copying to clipboard - Minimiser après avoir copié dans le presse-papiers - Hide the entry preview panel Masquer le panneau de prévisualisation de l'entrée @@ -194,10 +186,6 @@ Hide window to system tray when minimized Cacher la fenêtre dans la zone de notification une fois minimisée - - Language - Langue - Auto-Type Saisie automatique @@ -220,7 +208,7 @@ Auto-Type typing delay - Délai de remplissage de la saisie automatique + Vitesse de remplissage de la saisie automatique ms @@ -231,28 +219,109 @@ Auto-Type start delay Délai de démarrage de la saisie automatique - - Check for updates at application startup - Vérifier les mises à jour au démarrage de l'application - - - Include pre-releases when checking for updates - Inclure les versions préliminaires lors de la vérification des mises à jour - Movable toolbar - Barre d’outils mobile + Barre d’outils déplaçable - Button style - Style de bouton + Remember previously used databases + Mémoriser les bases de données précédentes utilisées + + + Load previously open databases on startup + Charger les bases de données précédemment ouvertes au démarrage + + + Remember database key files and security dongles + Mémoriser les fichiers-clé de base de données et les clés de sécurité + + + Check for updates at application startup once per week + Vérifier les mises à jour au démarrage de l'application une fois par semaine + + + Include beta releases when checking for updates + Inclure les versions bêta lors de la vérification des mises à jour. + + + Button style: + Style de bouton : + + + Language: + Langue : + + + (restart program to activate) + (relancer le programme pour activer) + + + Minimize window after unlocking database + Réduire la fenêtre après déverrouillage de la base de données + + + Minimize when opening a URL + Réduire lors de l'ouverture d'une URL + + + Hide window when copying to clipboard + Masquer la fenêtre après copie dans le presse-papiers + + + Minimize + Réduire + + + Drop to background + Mettre en arrière-plan + + + Favicon download timeout: + Temps imparti au chargement de la favicon : + + + Website icon download timeout in seconds + Temps imparti au chargement de l'icône du site Web en secondes + + + sec + Seconds + s + + + Toolbar button style + Style de bouton de barre d'outils + + + Use monospaced font for Notes + Utiliser une police non proportionnelle pour les notes + + + Language selection + Sélection de la langue + + + Reset Settings to Default + Réinitialiser les paramètres à leur valeur par défaut + + + Global auto-type shortcut + Raccourci global de la saisie automatique + + + Auto-type character typing delay milliseconds + Vitesse de remplissage de la saisie automatique en millisecondes + + + Auto-type start delay milliseconds + Délai de démarrage de la saisie automatique en millisecondes ApplicationSettingsWidgetSecurity Timeouts - Expirations + Temps impartis Clear clipboard after @@ -285,11 +354,11 @@ Forget TouchID when session is locked or lid is closed - Oublier TouchID lorsque la session est verrouillée ou le capot fermé + Oublier TouchID lorsque la session est verrouillée ou l'écran rabattu Lock databases after minimizing the window - Verrouiller les bases de données lorsque la fenêtre est minimisée + Verrouiller les bases de données lorsque la fenêtre est réduite Re-lock previously locked database after performing Auto-Type @@ -297,7 +366,7 @@ Don't require password repeat when it is visible - Ne pas demander de répéter le mot de passe lorsque celui-ci est visible + Ne pas demander de confirmer le mot de passe lorsque celui-ci est visible Don't hide passwords when editing them @@ -320,8 +389,29 @@ Confidentialité - Use DuckDuckGo as fallback for downloading website icons - Utiliser DuckDuckGo en second recours pour télécharger les icônes des sites Web + Use DuckDuckGo service to download website icons + Utiliser le service DuckDuckGo pour télécharger les icônes des sites Web + + + Clipboard clear seconds + Effacement du presse-papiers en secondes + + + Touch ID inactivity reset + Réinitialiser TouchID après inactivité + + + Database lock timeout seconds + Temps imparti au verrouillage de la base de données en secondes + + + min + Minutes + min + + + Clear search query after + Effacer la requête de recherche après @@ -340,19 +430,19 @@ The Syntax of your Auto-Type statement is incorrect! - La syntaxe de votre instruction de saisie automatique est incorrecte ! + La syntaxe de votre instruction de saisie automatique est incorrecte ! This Auto-Type command contains a very long delay. Do you really want to proceed? - Cette commande de saisie automatique contient un délai très long. Voulez-vous vraiment continuer ? + Cette commande de saisie automatique contient un délai très long. Voulez-vous vraiment continuer  ? This Auto-Type command contains very slow key presses. Do you really want to proceed? - Cette commande de saisie automatique contient des touches très lentes. Voulez-vous vraiment continuer ? + Cette commande de saisie automatique contient une séquence de touches très lentes. Voulez-vous vraiment continuer ? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? - Cette commande de saisie automatique contient des arguments répétés très souvent. Voulez-vous vraiment continuer ? + Cette commande de saisie automatique contient des arguments répétés très souvent. Voulez-vous vraiment continuer ? @@ -389,6 +479,17 @@ Séquence + + AutoTypeMatchView + + Copy &username + Copier le nom d’utilisateur + + + Copy &password + Copier le mot de &passe + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Sélectionner une entrée à saisir automatiquement : + + Search... + Recherche… + BrowserAccessControlDialog @@ -422,7 +527,15 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. %1 a demandé l’accès aux mots de passe pour les éléments suivants. -Veuillez indiquer si vous souhaitez autoriser l’accès. +Veuillez sélectionner ceux auxquels vous souhaitez autoriser l’accès. + + + Allow access + Autoriser l'accès + + + Deny access + Refuser l'accès @@ -454,11 +567,7 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi This is required for accessing your databases with KeePassXC-Browser - Ceci est requis pour accéder à vos bases de données à partir de KeePassXC-Browser - - - Enable KeepassXC browser integration - Activer l’intégration de KeePassXC aux navigateurs + Ceci est obligatoire pour accéder à vos bases de données à partir de KeePassXC-Browser General @@ -470,7 +579,7 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi &Google Chrome - Chrome de &Google + &Google Chrome &Firefox @@ -495,11 +604,11 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi Only entries with the same scheme (http://, https://, ...) are returned. - Seules les entrées répondant au même format (http://, https://, …) sont retournées. + Seules les entrées répondant au même format (http://, https://…) sont retournées. &Match URL scheme (e.g., https://...) - &Correspondre au format d’URL (p. ex. https://…) + A&dapter au format d’URL (ex. : https://…) Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -526,17 +635,13 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi Never &ask before accessing credentials Credentials mean login data requested via browser extension - Ne &jamais demander avant d’accéder aux identifiants + Ne jamais demander avant d’a&ccéder aux identifiants Never ask before &updating credentials Credentials mean login data requested via browser extension Ne jamais demander avant de &mettre à jour les identifiants - - Only the selected database has to be connected with a client. - Seule la base de données sélectionnée doit être connectée avec un client. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -560,7 +665,7 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi Support a proxy application between KeePassXC and browser extension. - Supporter une application proxy entre KeePassXC et l’extension pour navigateur web + Prend en charge une application proxy entre KeePassXC et l’extension pour navigateur web Use a &proxy application between KeePassXC and browser extension @@ -578,7 +683,7 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi Browse... Button for opening file dialog - Parcourir... + Parcourir… <b>Warning:</b> The following options can be dangerous! @@ -592,10 +697,6 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi &Tor Browser &Navigateur Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Attention</b>, l'application keepassxc-proxy n'a pas été trouvée !<br />Veuillez vérifier le répertoire d'installation de KeePassXC ou confirmez le chemin personnalisé dans les options avancées. <br />L'intégration au navigateur NE MARCHERA PAS sans l'application de serveur mandataire. <br />Chemin attendu : - Executable Files Fichiers exécutables @@ -615,18 +716,62 @@ Veuillez sélectionner la base de donnée souhaitée pour enregistrer les identi Please see special instructions for browser extension use below - Veuillez regarder les instructions spéciales pour l'extension du navigateur utilisé ci-dessous + Veuillez regarder les instructions spéciales pour l'extension pour navigateur web utilisé ci-dessous KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser est nécessaire pour que l'intégration au navigateur fonctionne. <br />Téléchargez-le pour %1 et%2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Retourne les identifiants expirés. La chaîne [expiré] est ajoutée au titre. + + + &Allow returning expired credentials. + &Autoriser l'envoi des identifiants expirés. + + + Enable browser integration + Activer l'intégration au navigateur + + + Browsers installed as snaps are currently not supported. + Les navigateurs installés par snap ne sont pas pris en charge actuellement. + + + All databases connected to the extension will return matching credentials. + Toutes les bases de données connectées à l’extension retourneront les identifiants trouvés. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Ne pas afficher la fenêtre de suggestion de migration des anciens paramètres de KeePassHTTP. + + + &Do not prompt for KeePassHTTP settings migration. + &Ne pas confirmer la migration des paramètres KeePassHTTP. + + + Custom proxy location field + Champ d'adresse de proxy personnalisé + + + Browser for custom proxy file + Sélectionner un fichier de proxy personnalisé + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Attention</b>, l'application keepassxc-proxy n'a pas été trouvée !<br />Veuillez vérifier le répertoire d'installation de KeePassXC ou validez le chemin personnalisé dans les options avancées.<br />L'intégration au navigateur NE FONCTIONNERA PAS sans l'application du proxy.<br />Chemin requis : %1 + BrowserService KeePassXC: New key association request - KeePassXC : Nouvelle demande d’association de touche + KeePassXC : nouvelle demande d’association de touche You have received an association request for the above key. @@ -636,7 +781,7 @@ give it a unique name to identify and accept it. Vous avez reçu une demande d’association pour la clé ci-dessus. Si vous voulez autoriser cette clé à accéder à votre base de données KeePassXC, -attribuez lui un nom unique pour l’identifier et acceptez la. +attribuez-lui un nom unique pour l’identifier et acceptez-la. Save and allow access @@ -644,13 +789,13 @@ attribuez lui un nom unique pour l’identifier et acceptez la. KeePassXC: Overwrite existing key? - KeePassXC : Remplacer la clé existante ? + KeePassXC : remplacer la clé existante ? A shared encryption key with the name "%1" already exists. Do you want to overwrite it? Une clé de chiffrement partagée portant le nom « %1 » existe déjà. -Voulez-vous la remplacer ? +Voulez-vous la remplacer ? KeePassXC: Update Entry @@ -658,11 +803,11 @@ Voulez-vous la remplacer ? Do you want to update the information in %1 - %2? - Voulez-vous mettre à jour les informations dans %1 - %2 ? + Voulez-vous mettre à jour l’information dans %1 - %2 ? Abort - Annuler + Abandonner Converting attributes to custom data… @@ -670,7 +815,7 @@ Voulez-vous la remplacer ? KeePassXC: Converted KeePassHTTP attributes - KeePassXC : Attributs KeePassHTTP convertis + KeePassXC : attributs KeePassHTTP convertis Successfully converted attributes from %1 entry(s). @@ -680,11 +825,11 @@ Moved %2 keys to custom data. Successfully moved %n keys to custom data. - %n clé a été déplacée avec succès vers les données personnalisées.%n clés ont été déplacées avec succès vers les données personnalisées. + Déplacement de %n clés en données personnalisées réussi.Déplacement de %n clés en données personnalisées réussi. KeePassXC: No entry with KeePassHTTP attributes found! - KeePassXC : Aucune entrée contenant des attributs KeePassHTTP trouvée ! + KeePassXC : aucune entrée contenant des attributs KeePassHTTP n'a été trouvée ! The active database does not contain an entry with KeePassHTTP attributes. @@ -692,25 +837,29 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - KeePassXC : Ancienne integration au navigateur détectée + KeePassXC : ancienne intégration au navigateur détectée KeePassXC: Create a new group - KeePassXC : Créer un nouveau groupe + KeePassXC : créer un nouveau groupe A request for creating a new group "%1" has been received. Do you want to create this group? - Une demande de création pour un nouveau groupe "%1" a été reçue. -Voulez-vous créer ce groupe ? + Une demande de création pour un nouveau groupe « %1 » a été reçue. +Voulez-vous créer ce groupe ? Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - Vos réglages pour KeePassXC-Browser doivent être intégrés dans les réglages de la base de données. Ceci est nécessaire pour maintenir vos connexions actuelles avec le navigateur ouvertes. Souhaitez-vous effectuer la migration de vos réglages maintenant ? + Vos paramètres pour KeePassXC-Browser doivent être déplacés dans ceux de la base de données. Ceci est nécessaire pour conserver l'intégration avec votre navigateur. Voulez-vous effectuer la migration de vos paramètres maintenant ? + + + Don't show this warning again + Ne plus afficher cet avertissement @@ -721,7 +870,7 @@ Would you like to migrate your existing settings now? Append ' - Clone' to title - Ajouter ' - Clone' au titre + Ajouter « - Clone » au titre Replace username and password with references @@ -770,13 +919,9 @@ Would you like to migrate your existing settings now? First record has field names Le premier enregistrement contient les noms de champs - - Number of headers line to discard - Nombre de lignes d’en-têtes à ignorer - Consider '\' an escape character - Considère '\' comme un échappement + Utiliser « \ » comme caractère d’échappement Preview @@ -812,18 +957,34 @@ Would you like to migrate your existing settings now? Error(s) detected in CSV file! - Des erreurs ont été détectées dans le fichier CSV ! + Des erreurs ont été détectées dans le fichier CSV  ! [%n more message(s) skipped] - [%n message supplémentaire ignoré][%n messages supplémentaires ignorés] + [%n autre message ignoré][%n autres messages ignorés] CSV import: writer has errors: %1 - Import CSV : scripteur a rencontré des erreurs : + Importation CSV : l'analyseur a rencontré des erreurs : %1 + + Text qualification + Délimitation du texte + + + Field separation + Séparateur de champ + + + Number of header lines to discard + Nombre de lignes d’en-tête à ignorer + + + CSV import preview + Aperçu de l'importation CSV + CsvParserModel @@ -864,17 +1025,35 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Erreur lors de la lecture de la base de données : %1 - - Could not save, database has no file name. - Impossible d'enregistrer car la base de données n'a pas de nom de fichier. - File cannot be written as it is opened in read-only mode. Le fichier ne peut pas être enregistré car il est ouvert en lecture seule. Key not transformed. This is a bug, please report it to the developers! - La clé n'a pas été transformée. Ceci est un bogue, pouvez-vous s'il vous plaît le signaler aux développeurs ? + La clé n'a pas été transformée. Ceci est un bogue, veuillez le signaler aux développeurs ! + + + %1 +Backup database located at %2 + %1 +Copie de sécurité de la base de données située sur %2 + + + Could not save, database does not point to a valid file. + Impossible d'enregistrer car la base de données ne pointe pas vers un fichier valide. + + + Could not save, database file is read-only. + Impossible d'enregistrer car la base de données pointe vers un fichier en lecture-seule. + + + Database file has unmerged changes. + Le fichier de la base de données contient des modifications non fusionnées. + + + Recycle Bin + Corbeille @@ -886,46 +1065,30 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Saisir la clé maîtresse - Key File: Fichier-clé : - - Password: - Mot de passe : - - - Browse - Parcourir - Refresh Actualiser - - Challenge Response: - Question-réponse : - Legacy key file format - Format de fichier-clé hérité + Ancien format de fichier-clé You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - Vous utilisez un format de fichier-clé hérité qui pourrait ne plus être pris en charge à l’avenir. + Vous utilisez un ancien format de fichier-clé qui pourrait ne plus être pris en charge à l’avenir. Veuillez envisager de générer un nouveau fichier-clé. Don't show this warning again - Ne plus afficher cette avertissement + Ne plus afficher cet avertissement All files @@ -933,27 +1096,107 @@ Veuillez envisager de générer un nouveau fichier-clé. Key files - Fichiers-clés + Fichiers-clé Select key file Sélectionner un fichier-clé - TouchID for quick unlock - TouchID pour déverrouiller rapidement + Failed to open key file: %1 + Impossible d'ouvrir de fichier-clé : %1 - Unable to open the database: -%1 - Impossible d'ouvrir la base de données : -%1 + Select slot... + Sélectionner l'emplacement... - Can't open key file: -%1 - Impossible d’ouvrir le fichier-clé : -%1 + Unlock KeePassXC Database + Déverrouiller la base de données KeePassXC + + + Enter Password: + Saisir un mot de passe : + + + Password field + Champ de mot de passe + + + Toggle password visibility + Basculer l'affichage du mot de passe + + + Enter Additional Credentials: + Saisir d'autres identifiants : + + + Key file selection + Sélection du fichier-clé + + + Hardware key slot selection + Sélection de l'emplacement de la clé matérielle + + + Browse for key file + Rechercher un fichier-clé + + + Browse... + Parcourir… + + + Refresh hardware tokens + Actualiser les marqueurs matérielles + + + Hardware Key: + Clés matérielles : + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Vous pouvez utiliser une clé de sécurité matérielle comme <strong>YubiKey</strong> ou <strong>OnlyKey</strong> avec des emplacements pour HMAC-SHA1.</p> + <p>Cliquez pour plus d'information...</p> + + + Hardware key help + Aide sur les clés matérielles + + + TouchID for Quick Unlock + TouchID pour déverrouillage rapide + + + Clear + Effacer + + + Clear Key File + Effacer le fichier-clé + + + Select file... + Sélectionner un fichier... + + + Unlock failed and no password given + Échec du déverrouillage et aucun mot de passe introduit + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Le déverrouillage de la base de données a échoué et vous n'avez pas saisi de mot de passe. +Voulez-vous essayer sans mot de passe ? + +Afin d'éviter cette erreur, vous devez réinitialiser votre mot de passe dans les « Paramètres de base de données / Sécurité ». + + + Retry with empty password + Essayer à nouveau sans mot de passe @@ -979,7 +1222,7 @@ Veuillez envisager de générer un nouveau fichier-clé. Master Key - Clé maîtresse + Clé maître Encryption Settings @@ -1018,7 +1261,7 @@ Veuillez envisager de générer un nouveau fichier-clé. Delete the selected key? - Supprimer la clé sélectionnée ? + Supprimer la clé sélectionnée ? Do you really want to delete the selected key? @@ -1045,12 +1288,12 @@ Cela peut empêcher la connexion avec l'extension de navigateur. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - Voulez-vous vraiment désactiver tous les navigateurs ? + Voulez-vous vraiment déconnecter tous les navigateurs ? Cela peut empêcher la connexion avec l'extension de navigateur. KeePassXC: No keys found - KeePassXC : Aucune clé n’a été trouvée + KeePassXC : aucune clé n’a été trouvée No shared encryption keys found in KeePassXC settings. @@ -1058,11 +1301,11 @@ Cela peut empêcher la connexion avec l'extension de navigateur. KeePassXC: Removed keys from database - KeePassXC : Les clés ont été supprimées de la base de données + KeePassXC : les clés ont été supprimées de la base de données Successfully removed %n encryption key(s) from KeePassXC settings. - %n clé de chiffrement a été retirée avec succès des paramètres de KeePassXC.%n clés de chiffrement ont été retirées avec succès des paramètres de KeePassXC. + %n clé de cryptage a bien été supprimée des paramètres de KeePassXC.%n clés de cryptage ont bien été supprimées des paramètres de KeePassXC. Forget all site-specific settings on entries @@ -1071,27 +1314,27 @@ Cela peut empêcher la connexion avec l'extension de navigateur. Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - Êtes-vous sûr de vouloir effacer les préférences de site pour toutes les entrées ? Les permissions d'accès aux entrées seront révoquées. + Êtes-vous sûr de vouloir effacer les préférences de site pour toutes les entrées ? Les permissions d'accès aux entrées seront révoquées. Removing stored permissions… - Retrait des autorisations enregistrées… + Suppression des autorisations enregistrées… Abort - Annuler + Abandonner KeePassXC: Removed permissions - KeePassXC : Les autorisations ont été retirées + KeePassXC : les autorisations ont été supprimées Successfully removed permissions from %n entry(s). - Les autorisations de %n entrée a été retirée avec succès.Les autorisations de %n entrées ont été retirées avec succès. + %n permission a bien été supprimée.%n permissions ont bien été supprimées. KeePassXC: No entry with permissions found! - KeePassXC : Aucune entrée avec autorisation n’a été trouvée ! + KeePassXC : aucune entrée avec autorisation n’a été trouvée ! The active database does not contain an entry with permissions. @@ -1104,9 +1347,17 @@ Permissions to access entries will be revoked. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - Voulez-vous convertir toutes les anciennes données d'intégration au navigateur en version plus récente ? + Voulez-vous convertir toutes les anciennes données d'intégration au navigateur en version plus récente ? Ceci est nécessaire pour assurer la compatibilité de l'extension. + + Stored browser keys + Clés de navigateurs stockées + + + Remove selected key + Supprimer la clé sélectionnée + DatabaseSettingsWidgetEncryption @@ -1132,7 +1383,7 @@ Ceci est nécessaire pour assurer la compatibilité de l'extension. Benchmark 1-second delay - Benchmark avec 1 seconde de délai + Mesurer pour un délai d’une seconde Memory Usage: @@ -1190,7 +1441,7 @@ Ceci est nécessaire pour assurer la compatibilité de l'extension. Number of rounds too high Key transformation rounds - Nombre de tours trop élevé + Nombre de cycles trop élevé You are using a very high number of key transform rounds with Argon2. @@ -1198,7 +1449,7 @@ Ceci est nécessaire pour assurer la compatibilité de l'extension. Vous utilisez un très grand nombre de cycles de transformation de clé avec Argon2. -Si vous conservez ce nombre, votre base de données pourrait prendre des heures voire des jours (ou plus) pour s’ouvrir ! +Si vous conservez ce nombre, votre base de données pourrait prendre des heures, voire des jours (ou plus) pour s’ouvrir ! Understood, keep number @@ -1211,7 +1462,7 @@ Si vous conservez ce nombre, votre base de données pourrait prendre des heures Number of rounds too low Key transformation rounds - Nombre de tours trop faible + Nombre de cycles trop faible You are using a very low number of key transform rounds with AES-KDF. @@ -1219,7 +1470,7 @@ Si vous conservez ce nombre, votre base de données pourrait prendre des heures If you keep this number, your database may be too easy to crack! Vous utilisez un très petit nombre de cycles de transformation de clé avec AES-KDF. -Si vous conservez ce nombre, votre base de données pourrait être craquées trop facilement ! +Si vous conservez ce nombre, votre base de données pourrait être piratée trop facilement ! KDF unchanged @@ -1227,17 +1478,17 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro Failed to transform key with new KDF parameters; KDF unchanged. - Échec de la transformation de la clé avec les nouveaux paramètres KDF ; KDF inchangé. + Échec de la transformation de la clé avec les nouveaux paramètres KDF ; KDF inchangé. MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + MiOMiO thread(s) Threads for parallel execution (KDF settings) - fils d'exécutionfils d'exécution + processusprocessus %1 ms @@ -1249,6 +1500,57 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro seconds %1 s%1 s + + Change existing decryption time + Modifier le temps de déchiffrement existant + + + Decryption time in seconds + Temps de déchiffrement en secondes + + + Database format + Format de la base de données + + + Encryption algorithm + Algorithme de chiffrement + + + Key derivation function + Fonction de dérivation de clé + + + Transform rounds + Cycles de transformation + + + Memory usage + Utilisation de la mémoire + + + Parallelism + Parallélisme + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Entrées visibles + + + Don't e&xpose this database + Ne pas rendre &visible cette base de données. + + + Expose entries &under this group: + Rendre visible les entrées so&us ce groupe : + + + Enable fd.o Secret Service to access these settings. + Activez fd.o Secret Service pour accéder à ces paramètres. + DatabaseSettingsWidgetGeneral @@ -1282,7 +1584,7 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro MiB - MiB + MiO Use recycle bin @@ -1296,6 +1598,40 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro Enable &compression (recommended) Activer la &compression (recommandé) + + Database name field + Champ du nom de la base de données + + + Database description field + Champ de la description de la base de données + + + Default username field + Champ du nom d'utilisateur par défaut + + + Maximum number of history items per entry + Nombre maximal d'éléments d'historique par entrée + + + Maximum size of history per entry + Taille maximale d'historique par entrée + + + Delete Recycle Bin + Supprimer la corbeille + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Voulez-vous supprimer la corbeille actuelle et tout son contenu ? +Cette action est irréversible. + + + (old) + (ancien) + DatabaseSettingsWidgetKeeShare @@ -1341,7 +1677,7 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro You must add at least one encryption key to secure your database! - Vous devez ajouter au moins une clé de chiffrement pour protéger votre base de données ! + Vous devez ajouter au moins une clé de chiffrement pour protéger votre base de données ! No password set @@ -1351,9 +1687,9 @@ Si vous conservez ce nombre, votre base de données pourrait être craquées tro WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - ATTENTION ! Vous n'avez pas défini de mot de passe. L'utilisation d'une base de données sans mot de passe est fortement découragée. + ATTENTION ! Vous n'avez pas défini de mot de passe. L'utilisation d'une base de données sans mot de passe est fortement déconseillée. -Êtes-vous sûr de vouloir continuer sans mot de passe ? +Êtes-vous sûr de vouloir continuer sans mot de passe ? Unknown error @@ -1361,7 +1697,11 @@ Are you sure you want to continue without a password? Failed to change master key - Impossible de modifier la clé maîtresse + Impossible de modifier la clé maître + + + Continue without password + Continuer sans mot de passe @@ -1374,6 +1714,129 @@ Are you sure you want to continue without a password? Description: Description : + + Database name field + Champ du nom de la base de données + + + Database description field + Champ de la description de la base de données + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statistiques + + + Hover over lines with error icons for further information. + Survolez les lignes affichant une icône d'erreur pour plus d'informations. + + + Name + Nom + + + Value + Valeur + + + Database name + Nom de la base de données + + + Description + Description + + + Location + Emplacement + + + Last saved + Dernière sauvegarde + + + Unsaved changes + Modifications non enregistrées + + + yes + Oui + + + no + Non + + + The database was modified, but the changes have not yet been saved to disk. + La base de données a été modifiée mais les modifications ne sont pas encore été sauvegardées sur le disque. + + + Number of groups + Nombre de groupes + + + Number of entries + Nombre d'entrées + + + Number of expired entries + Nombre d'entrées expirées + + + The database contains entries that have expired. + La base de données contient des données expirées + + + Unique passwords + Mots de passes uniques + + + Non-unique passwords + Mots de passe non-uniques + + + More than 10% of passwords are reused. Use unique passwords when possible. + Plus de 10 % des mots de passe sont réutilisés. Lorsque cela est possible, utilisez des mots de passe uniques. + + + Maximum password reuse + Nombre maximal de réutilisation de mot de passe + + + Some passwords are used more than three times. Use unique passwords when possible. + Certains mots de passe sont réutilisés plus de trois fois. Lorsque cela est possible, utilisez des mots de passe uniques. + + + Number of short passwords + Nombre de mots de passe courts + + + Recommended minimum password length is at least 8 characters. + La longueur minimale recommandée pour un mot de passe est au moins 8 caractères. + + + Number of weak passwords + Nombre de mots de passe faibles + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Il est recommandé d'utiliser des mots de passe longs et aléatoires ayant une qualité de « bonne » à « excellente ». + + + Average password length + Longueur moyenne des mots de passe + + + %1 characters + %1 caractères + + + Average password length is less than ten characters. Longer passwords provide more security. + La longueur moyenne des mots de passe est de moins de 10 caractères. Des mots de passe plus longs offrent une meilleure sécurité. + DatabaseTabWidget @@ -1420,12 +1883,8 @@ Are you sure you want to continue without a password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - La base de données créée n'a ni clé, ni KDF, elle ne peut pas être enregistrée. -Ceci est certainement un bogue, merci de le rapporter aux développeurs. - - - The database file does not exist or is not accessible. - Le fichier de base de données n'existe pas ou n'est pas accessible. + La base de données créée n'a ni clé, ni KDF et ne peut pas être enregistrée. +Il s'agit d'un certainement d'un bogue, veuillez le signaler aux développeurs. Select CSV file @@ -1450,16 +1909,40 @@ Ceci est certainement un bogue, merci de le rapporter aux développeurs.Database tab name modifier %1 [Lecture seule] + + Failed to open %1. It either does not exist or is not accessible. + Impossible d'ouvrir %1. Soit le fichier n'existe pas, soit il n'est pas accessible. + + + Export database to HTML file + Exporter la base de données au format HTML + + + HTML file + Fichier HTML + + + Writing the HTML file failed. + Échec de l’écriture du fichier HTML. + + + Export Confirmation + Confirmation d'export + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Vous allez exporter votre base de données vers un fichier non chiffré. Cela laisse vos mots de passe et vos informations privées vulnérables ! Êtes-vous sûr de vouloir continuer ? + DatabaseWidget Searching... - Recherche... + Recherche… Do you really want to delete the entry "%1" for good? - Voulez-vous vraiment supprimer définitivement l’entrée « %1 » ? + Voulez-vous vraiment supprimer définitivement l’entrée « %1 » ? Do you really want to move entry "%1" to the recycle bin? @@ -1467,15 +1950,15 @@ Ceci est certainement un bogue, merci de le rapporter aux développeurs. Do you really want to move %n entry(s) to the recycle bin? - Voulez-vous vraiment déplacer %n entrée vers la corbeille ?Voulez-vous vraiment déplacer %n entrées vers la corbeille ? + Voulez-vous vraiment déplacer une entrée dans la corbeille ?Voulez-vous vraiment déplacer %n entrées dans la corbeille ? Execute command? - Exécuter la commande ? + Exécuter la commande ? Do you really want to execute the following command?<br><br>%1<br> - Voulez-vous vraiment exécuter la commande suivante ?<br><br>%1<br> + Voulez-vous vraiment exécuter la commande suivante ?<br><br>%1<br> Remember my choice @@ -1483,11 +1966,11 @@ Ceci est certainement un bogue, merci de le rapporter aux développeurs. Do you really want to delete the group "%1" for good? - Voulez-vous vraiment supprimer définitivement le groupe « %1 » ? + Voulez-vous vraiment supprimer définitivement le groupe « %1 » ? No current database. - Pas de base de données. + Aucune base de données. No source database, nothing to do. @@ -1499,15 +1982,15 @@ Ceci est certainement un bogue, merci de le rapporter aux développeurs. No Results - Pas de résultats + Aucun résultat File has changed - Le fichier a changé + Le fichier a été modifié The database file has changed. Do you want to load the changes? - Le fichier de la base de données a été modifiée. Voulez-vous charger les changements ? + Le fichier de la base de données a été modifié. Voulez-vous le recharger ? Merge Request @@ -1516,32 +1999,28 @@ Ceci est certainement un bogue, merci de le rapporter aux développeurs. The database file has changed and you have unsaved changes. Do you want to merge your changes? - Le fichier de la base de données a été modifiée et vos changements ne sont pas enregistrés. -Voulez-vous fusionner vos changements ? + Le fichier de la base de données a été modifié et vos changements ne sont pas enregistrés. +Voulez-vous fusionner vos changements ? Empty recycle bin? - Vider la corbeille ? + Vider la corbeille ? Are you sure you want to permanently delete everything from your recycle bin? - Êtes-vous certain de vouloir vider définitivement la corbeille ? + Êtes-vous certain de vouloir vider définitivement la corbeille ? Do you really want to delete %n entry(s) for good? - Voulez-vous vraiment supprimer définitivement %n entrée ?Voulez-vous vraiment supprimer définitivement %n entrées ? + Voulez-vous supprimer définitivement %n entrée ?Voulez-vous supprimer définitivement %n entrées ? Delete entry(s)? - Supprimer l'entrée ?Supprimer les entrées ? + Supprimer l'entrée ?Supprimer les entrées ? Move entry(s) to recycle bin? - Déplacer l’entrée vers la corbeille ?Déplacer les entrées vers la corbeille ? - - - File opened in read only mode. - Fichier ouvert en lecture seule. + Déplacer l'entrée vers la corbeille ?Déplacer les entrées vers la corbeille ? Lock Database? @@ -1549,23 +2028,23 @@ Voulez-vous fusionner vos changements ? You are editing an entry. Discard changes and lock anyway? - Une entrée est en mode édition. Ignorer les changements et verrouiller quand même ? + Une entrée est cours d'édition. Ignorer les changements et verrouiller quand même ? "%1" was modified. Save changes? « %1 » a été modifié. -Enregistrer les changements ? +Enregistrer les changements ? Database was modified. Save changes? La base de données a été modifiée. -Enregistrer les changements ? +Enregistrer les changements ? Save changes? - Enregistrer les changements ? + Enregistrer les changements ? Could not open the new database file while attempting to autoreload. @@ -1575,19 +2054,13 @@ Erreur : %1 Disable safe saves? - Désactiver les enregistrements sécurisées ? + Désactiver les enregistrements sécurisés ? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - KeePassXC n’a pas réussi, à plusieurs reprises, à enregistrer la base de données. Cela est probablement causé par le maintien d’un verrou sur le fichier enregistré par les services de synchronisation de fichiers. -Désactiver les enregistrements sécurisés et ressayer ? - - - Writing the database failed. -%1 - Une erreur s’est produite lors de l’écriture de la base de données. -%1 + KeePassXC n’a pas réussi à plusieurs reprises à enregistrer la base de données. Ceci est probablement dû au verrouillage du fichier enregistré par les services de synchronisation de fichiers. +Désactiver les enregistrements sécurisés et ressayer ? Passwords @@ -1603,11 +2076,11 @@ Désactiver les enregistrements sécurisés et ressayer ? Replace references to entry? - Remplacer les références vers l'entrée ? + Remplacer les références vers l'entrée ? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - L'entrée "%1" possède %2 référence. Voulez-vous écraser les références par les valeurs, ignorer cette entrée ou supprimer tout de même ?L'entrée « %1 » possède %2 références. Voulez-vous écraser les références par les valeurs, ignorer cette entrée ou supprimer tout de même ? + L'entrée « %1 » possède %2 référence. Voulez-vous remplacer la référence par les valeurs, ignorer cette entrée ou la supprimer quand même ?L'entrée « %1 » possède %2 références. Voulez-vous remplacer les références par les valeurs, ignorer cette entrée ou la supprimer quand même ? Delete group @@ -1615,23 +2088,31 @@ Désactiver les enregistrements sécurisés et ressayer ? Move group to recycle bin? - Déplacer le groupe vers la corbeille ? + Déplacer le groupe vers la corbeille ? Do you really want to move the group "%1" to the recycle bin? - Voulez-vous vraiment déplacer le groupe « %1 » vers la corbeille ? + Voulez-vous vraiment déplacer le groupe « %1 » vers la corbeille ? Successfully merged the database files. - Fusionné avec succès les fichiers de base de données. + Les fichiers de base de données ont bien été fusionnés. Database was not modified by merge operation. - La base de données n'a pas été modifiée par l'opération de fusion. + La base de données n'a pas été modifiée lors de l'opération de fusion. Shared group... - Groupe partagé ... + Groupe partagé... + + + Writing the database failed: %1 + Échec lors de l'écriture de la base de données : %1. + + + This database is opened in read-only mode. Autosave is disabled. + Cette base de données est ouverte en lecture-seule. La sauvegarde automatique est désactivée. @@ -1674,15 +2155,15 @@ Désactiver les enregistrements sécurisés et ressayer ? Select private key - Choisir un fichier-clé + Sélectionner un fichier-clé File too large to be a private key - Le fichier est trop gros pour être un fichier-clé + Le fichier est trop important pour être un fichier-clé Failed to open private key - Échec d’ouverture de la clé privée + Échec lors de l’ouverture de la clé privée Entry history @@ -1698,7 +2179,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Different passwords supplied. - Les mots de passe insérés sont différents. + Les mots de passe saisis sont différents. New attribute @@ -1706,7 +2187,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Are you sure you want to remove this attribute? - Êtes-vous certain de vouloir supprimer cet attribut ? + Êtes-vous certain de vouloir supprimer cet attribut ? Tomorrow @@ -1722,19 +2203,19 @@ Désactiver les enregistrements sécurisés et ressayer ? Apply generated password? - Appliquer le mot de passe généré ? + Appliquer le mot de passe généré ? Do you want to apply the generated password to this entry? - Voulez-vous appliquer le mot de passe généré à cette entrée ? + Voulez-vous appliquer le mot de passe généré à cette entrée ? Entry updated successfully. - Entrée mise à jour avec succès. + L'entrée a bien été mise à jour. Entry has unsaved changes - L'entrée contient des modifications non-enregistrées + L'entrée contient des modifications non enregistrées New attribute %1 @@ -1742,22 +2223,34 @@ Désactiver les enregistrements sécurisés et ressayer ? [PROTECTED] Press reveal to view or edit - [PROTÉGÉ] Appuyez pour révéler ou éditer + [PROTÉGÉ] Appuyez pour voir ou modifier %n year(s) - %n année%n années + %n an%n ans Confirm Removal Confirmer la suppression + + Browser Integration + Intégration aux navigateurs + + + <empty URL> + <URL vide> + + + Are you sure you want to remove this URL? + Êtes-vous sûr de vouloir supprimer cette URL ? + EditEntryWidgetAdvanced Additional attributes - Attributs supplémentaires + Autres attributs Add @@ -1769,7 +2262,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Edit Name - Éditer le nom + Modifier le nom Protect @@ -1777,7 +2270,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Reveal - Révéler + Voir Attachments @@ -1791,6 +2284,42 @@ Désactiver les enregistrements sécurisés et ressayer ? Background Color: Couleur de l’arrière-plan : + + Attribute selection + Sélection d'attribut + + + Attribute value + Valeur d'attribut + + + Add a new attribute + Ajouter un nouvel attribut + + + Remove selected attribute + Supprimer l'attribut sélectionné + + + Edit attribute name + Modifier le nom de l'attribut + + + Toggle attribute protection + Basculer l'affichage de la protection de l'attribut + + + Show a protected attribute + Afficher un attribut protégé + + + Foreground color selection + Sélection de la couleur d'avant-plan + + + Background color selection + Sélection de la couleur d'arrière-plan + EditEntryWidgetAutoType @@ -1800,7 +2329,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Inherit default Auto-Type sequence from the &group - Utiliser la séquence par défaut de saisie automatique du &groupe + Utiliser la séquence de saisie automatique par défaut du groupe &Use custom Auto-Type sequence: @@ -1824,7 +2353,78 @@ Désactiver les enregistrements sécurisés et ressayer ? Use a specific sequence for this association: - Utilisez une séquence précise pour cette association : + Utiliser une séquence spécifique pour cette association : + + + Custom Auto-Type sequence + Séquence de saisie automatique personnalisée + + + Open Auto-Type help webpage + Ouvrir la page Web d'aide sur la saisie automatique + + + Existing window associations + Associations de fenêtre existantes + + + Add new window association + Ajouter une nouvelle association de fenêtre + + + Remove selected window association + Supprimer l'association de fenêtre sélectionnée + + + You can use an asterisk (*) to match everything + Vous pouvez utiliser un astérisque (*) pour tout inclure + + + Set the window association title + Définir le titre de l'association de fenêtre + + + You can use an asterisk to match everything + Vous pouvez utiliser un astérisque pour tout inclure + + + Custom Auto-Type sequence for this window + Séquence de saisie automatique personnalisée pour cette fenêtre + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Ces paramètres modifieront le fonctionnement de l'entrée avec l'extension du navigateur. + + + General + Général + + + Skip Auto-Submit for this entry + Ignorer la validation automatique pour cette entrée + + + Hide this entry from the browser extension + Masquer cette entrée dans l'extension du navigateur + + + Additional URL's + Autres URL + + + Add + Ajouter + + + Remove + Supprimer + + + Edit + Modifier @@ -1845,6 +2445,26 @@ Désactiver les enregistrements sécurisés et ressayer ? Delete all Supprimer tout + + Entry history selection + Sélection de l'historique de l'entrée + + + Show entry at selected history state + Afficher l'entrée pour l'état d'historique sélectionné + + + Restore entry to selected history state + Restaurer l'entrée pour l'état de l'historique sélectionné + + + Delete selected history state + Supprimer l'état de l'historique sélectionné + + + Delete all history + Supprimer tout l'historique + EditEntryWidgetMain @@ -1870,11 +2490,11 @@ Désactiver les enregistrements sécurisés et ressayer ? Presets - Valeurs par défaut + Présélections Toggle the checkbox to reveal the notes section. - Cochez la case pour afficher la section des notes. + Cochez la case pour basculer l'affichage de la partie réservée aux notes. Username: @@ -1884,6 +2504,62 @@ Désactiver les enregistrements sécurisés et ressayer ? Expires Expiration + + Url field + Champ de l'URL + + + Download favicon for URL + Télécharger la favicon pour l'URL + + + Repeat password field + Champ de confirmation du mot de passe + + + Toggle password generator + Basculer l'affichage du générateur de mots de passe + + + Password field + Champ de mot de passe + + + Toggle password visibility + Basculer l'affichage du mot de passe + + + Toggle notes visible + Basculer l'affichage des notes + + + Expiration field + Champ d'expiration + + + Expiration Presets + Présélections d'expiration + + + Expiration presets + Présélections d'expiration + + + Notes field + Champs des notes + + + Title field + Champ du titre + + + Username field + Champ du nom d'utilisateur + + + Toggle expiration + Basculer l'affichage de l'expiration + EditEntryWidgetSSHAgent @@ -1897,7 +2573,7 @@ Désactiver les enregistrements sécurisés et ressayer ? seconds - secondes + secondes Fingerprint @@ -1913,7 +2589,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Add key to agent when database is opened/unlocked - Ajoutez la clé à l’agent lorsque la base de données est ouverte/déverrouillée + Ajouter la clé à l’agent lorsque la base de données est ouverte/déverrouillée Comment @@ -1942,7 +2618,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Browse... Button for opening file dialog - Parcourir... + Parcourir… Attachment @@ -1960,6 +2636,22 @@ Désactiver les enregistrements sécurisés et ressayer ? Require user confirmation when this key is used Requiert une confirmation de l’utilisateur quand cette clé est utilisée + + Remove key from agent after specified seconds + Retrait de la clé de l’agent après un nombre de secondes spécifié + + + Browser for key file + Rechercher un fichier-clé + + + External key file + Fichier-clé externe + + + Select attachment file + Sélectionner une pièce jointe + EditGroupWidget @@ -1995,6 +2687,10 @@ Désactiver les enregistrements sécurisés et ressayer ? Inherit from parent group (%1) Hériter du groupe parent (%1) + + Entry has unsaved changes + L'entrée contient des modifications non enregistrées + EditGroupWidgetKeeShare @@ -2022,49 +2718,21 @@ Désactiver les enregistrements sécurisés et ressayer ? Inactive Inactif - - Import from path - Importer depuis le chemin - - - Export to path - Exporter vers le chemin - - - Synchronize with path - Synchroniser avec le chemin - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Votre version de KeePassXC ne supporte pas le partage de ce type de conteneur. Veuillez utiliser %1. - - - Database sharing is disabled - Le partage de base de données est désactivé - - - Database export is disabled - L'export de base de données est désactivé - - - Database import is disabled - L'import de base de données est désactivé - KeeShare unsigned container - KeeShare conteneur non signé + Conteneur KeeShare non signé KeeShare signed container - KeeShare conteneur signé + Conteneur KeeShare signé Select import source - Sélectionner la source pour l'import + Sélectionner la source à importer Select export target - Sélectionner la cible pour l'export + Sélectionner la cible à exporter Select import/export file @@ -2075,16 +2743,74 @@ Désactiver les enregistrements sécurisés et ressayer ? Effacer - The export container %1 is already referenced. - Le conteneur d'export %1 est déjà référencé. + Import + Importer - The import container %1 is already imported. - Le conteneur d'import %1 est déjà importé. + Export + Exporter - The container %1 imported and export by different groups. - Le conteneur %1 est importé et exporté par des groupes différents. + Synchronize + Synchroniser + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Votre version de KeePassXC ne prend pas en charge le partage de ce type de conteneur. Les extensions supportées sont : %1. + + + %1 is already being exported by this database. + %1 est déjà exporté par cette base de données. + + + %1 is already being imported by this database. + %1 est déjà importé par cette base de données. + + + %1 is being imported and exported by different groups in this database. + %1 est exporté et importé par des groupes différents dans cette base de données. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare est actuellement désactivé. Vous pouvez activer l'import/export dans les paramètres de l'application. + + + Database export is currently disabled by application settings. + L'export de la base de données est désactivé dans les paramètres de l'application. + + + Database import is currently disabled by application settings. + L'import de la base de données et actuellement désactivé dans les paramètres de l'application. + + + Sharing mode field + Champ du mode de partage + + + Path to share file field + Champ du chemin de fichier partagé + + + Browser for share file + Rechercher un fichier partagé + + + Password field + Champ de mot de passe + + + Toggle password visibility + Basculer l'affichage du mot de passe + + + Toggle password generator + Basculer l'affichage du générateur de mot de passe + + + Clear fields + Effacer les champs @@ -2111,12 +2837,40 @@ Désactiver les enregistrements sécurisés et ressayer ? &Use default Auto-Type sequence of parent group - &Utiliser la séquence par défaut de saisie automatique du groupe parent + &Utiliser la séquence de saisie automatique du groupe parent Set default Auto-Type se&quence Définir la sé&quence par défaut de la saisie automatique + + Name field + Champ du nom + + + Notes field + Champs des notes + + + Toggle expiration + Basculer l'affichage de l'expiration + + + Auto-Type toggle for this and sub groups + Basculer la saisie automatique pour ceci et les sous-groupes + + + Expiration field + Champ d'expiration + + + Search toggle for this and sub groups + Basculer la recherche pour ceci et les sous-groupes + + + Default auto-type sequence field + Champ de séquence de saisie automatique + EditWidgetIcons @@ -2138,11 +2892,11 @@ Désactiver les enregistrements sécurisés et ressayer ? Download favicon - Télécharger la favicône + Télécharger la favicon Unable to fetch favicon. - Impossible de récupérer la favicône + Impossible de récupérer la favicon. Images @@ -2152,29 +2906,17 @@ Désactiver les enregistrements sécurisés et ressayer ? All files Tous les fichiers - - Custom icon already exists - L’icône personnalisée existe déjà - Confirm Delete Confirmer la suppression - - Custom icon successfully downloaded - Icône personnalisée téléchargée avec succès - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Astuce : Vous pouvez activer DuckDuckGo comme second recours sous Outils > Paramètres > Sécurité - Select Image(s) Sélectionner des images Successfully loaded %1 of %n icon(s) - %1 icône sur %n chargée avec succès%1 icônes sur %n chargées avec succès + Chargement de %1 sur %n icône réussi.Chargement de %1 sur %n icônes réussi No icons were loaded @@ -2186,11 +2928,47 @@ Désactiver les enregistrements sécurisés et ressayer ? The following icon(s) failed: - L'icône suivante a rencontré des erreurs :Les icônes suivantes ont rencontré des erreurs : + L'icône suivante est défectueuse :Les icônes suivantes sont défectueuses : This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Cette icône est utilisée par %1 entrée et sera remplacée par l’icône par défaut. Êtes-vous certain de vouloir l’effacer ?Cette icône est utilisée par %1 entrées et sera remplacée par l’icône par défaut. Êtes-vous certain de vouloir l’effacer ? + Cette icône est utilisée par %1 entrée et sera remplacée par l’icône par défaut. Êtes-vous sûr de vouloir la supprimer ?Cette icône est utilisée par %1 entrées et sera remplacée par l’icône par défaut. Êtes-vous sûr de vouloir la supprimer ? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Vous pouvez activer le service d'icônes de sites Web DuckDuckGo dans Outils > Paramètres > Sécurité + + + Download favicon for URL + Télécharger la favicon pour l'URL + + + Apply selected icon to subgroups and entries + Appliquer l'icône sélectionnée aux sous-groupes et entrées + + + Apply icon &to ... + Appliquer l'icône à ... + + + Apply to this only + Appliquer à ceci uniquement + + + Also apply to child groups + Appliquer également aux groupes enfants + + + Also apply to child entries + Appliquer également aux entrées enfants + + + Also apply to all children + Appliquer également à tous les enfants + + + Existing icon selected. + Icône existante sélectionnée. @@ -2205,7 +2983,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Accessed: - Consulté : + Dernier accès : Uuid: @@ -2213,7 +2991,7 @@ Désactiver les enregistrements sécurisés et ressayer ? Plugin Data - Données d’extension + Données de l’extension Remove @@ -2221,12 +2999,12 @@ Désactiver les enregistrements sécurisés et ressayer ? Delete plugin data? - Supprimer les données d’extension ? + Supprimer les données de l’extension ? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - Voulez-vous vraiment supprimer les données d’extension sélectionnées ? Cela peut entraîner un dysfonctionnement des extensions touchées. + Voulez-vous vraiment supprimer les données de l’extension sélectionnée ? Cela peut entraîner un dysfonctionnement des extensions. Key @@ -2236,6 +3014,30 @@ This may cause the affected plugins to malfunction. Value Valeur + + Datetime created + Date et heure de création + + + Datetime modified + Date et heure de modification + + + Datetime accessed + Date et heure d'accès + + + Unique ID + Identifiant unique + + + Plugin data + Données de l'extension + + + Remove selected plugin data + Supprimer les données de l'extension sélectionnée + Entry @@ -2283,7 +3085,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Êtes-vous certain de vouloir supprimer %n pièce jointe ?Êtes-vous certain de vouloir supprimer %n pièces jointes ? + Êtes-vous sûr de vouloir supprimer %n pièce jointe ?Êtes-vous sûr de vouloir supprimer %n pièces jointes ? Save attachments @@ -2292,12 +3094,12 @@ This may cause the affected plugins to malfunction. Unable to create directory: %1 - Impossible de créer le répertoire : + Impossible de créer le répertoire : %1 Are you sure you want to overwrite the existing file "%1" with the attachment? - Êtes-vous certain de vouloir remplacer le fichier existant « %1 » par la pièce jointe ? + Êtes-vous certain de vouloir remplacer le fichier existant « %1 » par la pièce jointe ? Confirm overwrite @@ -2329,9 +3131,29 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 Impossible d’ouvrir le fichier : -%1Impossible d’ouvrir les fichiers : +%1Impossible d’ouvrir les fichiers : %1 + + Attachments + Pièces jointes + + + Add new attachment + Ajouter une nouvelle pièce jointe + + + Remove selected attachment + Supprimer la pièce jointe sélectionnée + + + Open selected attachment + Ouvrir la pièce jointe sélectionnée + + + Save selected attachment to disk + Enregistrer la pièce jointe sélectionnée sur le disque + EntryAttributesModel @@ -2425,10 +3247,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Générer un code TOTP - Close Fermer @@ -2500,7 +3318,7 @@ This may cause the affected plugins to malfunction. <b>%1</b>: %2 attributes line - <b>%1</b>: %2 + <b>%1</b> : %2 Enabled @@ -2514,32 +3332,40 @@ This may cause the affected plugins to malfunction. Share Partager + + Display current TOTP value + Afficher la valeur TOTP actuelle + + + Advanced + Avancé + EntryView Customize View - Personnaliser l’affichage + Personnaliser la vue Hide Usernames - Masquer les noms d’utilisateur + Cacher les noms d’utilisateurs Hide Passwords - Masquer les mots de passe + Cacher les mots de passe Fit to window - Ajuster à la fenêtre + Adapter à la fenêtre Fit to contents - Ajuster au contenu + Adapter au contenu Reset to defaults - Réinitialiser aux valeurs par défaut + Remettre les paramètres par défaut Attachments (icon) @@ -2547,11 +3373,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Corbeille + Entry "%1" from database "%2" was used by %3 + L'entrée « %1 » de la base de données « %2 » a été utilisée par %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Impossible d'enregistrer le service DBus sur %1 : un autre service de secrets est en cours d'exécution. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n entrée utilisée par %1%n entrées utilisées par %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo Secret Service : %1 + + + + Group [empty] group has no children @@ -2562,11 +3410,64 @@ This may cause the affected plugins to malfunction. HostInstaller KeePassXC: Cannot save file! - KeePassXC : Impossible d’enregistrer le fichier ! + KeePassXC : impossible d’enregistrer le fichier ! Cannot save the native messaging script file. - Impossible d’enregistrer le fichier de script de la messagerie native + Impossible d’enregistrer le fichier script de la messagerie native + + + + IconDownloaderDialog + + Download Favicons + Télécharger les favicons + + + Cancel + Annuler + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Des problèmes pour télécharger les icônes ? +Vous pouvez activer le service d'icônes de sites Web de DuckDuckGo dans la section sécurité des paramètres de l'application. + + + Close + Fermer + + + URL + URL + + + Status + État + + + Please wait, processing entry list... + Veuillez patienter durant le traitement de la liste des entrées ... + + + Downloading... + Téléchargement... + + + Ok + Ok + + + Already Exists + Déjà existant + + + Download Failed + Échec du téléchargement + + + Downloading favicons (%1/%2)... + Téléchargement des favicons (%1/%2) ... @@ -2584,19 +3485,15 @@ This may cause the affected plugins to malfunction. Kdbx3Reader Unable to calculate master key - Impossible de calculer la clé maîtresse + Impossible de calculer la clé maître Unable to issue challenge-response. Impossible de lancer une question-réponse. - - Wrong key or database file is corrupt. - La clé n’est pas la bonne ou le fichier de base de données est corrompu. - missing database headers - les en-têtes de la base de données manquent + en-têtes de la base de données manquantes Header doesn't match hash @@ -2604,15 +3501,21 @@ This may cause the affected plugins to malfunction. Invalid header id size - Taille de l’id de l’en-tête non valide + Taille de l’identifiant d’en-tête invalide Invalid header field length - Longueur du champ de l’en-tête invalide + Longueur de champ d’en-tête invalide Invalid header data length - Longueur des données de l’en-tête non valide + Longueur des données d’en-tête invalide + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Identifiants invalides, veuillez réessayer. +Si le problème persiste, le fichier de la base de données peut être corrompu. @@ -2623,30 +3526,26 @@ This may cause the affected plugins to malfunction. Unable to calculate master key - Impossible de calculer la clé maîtresse + Impossible de calculer la clé maître Kdbx4Reader missing database headers - les en-têtes de la base de données manquent + en-têtes de la base de données manquantes Unable to calculate master key - Impossible de calculer la clé maîtresse + Impossible de calculer la clé maître Invalid header checksum size - Taille de la somme de contrôle de l’en-tête non valide + Taille de la somme de contrôle de d’en-tête invalide Header SHA256 mismatch - SHA256 de l’en-tête ne correspond pas - - - Wrong key or database file is corrupt. (HMAC mismatch) - La clé n’est pas la bonne ou le fichier de base de données est corrompu (non-correspondance HMAC). + En-tête SHA256 incohérent Unknown cipher @@ -2654,106 +3553,116 @@ This may cause the affected plugins to malfunction. Invalid header id size - Taille de l’id de l’en-tête non valide + Taille de l’identifiant d’en-tête invalide Invalid header field length - Longueur du champ de l’en-tête non valide + Longueur du champ d’en-tête invalide Invalid header data length - Longueur des données de l’en-tête non valide + Longueur des données d’en-tête invalide Failed to open buffer for KDF parameters in header - Échec d’ouverture d’une mémoire tampon pour les paramètres KDF dans l’en-tête + Échec lors de l’ouverture d’une mémoire tampon pour les paramètres KDF dans l’en-tête Unsupported key derivation function (KDF) or invalid parameters - Fonction de dérivation de clé (KDF) non supporté ou paramètres non valides + Fonction de dérivation de clé (KDF) non prise en charge ou paramètres invalides Legacy header fields found in KDBX4 file. - Champs d’en-tête hérités du fichier KDBX4. + Anciens champs d’en-tête trouvés dans le fichier KDBX4. Invalid inner header id size - Taille de l’id de l’en-tête interne non valide + Taille de identifiant d’en-tête interne invalide Invalid inner header field length - Longueur du champ de l’en-tête interne non valide + Longueur du champ d’en-tête interne invalide Invalid inner header binary size - Taille binaire de l’en-tête interne non valide + Taille binaire d’en-tête interne invalide Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - Version de table des variantes non supportée. + Version de table des variantes non prise en charge. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - Longueur du nom de la table des variantes non valide. + Longueur du nom de table des variantes invalide Invalid variant map entry name data Translation: variant map = data structure for storing meta data - Contenu du nom de la table des variantes non valide. + Données du nom d'entrée de table des variantes invalide Invalid variant map entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée dans la table des variantes non valide. + Longueur de la valeur d’entrée de table des variantes invalide Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - Contenu de l’entrée dans la table des variantes non valide. + Données de la valeur d’entrée de table des variantes invalide Invalid variant map Bool entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée de type Booléen dans la table des variantes non valide. + Longueur de valeur booléenne d'entrée de table des variantes invalide Invalid variant map Int32 entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée de type Int32 dans la table des variantes non valide. + Longueur de la valeur entière 32 bits d'entrée de table des variantes invalide Invalid variant map UInt32 entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée de type UInt32 dans la table des variantes non valide. + Longueur de la valeur entière non signée 32 bits d'entrée de table des variantes invalide Invalid variant map Int64 entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée de type Int64 dans la table des variantes non valide. + Longueur de la valeur entière 64 bits d'entrée de table des variantes invalide Invalid variant map UInt64 entry value length Translation: variant map = data structure for storing meta data - Longueur de l’entrée de type UInt64 dans la table des variantes non valide. + Longueur de la valeur entière non signée 64 bits d'entrée de table des variantes invalide Invalid variant map entry type Translation: variant map = data structure for storing meta data - Longueur de l’entrée dans la table des variantes non valide. + Type d’entrée de table des variantes invalide Invalid variant map field type size Translation: variant map = data structure for storing meta data - Longueur du type de champ dans la table des variantes non valide. + Taille du type de champ de table des variantes invalide + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Identifiants invalides, veuillez réessayer. +Si le problème persiste, le fichier de la base de données peut être corrompu. + + + (HMAC mismatch) + (HMAC incohérent) Kdbx4Writer Invalid symmetric cipher algorithm. - Algorithme de chiffrement symétrique non valide. + Algorithme de chiffrement symétrique invalide. Invalid symmetric cipher IV size. @@ -2762,23 +3671,23 @@ This may cause the affected plugins to malfunction. Unable to calculate master key - Impossible de calculer la clé maîtresse + Impossible de calculer la clé maître Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - Échec de sérialisation des paramètres KDF de la table de variantes. + Échec de sérialisation des paramètres KDF de table des variantes KdbxReader Unsupported cipher - Chiffrement non supporté + Chiffrement non pris en charge Invalid compression flags length - Longueur des paramètres de compression non valides. + Longueur des indicateurs de compression invalide Unsupported compression algorithm @@ -2786,31 +3695,31 @@ This may cause the affected plugins to malfunction. Invalid master seed size - Taille de semence primaire non valide. + Taille du salage initial invalide Invalid transform seed size - Taille de la semence germée non valide. + Taille du salage transformé invalide Invalid transform rounds size - La taille de cycles de transformation est invalide + Taille des cycles de transformation invalide Invalid start bytes size - Taille des octets de début non valide + Taille des octets de début invalide Invalid random stream id size - Taille de l’identifiant du flux aléatoire non valide. + Taille de l’identifiant de flux aléatoire invalide Invalid inner random stream cipher - Taille du chiffrement du flux intérieur aléatoire non valide. + Taille du chiffrement de flux aléatoire intérieur invalide Not a KeePass database. - Ce n’est pas une base de données KeePass. + N’est pas une base de données KeePass. The selected file is an old KeePass 1 database (.kdb). @@ -2819,12 +3728,12 @@ You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. Le fichier sélectionné est une ancienne base de données KeePass 1 (.kdb). -Vous pouvez l’importer en cliquant sur Base de données>'Importer une base de données KeePass 1...' +Vous pouvez l’importer en cliquant sur Base de données > « Importer une base de données KeePass 1... » Il s’agit d’une migration à sens unique. Vous ne pourrez pas ouvrir la base de données importée avec l’ancienne version de KeePassX 0.4. Unsupported KeePass 2 database version. - Version de la base de données KeePass 2 non pris en charge. + Version de la base de données KeePass 2 non prise en charge. Invalid cipher uuid length: %1 (length=%2) @@ -2851,51 +3760,51 @@ Il s’agit d’une migration à sens unique. Vous ne pourrez pas ouvrir la base Missing icon uuid or data - Données ou uuid de l’icône manquant + Données ou UUID de l’icône manquant Missing custom data key or value - Valeur ou clé de donnée personnalisée manquante + Valeur ou clé de données personnalisée manquante Multiple group elements - Éléments du groupe multiples + Éléments de groupe multiples Null group uuid - Uuid du groupe sans valeur + UUID du groupe nul Invalid group icon number - Numéro de l’icône du groupe non valide + Numéro de l’icône du groupe invalide Invalid EnableAutoType value - Valeur EnableAutoType non valide + Valeur EnableAutoType invalide Invalid EnableSearching value - Valeur de EnableSearching non valide + Valeur EnableSearching invalide No group uuid found - Aucun uuid de groupe trouvé + Aucun UUID de groupe trouvé Null DeleteObject uuid - Uuid de DeleteObject sans valeur + UUID de DeleteObject nul Missing DeletedObject uuid or time - Temps ou uuid de DeletedObject manquant + Temps ou UUID de DeletedObject manquant Null entry uuid - Uuid de l’entrée sans valeur + UUID de l’entrée nul Invalid entry icon number - Numéro de l’icône de l’entrée non valide + Numéro de l’icône de l’entrée invalide History element in history entry @@ -2903,11 +3812,11 @@ Il s’agit d’une migration à sens unique. Vous ne pourrez pas ouvrir la base No entry uuid found - Aucun uuid d’entrée trouvé + Aucun UUID d’entrée trouvé History element with different uuid - Élément de l’historique avec un uuid différent + Élément de l’historique avec un UUID différent Duplicate custom attribute found @@ -2919,7 +3828,7 @@ Il s’agit d’une migration à sens unique. Vous ne pourrez pas ouvrir la base Duplicate attachment found - Une pièce a été trouvée en double + Un doublon de pièce jointe a été trouvé Entry binary key or value missing @@ -2927,31 +3836,31 @@ Il s’agit d’une migration à sens unique. Vous ne pourrez pas ouvrir la base Auto-type association window or sequence missing - Fenêtre ou séquence d’association de saisie automatique manquante + Association de fenêtre ou séquence de saisie automatique manquante Invalid bool value - Valeur bool non valide + Valeur booléenne invalide Invalid date time value - Valeur date time non valide + Valeur d’horodatage invalide Invalid color value - Valeur de couleur non valide + Valeur de couleur invalide Invalid color rgb part - Partie de couleur RVB non valide + Plage de couleur RVB invalide Invalid number value - Valeur de nombre non valide + Valeur de nombre invalide Invalid uuid value - Valeur uuid non valide + Valeur d'UUID invalide Unable to decompress binary @@ -2969,14 +3878,14 @@ Ligne %2, colonne %3 KeePass1OpenWidget - - Import KeePass1 database - Importer une base de données au format KeePass 1 - Unable to open the database. Impossible d’ouvrir la base de données. + + Import KeePass1 Database + Importer une base de données au format KeePass 1 + KeePass1Reader @@ -2986,15 +3895,15 @@ Ligne %2, colonne %3 Not a KeePass database. - Ce n’est pas une base de données KeePass. + N’est pas une base de données KeePass. Unsupported encryption algorithm. - Algorithme de chiffrement non supporté. + Algorithme de chiffrement non pris en charge. Unsupported KeePass database version. - Version de base de données KeePass non supportée. + Version de base de données KeePass non prise en charge. Unable to read encryption IV @@ -3003,27 +3912,27 @@ Ligne %2, colonne %3 Invalid number of groups - Nombre de groupes non valide + Nombre de groupes invalide Invalid number of entries - Nombre d’entrées non valide + Nombre d’entrées invalide Invalid content hash size - La taille de l’empreinte numérique du contenu est invalide + Taille de l’empreinte numérique du contenu invalide Invalid transform seed size - Taille de la semence germée non valide. + Taille du salage transformé invalide Invalid number of transform rounds - Le nombre de cycles de transformation est invalide + Nombre de cycles de transformation invalide Unable to construct group tree - Impossible de construire l’arborescence du groupe + Impossible de créer l’arborescence du groupe Root @@ -3031,11 +3940,7 @@ Ligne %2, colonne %3 Unable to calculate master key - Impossible de calculer la clé maîtresse - - - Wrong key or database file is corrupt. - La clé n’est pas la bonne ou le fichier de base de données est corrompu. + Impossible de calculer la clé maître Key transformation failed @@ -3043,11 +3948,11 @@ Ligne %2, colonne %3 Invalid group field type number - Numéro du type de champ groupe non valide. + Numéro du type de champ groupe invalide Invalid group field size - Taille du champ groupe non valide + Taille du champ groupe invalide Read group field data doesn't match size @@ -3055,129 +3960,147 @@ Ligne %2, colonne %3 Incorrect group id field size - Taille du champ "identifiant du groupe" incorrect + Taille du champ d'identifiant de groupe incorrect Incorrect group creation time field size - Taille du champ "date du la création du groupe" incorrect. + Taille du champ de date de création du groupe incorrect Incorrect group modification time field size - Taille du champ heure de modification du groupe non correct + Taille du champ d'heure de modification du groupe incorrect Incorrect group access time field size - Taille du champ "date d’accès au groupe" incorrect. + Taille du champ de dernier accès au groupe incorrect Incorrect group expiry time field size - Taille du champ "date d’expiration du groupe" incorrect. + Taille du champ de date d’expiration du groupe incorrect Incorrect group icon field size - Taille du champ "icône du groupe" incorrect. + Taille du champ d'icône du groupe incorrect Incorrect group level field size - Taille du champ du niveau du groupe incorrecte + Taille du champ de niveau du groupe incorrecte Invalid group field type - Type du champ groupe incorrect. + Type du champ groupe incorrect Missing group id or level - Niveau ou id du groupe manquant + Niveau ou identifiant du groupe manquant Missing entry field type number - Type du numéro du champ d’entrée manquante + Type de nombre du champ d’entrée manquant Invalid entry field size - Taille du champ de l’entrée non valide + Taille du champ d’entrée invalide Read entry field data doesn't match size - Les données d’entrée lues ne correspondent pas à la taille. + Les données d’entrée lues ne correspondent pas à la taille Invalid entry uuid field size - Taille du champ uuid de l’entrée non valide + Taille du champ UUID de l’entrée invalide Invalid entry group id field size - Taille du champ id du groupe de l’entrée non valide + Taille du champ identifiant de groupe de l’entrée invalide Invalid entry icon field size - Taille du champ icône de l’entrée non valide + Taille du champ d'icône de l’entrée invalide Invalid entry creation time field size - Taille du champ date de création de l’entrée non valide + Taille du champ de date de création d’entrée invalide Invalid entry modification time field size - Taille du champ date de modification de l’entrée non valide + Taille du champ de date de modification d’entrée invalide Invalid entry expiry time field size - Taille invalide du champ d’entrée heure d’expiration + Taille du champ de date d'expiration d’entrée invalide Invalid entry field type - Champ d’entrée type est invalide + Type de champ d'entrée invalide unable to seek to content position - incapable de se déplacer à la position du contenu + impossible de se déplacer à la position du contenu + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Identifiants invalides, veuillez réessayer. +Si le problème persiste, le fichier de la base de données peut être corrompu. KeeShare - Disabled share - Partage désactivé + Invalid sharing reference + Référence de partage invalide - Import from - Importer de + Inactive share %1 + Partage %1 inactif - Export to - Exporter vers + Imported from %1 + Importé depuis %1 - Synchronize with - Synchroniser avec + Exported to %1 + Exporté vers %1 - Disabled share %1 - Partage %1 désactivé + Synchronized with %1 + Synchronisé avec %1 - Import from share %1 - Importer du partage %1 + Import is disabled in settings + L'importation est désactivée dans les paramètres - Export to share %1 - Exporter vers le partage %1 + Export is disabled in settings + L'exportation est désactivée dans les paramètres - Synchronize with share %1 - Synchroniser avec le partage %1 + Inactive share + Partage inactif + + + Imported from + Importé de + + + Exported to + Exporté vers + + + Synchronized with + Synchronisé avec KeyComponentWidget Key Component - Élément clé + Composant clé Key Component Description - Description de l’élément clé + Description du composant clé Cancel @@ -3205,15 +4128,11 @@ Ligne %2, colonne %3 %1 set, click to change or remove Change or remove a key component - %1 configuré, cliquer pour modifier ou supprimer + %1 défini, cliquer pour modifier ou supprimer KeyFileEditWidget - - Browse - Parcourir - Generate Générer @@ -3224,30 +4143,30 @@ Ligne %2, colonne %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - <p>Vous pouvez ajouter un fichier-clé contenant des bits aléatoires pour une sécurité accrue.</p><p>Vous devez le garder secret et ne jamais le perdre ou vous ne pourrez plus vous connecter !</p> + <p>Vous pouvez ajouter un fichier-clé contenant des données aléatoires pour une sécurité accrue.</p><p>Vous devez le conserver secrètement et ne jamais le perdre ou vous ne pourrez plus vous connecter !</p> Legacy key file format - Format de fichier-clé hérité + Ancien format de fichier-clé You are using a legacy key file format which may become unsupported in the future. Please go to the master key settings and generate a new key file. - Vous utilisez un format de fichier-clé hérité qui pourrait ne plus être pris en charge à l’avenir. + Vous utilisez un ancien format de fichier-clé qui pourrait ne plus être pris en charge à l’avenir. -Veuillez ouvrir les paramètres de clé maîtresse et générer un nouveau fichier-clé. +Veuillez ouvrir les paramètres de clé maître et générer un nouveau fichier-clé. Error loading the key file '%1' Message: %2 - Erreur durant le chargement du fichier-clé '%1' + Erreur durant le chargement du fichier-clé « %1 » Message : %2 Key files - Fichiers-clés + Fichiers-clé All files @@ -3269,6 +4188,44 @@ Message : %2 Select a key file Sélectionner un fichier-clé + + Key file selection + Sélection du fichier-clé + + + Browse for key file + Rechercher un fichier-clé + + + Browse... + Parcourir… + + + Generate a new key file + Générer un nouveau fichier-clé + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Note : n'utilisez pas un fichier qui pourrait être modifié au risque de ne pas pouvoir déverrouiller votre base de données ! + + + Invalid Key File + Fichier-clé invalide + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Vous ne pouvez pas utiliser la base de données actuelle comme son propre fichier-clé. Veuillez choisir un autre fichier ou générer un nouveau fichier-clé. + + + Suspicious Key File + Fichier-clé douteux + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Le fichier-clé sélectionné semble être une base de données de mots de passe. Un fichier-clé est un fichier statique qui ne doit jamais être modifié au risque de perdre tout accès à votre base de données. +Êtes-vous sûr de vouloir continuer avec ce fichier ? + MainWindow @@ -3306,7 +4263,7 @@ Message : %2 &Open database... - &Ouvrir la base de données… + &Ouvrir une base de données… &Save database @@ -3330,7 +4287,7 @@ Message : %2 Sa&ve database as... - En&registrer la base de données sous... + Enre&gistrer la base de données sous… Database settings @@ -3356,10 +4313,6 @@ Message : %2 &Settings &Paramètres - - Password Generator - Générateur de mots de passe - &Lock databases &Verrouiller les bases de données @@ -3390,15 +4343,15 @@ Message : %2 &Export to CSV file... - &Exporter dans un fichier CSV... + &Exporter dans un fichier CSV… Set up TOTP... - Configurer TOTP... + Configurer TOTP… Copy &TOTP - Copie &TOTP + Copier le &TOTP E&mpty recycle bin @@ -3426,29 +4379,29 @@ Message : %2 Please touch the button on your YubiKey! - Veuillez appuyez sur le bouton de votre YubiKey ! + Veuillez appuyer sur le bouton de votre YubiKey  ! WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - AVERTISSEMENT : Vous utilisez une version instable du KeePassXC ! + AVERTISSEMENT : vous utilisez une version instable de KeePassXC  ! Le risque de corruption est élevé, conservez une sauvegarde de vos bases de données. -Cette version n’est pas destinée à la production. +Cette version n’est pas destinée à un usage régulier. &Donate - &Donner + Faire un &don Report a &bug - Signaler un &bug + Signaler un &bogue WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - ATTENTION : Votre version de Qt pourrait causer un crash de KeePassXC avec un clavier virtuel ! -Nous recommandons l'utilisation de l'AppImage disponible sur notre page de téléchargements. + ATTENTION : votre version de Qt pourrait provoquer un crash de KeePassXC avec un clavier virtuel ! +Nous recommandons l'utilisation de l'AppImage, disponible sur notre page de téléchargements. &Import @@ -3472,7 +4425,7 @@ Nous recommandons l'utilisation de l'AppImage disponible sur notre pag &Merge from database... - &Fusionner depuis la base de données... + &Fusionner depuis une base de données... Merge from another KDBX database @@ -3504,11 +4457,11 @@ Nous recommandons l'utilisation de l'AppImage disponible sur notre pag Change master &key... - Changer la clé &maîtresse… + Changer la clé &maître… &Database settings... - Paramètres de la base de &données ... + Paramètres de la base de &données... Copy &password @@ -3516,15 +4469,15 @@ Nous recommandons l'utilisation de l'AppImage disponible sur notre pag Perform &Auto-Type - Effectuer un remplissage &automatique + Effectuer une saisie &automatique Open &URL - Ouvrir l'&URL + Ouvrir une &URL KeePass 1 database... - Base de données KeePass 1 ... + Base de données KeePass 1... Import a KeePass 1 database @@ -3532,7 +4485,7 @@ Nous recommandons l'utilisation de l'AppImage disponible sur notre pag CSV file... - Fichier CSV ... + Fichier CSV... Import a CSV file @@ -3540,38 +4493,98 @@ Nous recommandons l'utilisation de l'AppImage disponible sur notre pag Show TOTP... - Afficher TOTP ... + Afficher le TOTP... Show TOTP QR Code... - Afficher le QR Code TOTP ... - - - Check for Updates... - Vérifier les mises à jour... - - - Share entry - Partager l'entrée + Afficher le QR Code du TOTP... NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - AVERTISSEMENT : Vous utilisez une version préliminaire de KeePassXC  ! -Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas destinée à la production. + AVERTISSEMENT : vous utilisez une pré-version de KeePassXC  ! +Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas destinée à un usage régulier. Check for updates on startup? - Vérifier les mises à jour au démarrage ? + Vérifier les mises à jour au démarrage ? Would you like KeePassXC to check for updates on startup? - Voulez-vous que KeePassXC vérifie les mises à jour au démarrage ? + Voulez-vous que KeePassXC vérifie les mises à jour au démarrage ? You can always check for updates manually from the application menu. Vous pouvez en tout temps vérifier les mises à jour manuellement depuis le menu de l'application. + + &Export + &Exporter + + + &Check for Updates... + &Vérifier les mises à jour... + + + Downlo&ad all favicons + Téléch&arger toutes les favicons + + + Sort &A-Z + Tri &A-Z + + + Sort &Z-A + Tri &Z-A + + + &Password Generator + Générateur de mot de &passe + + + Download favicon + Télécharger la favicon + + + &Export to HTML file... + &Exporter vers un fichier HTML... + + + 1Password Vault... + Gestionnaire 1Password... + + + Import a 1Password Vault + Importer une base de données 1Password + + + &Getting Started + &Guide de démarrage + + + Open Getting Started Guide PDF + Ouvrir le guide de démarrage au format PDF + + + &Online Help... + Aide en &ligne... + + + Go to online documentation (opens browser) + Consulter la documentation en ligne (ouvre le navigateur internet) + + + &User Guide + Guide &utilisateur + + + Open User Guide PDF + Ouvrir le guide utilisateur au format PDF + + + &Keyboard Shortcuts + &Raccourcis clavier + Merger @@ -3585,11 +4598,11 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Overwriting %1 [%2] - Écrasement de %1 [%2] + Remplacement de %1 [%2] older entry merged from database "%1" - ancienne entrée fusionnée de la base de données "%1" + ancienne entrée fusionnée de la base de données « %1 » Adding backup for older target %1 [%2] @@ -3631,12 +4644,20 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Adding missing icon %1 Ajout de l'icône manquante %1 + + Removed custom data %1 [%2] + Données personnalisées %1 [%2] supprimées + + + Adding custom data %1 [%2] + Données personnalisées %1 [%2] ajoutées + NewDatabaseWizard Create a new KeePassXC database... - Créer une nouvelle base de données KeePassXC + Créer une nouvelle base de données KeePassXC... Root @@ -3648,7 +4669,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas NewDatabaseWizardPage WizardPage - Page d'aide + Page d'assistant de nouvelle base En&cryption Settings @@ -3656,7 +4677,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Vous pouvez ajuster ici les paramètres de chiffrement de la base de données. Vous pourrez sans problèmes les changer plus tard dans les paramètres de la base de données. + Vous pouvez ajuster ici les paramètres de chiffrement de la base de données. Vous pourrez sans problème les modifier plus tard dans les paramètres de la base de données. Advanced Settings @@ -3675,18 +4696,18 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Vous pouvez ajuster ici les paramètres de chiffrement de la base de données. Vous pourrez sans problèmes les changer plus tard dans les paramètres de la base de données. + Vous pouvez ajuster ici les paramètres de chiffrement de la base de données. Vous pourrez sans problème les modifier plus tard dans les paramètres de la base de données. NewDatabaseWizardPageMasterKey Database Master Key - Clé maîtresse de la base de données + Clé maître de la base de données A master key known only to you protects your database. - Une clé maîtresse connue de vous uniquement qui protège votre base de données. + Une clé maître connue de vous seul qui protège votre base de données. @@ -3697,18 +4718,85 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Please fill in the display name and an optional description for your new database: - Veuillez renseigner le nom et optionnellement une description pour votre nouvelle base de données : + Veuillez indiquer le nom et éventuellement une description pour votre nouvelle base de données : + + + + OpData01 + + Invalid OpData01, does not contain header + OpData01 invalide, ne contient pas d'en-tête + + + Unable to read all IV bytes, wanted 16 but got %1 + Impossible de lire les octets du vecteur d'initialisation, 16 nécessaires, %1 lus + + + Unable to init cipher for opdata01: %1 + Impossible d'initialiser le chiffrage pour opdata01 : %1 + + + Unable to read all HMAC signature bytes + Impossible de lire tous les octets de la signature HMAC + + + Malformed OpData01 due to a failed HMAC + OpData01 incorrect dû à un échec HMAC + + + Unable to process clearText in place + Impossible d'activer le traitement de ClearText + + + Expected %1 bytes of clear-text, found %2 + %2 octets de clearText ont été trouvés sur les %1 requis + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + La base de données lue n'a généré aucune instance +%1 + + + + OpVaultReader + + Directory .opvault must exist + Le répertoire .opvault doit exister + + + Directory .opvault must be readable + Le répertoire .opvault doit être accessible en lecture + + + Directory .opvault/default must exist + Le répertoire .opvault/default doit exister + + + Directory .opvault/default must be readable + Le répertoire .opvault/default doit être accessible en lecture + + + Unable to decode masterKey: %1 + Impossible de décoder la clé maître : %1 + + + Unable to derive master key: %1 + Impossible de calculer la clé maître : %1 OpenSSHKey Invalid key file, expecting an OpenSSH key - Le fichier-clé est invalide, une clé OpenSSH est attendue + Une clé OpenSSH est requise, mais le fichier-clé est invalide PEM boundary mismatch - Décalage de la limite PEM + Plage PEM incohérente Base64 decoding failed @@ -3720,11 +4808,11 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Key file magic header id invalid - L’identifiant de l’en-tête magique du fichier-clé est invalide + Identifiant d’en-tête magique du fichier-clé invalide Found zero keys - Zéro clés trouvées + Acune clé n’a été trouvée Failed to read public key. @@ -3732,11 +4820,11 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Corrupted key file, reading private key failed - Le fichier-clé est corrompu, échec de lecture de la clé privée + Le fichier-clé est corrompu. Échec de lecture de la clé privée. No private key payload to decrypt - Aucune clé privée à décrypter + Aucune donnée utile de clé privée à décrypter Trying to run KDF without cipher @@ -3744,23 +4832,23 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Passphrase is required to decrypt this key - Une phrase de passe est exigée pour déchiffrer cette clé + Une phrase secrète est exigée pour déchiffrer cette clé Key derivation failed, key file corrupted? - Échec de dérivation de clé. Le fichier-clé est-il corrompu ? + Échec de calcul de la clé. Fichier-clé corrompu ? Decryption failed, wrong passphrase? - Échec de déchiffrement. La phrase de passe serait-elle erronée ? + Échec de déchiffrement. Phrase secrète erronée ? Unexpected EOF while reading public key - End-of-file inattendu lors de la lecture de la clé publique + Fin de fichier inattendue lors de la lecture de la clé publique Unexpected EOF while reading private key - End-of-file inattendu lors de la lecture de la clé privée + Fin de fichier inattendue lors de la lecture de la clé privée Can't write public key as it is empty @@ -3768,7 +4856,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Unexpected EOF when writing public key - End-of-file inattendu lors de l’écriture de la clé publique + Fin de fichier inattendue lors de l’écriture de la clé publique Can't write private key as it is empty @@ -3776,11 +4864,11 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Unexpected EOF when writing private key - End-of-file inattendu lors de l’écriture de la clé privée + Fin de fichier inattendue lors de l’écriture de la clé privée Unsupported key type: %1 - Type de clé non géré : %1 + Type de clé non pris en charge : %1 Unknown cipher: %1 @@ -3799,6 +4887,17 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Type de clé inconnu : %1 + + PasswordEdit + + Passwords do not match + Les mots de passe ne correspondent pas + + + Passwords match so far + Les mots de passe correspondent jusqu'à présent + + PasswordEditWidget @@ -3807,7 +4906,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Confirm password: - Confirmation du mot de passe : + Confirmer le mot de passe : Password @@ -3825,6 +4924,22 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Generate master password Générer un mot de passe maître + + Password field + Champ de mot de passe + + + Toggle password visibility + Basculer l'affichage du mot de passe + + + Repeat password field + Champ de confirmation du mot de passe + + + Toggle password generator + Basculer l'affichage du générateur de mot de passe + PasswordGeneratorWidget @@ -3851,31 +4966,19 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Character Types - Types de caractères: - - - Upper Case Letters - Lettres majuscules - - - Lower Case Letters - Lettres minuscules + Types de caractères : Numbers Chiffres - - Special Characters - Caractères spéciaux - Extended ASCII ASCII étendu Exclude look-alike characters - Exclure les caractères qui se ressemblent + Exclure les caractères semblables Pick characters from every group @@ -3887,7 +4990,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Passphrase - Phrase de passe + Phrase secrète Wordlist: @@ -3899,7 +5002,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Copy - Copie + Copier Accept @@ -3915,12 +5018,12 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Password Quality: %1 - Qualité du mot de passe : %1 + Qualité du mot de passe : %1 Poor Password quality - Pauvre + Mauvais Weak @@ -3949,18 +5052,10 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Advanced Avancé - - Upper Case Letters A to F - Lettres majuscules de A à F - A-Z A-Z - - Lower Case Letters A to F - Lettres minuscules de A à F - a-z a-z @@ -3993,25 +5088,17 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas " ' " ' - - Math - Math - <*+!?= <*+!?= - - Dashes - Tirets - \_|-/ \_|-/ Logograms - Logogramme + Logogrammes #$%&&@^`~ @@ -4027,7 +5114,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Character set to exclude from generated password - Ensemble de caractères à exclure du mot de passe généré + Jeu de caractères à exclure du mot de passe généré Do not include: @@ -4035,7 +5122,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Add non-hex letters to "do not include" list - Ajouter les lettres non-hexadécimales à la liste "Ne pas inclure" + Ajouter les lettres non-hexadécimales à la liste « Ne pas inclure » Hex @@ -4043,16 +5130,84 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - Caractères exclus : "0", "1", "l", "I", "O", "|", "﹒" + Caractères exclus : « 0 », « 1 », « l », « I », « O », « | », « . » Word Co&unt: - No&mbre de mot : + No&mbre de mots : Regenerate Régénérer + + Generated password + Mot de passe généré + + + Upper-case letters + Lettres majuscules + + + Lower-case letters + Lettres minuscules + + + Special characters + Caractères spéciaux + + + Math Symbols + Symboles mathématiques + + + Dashes and Slashes + Tirets et barres obliques + + + Excluded characters + Caractères exclus + + + Hex Passwords + Mots de passe hexadécimaux + + + Password length + Longueur du mot de passe + + + Word Case: + Casse du mot : + + + Regenerate password + Régénérer le mot de passe + + + Copy password + Copier le mot de passe + + + Accept password + Accepter le mot de passe + + + lower case + minuscules + + + UPPER CASE + MAJUSCULES + + + Title Case + Noms Propres + + + Toggle password visibility + Basculer l'affichage du mot de passe + QApplication @@ -4060,19 +5215,16 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas KeeShare KeeShare - - - QFileDialog - Select - Sélectionner + Statistics + Statistiques QMessageBox Overwrite - Écraser + Remplacer Delete @@ -4102,6 +5254,10 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Merge Fusionner + + Continue + Continuer + QObject @@ -4147,7 +5303,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas No logins found - Aucuns identifiants trouvés + Aucun identifiant trouvé Unknown error @@ -4159,7 +5315,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Path of the database. - Chemin d’accès de la base de données. + Chemin de la base de données. Key file of the database. @@ -4193,10 +5349,6 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Generate a password for the entry. Générer un mot de passe pour l’entrée. - - Length for the generated password. - Longueur du mot de passe généré. - length longueur @@ -4216,7 +5368,7 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Timeout in seconds before clearing the clipboard. - Délai en secondes avant effacement du presse-papiers. + Temps imparti en secondes avant effacement du presse-papiers. Edit an entry. @@ -4246,24 +5398,12 @@ Attendez-vous à des bogues et des problèmes mineurs. Cette version n’est pas Perform advanced analysis on the password. Effectuer une analyse approfondie du mot de passe. - - Extract and print the content of a database. - Extraire et imprimer le contenu d’une base de données. - - - Path of the database to extract. - Chemin de la base de données à extraire. - - - Insert password to unlock %1: - Insérer le mot de passe pour déverrouiller %1 : - WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - AVERTISSEMENT : Vous utilisez un format de fichier-clé hérité qui pourrait ne plus être pris en charge à l’avenir. + AVERTISSEMENT : vous utilisez un ancien format de fichier-clé qui pourrait ne plus être pris en charge à l’avenir. Veuillez envisager de générer un nouveau fichier-clé. @@ -4283,11 +5423,11 @@ Commandes disponibles : List database entries. - Lister les entrées de la base. + Lister les entrées de la base de données. Path of the group to list. Default is / - Chemin du groupe à lister. Par défaut : / + Chemin du groupe à lister. Par défaut : / Find entries quickly. @@ -4295,16 +5435,12 @@ Commandes disponibles : Search term. - Terme de recherche. + Critère de recherche. Merge two databases. Fusionner deux bases de données. - - Path of the database to merge into. - Chemin de la base de données cible. - Path of the database to merge from. Chemin de la base de données source. @@ -4335,19 +5471,19 @@ Commandes disponibles : NULL device - Périphérique NULL + Périphérique NUL error reading from device - Erreur de lecture sur le périphérique + erreur de lecture sur le périphérique malformed string - chaîne de caractères malformée + chaîne incorrecte missing closing quote - fermeture de citation manquante + guillemet fermant manquant Group @@ -4381,10 +5517,6 @@ Commandes disponibles : Browser Integration Intégration aux navigateurs - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] question-réponse - Fente %2 - %3 - Press Pressez @@ -4403,22 +5535,18 @@ Commandes disponibles : Word count for the diceware passphrase. - Nombre de mots de la phrase de passe générée avec la méthode du lancer de dés. + Nombre de mots de la phrase secrète générés avec la méthode du lancer de dés. Wordlist for the diceware generator. [Default: EFF English] - Liste de mots pour le générateur par dés. + Liste de mots pour le générateur par lancer de dés. [Par défaut : FFÉ anglais] Generate a new random password. Générer un nouveau mot de passe aléatoire. - - Invalid value for password length %1. - Valeur invalide pour la taille de mot de passe %1. - Could not create entry with path %1. Impossible de créer une entrée avec le chemin %1. @@ -4433,15 +5561,15 @@ Commandes disponibles : Successfully added entry %1. - Ajouté avec succès l'entrée %1. + L'entrée %1 a bien été ajoutée. Copy the current TOTP to the clipboard. - Copier le code TOTP courant dans le presse-papiers. + Copier le TOTP courant dans le presse-papiers. Invalid timeout value %1. - Valeur d'expiration non valide %1. + Valeur de temps imparti %1 invalide. Entry %1 not found. @@ -4449,36 +5577,32 @@ Commandes disponibles : Entry with path %1 has no TOTP set up. - L'entrée avec le chemin %1 n'a pas de configuration TOTP. + L'entrée avec le chemin %1 n'a pas de TOTP configuré. Entry's current TOTP copied to the clipboard! - Le code TOTP courant de l'entrée a été copié dans le presse-papiers ! + Le TOTP actuel de l'entrée a été copié dans le presse-papiers ! Entry's password copied to the clipboard! - Mot de passe de l'entrée copié dans le presse-papiers ! + Le mot de passe de l'entrée a été copié dans le presse-papiers ! Clearing the clipboard in %1 second(s)... - Nettoyage du presse-papiers dans %1 seconde ...Nettoyage du presse-papiers dans %1 secondes ... + Nettoyage du presse-papiers dans %1 seconde...Nettoyage du presse-papiers dans %1 secondes... Clipboard cleared! - Presse-papiers vidé ! + Presse-papiers vidé ! Silence password prompt and other secondary outputs. - Faire taire le champs mot de passe et les autres champs secondaires. + Désactiver des demandes de saisie de mot de passe et des autres champs. count CLI parameter - Compte - - - Invalid value for password length: %1 - Valeur invalide pour la taille de mot de passe : %1 + nombre Could not find entry with path %1. @@ -4486,7 +5610,7 @@ Commandes disponibles : Not changing any field for entry %1. - Aucun changement effectué dans les champs de l'entrée %1. + Aucun champ modifié dans l'entrée %1. Enter new password for entry: @@ -4498,7 +5622,7 @@ Commandes disponibles : Successfully edited entry %1. - Édité l'entrée %1 avec succès. + L'entrée %1 a bien été modifiée. Length %1 @@ -4518,79 +5642,79 @@ Commandes disponibles : Type: Bruteforce - Type : Force brute + Type : méthode en force Type: Dictionary - Type : Dictionnaire + Type : dictionnaire Type: Dict+Leet - Type : Dictionnaire + Leet + Type : dictionnaire + langage élite Type: User Words - Type : Mots utilisateur + Type : mots utilisateur Type: User+Leet - Type : Utilisateur + Leet + Type : utilisateur + langage élite Type: Repeated - Type : Répétition + Type : répétition Type: Sequence - Type : Séquence + Type : séquence Type: Spatial - Type : Spatial + Type : spatial Type: Date - Type : Date + Type : date Type: Bruteforce(Rep) - Type : Bruteforce(Rep) + Type : méthode en force (Rep) Type: Dictionary(Rep) - Type : Dictionnaire(Rep) + Type : dictionnaire (Rep) Type: Dict+Leet(Rep) - Type : Dictionnaire + Leet (rep) + Type : dictionnaire + langage élite (Rep) Type: User Words(Rep) - Type : Mots Utilisateur(Rep) + Type : mots utilisateur (Rep) Type: User+Leet(Rep) - Type : Utilisateur + Leet (rep) + Type : utilisateur + langage élite (Rep) Type: Repeated(Rep) - Type : Répétition(Rep) + Type : répétition (Rep) Type: Sequence(Rep) - Type : Séquence(Rep) + Type : séquence (Rep) Type: Spatial(Rep) - Type : Spatial(Rep) + Type : spatial (Rep) Type: Date(Rep) - Type : Date(Rep) + Type : date (Rep) Type: Unknown%1 - Type : Inconnu%1 + Type : inconnu%1 Entropy %1 (%2) @@ -4598,32 +5722,12 @@ Commandes disponibles : *** Password length (%1) != sum of length of parts (%2) *** - *** Longueur du mot de passe (%1) != longueurs additionnées des morceaux (%2) *** + *** Longueur du mot de passe (%1) != somme des longueurs des parties (%2) *** Failed to load key file %1: %2 Échec de chargement du fichier-clé %1 : %2 - - File %1 does not exist. - Le fichier %1 n'existe pas. - - - Unable to open file %1. - Impossible d'ouvrir le fichier %1. - - - Error while reading the database: -%1 - Erreur lors de la lecture de la base de données : -%1 - - - Error while parsing the database: -%1 - Erreur lors de l'analyse de la base de données : -%1 - Length of the generated password Taille du mot de passe généré @@ -4636,10 +5740,6 @@ Commandes disponibles : Use uppercase characters Utiliser les caractères majuscules - - Use numbers. - Utiliser des nombres. - Use special characters Utiliser les caractères spéciaux @@ -4650,7 +5750,7 @@ Commandes disponibles : Exclude character set - Exclure les caractères suivants + Exclure le jeu de caractères chars @@ -4658,15 +5758,15 @@ Commandes disponibles : Exclude similar looking characters - Exclure les caractères qui se ressemblent + Exclure les caractères semblables Include characters from every selected group - Inclure des caractères de chaque groupe + Inclure les caractères de chaque groupe Recursively list the elements of the group. - Lister récursivement les éléments du groupe + Lister récursivement les éléments du groupe. Cannot find group %1. @@ -4675,7 +5775,7 @@ Commandes disponibles : Error reading merge file: %1 - Erreur lors de la lecture du fichier fusionner : + Erreur lors de la lecture du fichier fusionné : %1 @@ -4688,15 +5788,15 @@ Commandes disponibles : Successfully recycled entry %1. - Entrée %1 recyclée avec succès. + L'entrée %1 a bien été récupérée. Successfully deleted entry %1. - Supprimé l'entrée %1 avec succès. + L'entrée %1 a bien été supprimée. Show the entry's current TOTP. - Afficher le TOTP courant pour l'entrée. + Afficher le TOTP actuel de l'entrée. ERROR: unknown attribute %1. @@ -4704,11 +5804,11 @@ Commandes disponibles : No program defined for clipboard manipulation - Aucun logiciel configuré pour la manipulation du presse-papiers + Aucun programme configuré pour la gestion du presse-papiers Unable to start program %1 - Impossible de démarrer le logiciel %1 + Impossible de démarrer le programme %1 file empty @@ -4716,7 +5816,7 @@ Commandes disponibles : %1: (row, col) %2,%3 - %1: (ligne,colonne) %2,%3 + %1 : (ligne, colonne) %2, %3 AES: 256-bit @@ -4778,27 +5878,19 @@ Commandes disponibles : Failed to save the database: %1. - Impossible d'enregistrer la base de données: %1. + Impossible d'enregistrer la base de données : %1. Successfully created new database. - Créé avec succès la nouvelle base de données. - - - Insert password to encrypt database (Press enter to leave blank): - Introduire le mot de passe pour chiffrer la base de données (Presser retour pour laisser vide) : + La nouvelle base de données a bien été créée. Creating KeyFile %1 failed: %2 - Creation du fichier clé %1 échoué : %2 + Échec lors de la création du fichier clé %1 : %2 Loading KeyFile %1 failed: %2 - Chargement du fichier clé %1 échoué : %2 - - - Remove an entry from the database. - Supprimer une entrée de la base de données. + Échec lors du chargement du fichier-clé %1 : %2 Path of the entry to remove. @@ -4850,41 +5942,365 @@ Commandes disponibles : Database password: - Mot de passe de la base de données : + Mot de passe de la base de données : Cannot create new group - Impossible de créer de nouveau groupe + Impossible de créer un nouveau groupe + + + Deactivate password key for the database. + Désactiver la clé du mot de passe pour la base de données. + + + Displays debugging information. + Afficher les informations de débogage. + + + Deactivate password key for the database to merge from. + Désactiver la clé du mot de passe pour la base de données à fusionner. + + + Version %1 + Version %1 + + + Build Type: %1 + Type de version : %1 + + + Revision: %1 + Révision : %1 + + + Distribution: %1 + Canal : %1 + + + Debugging mode is disabled. + Le mode débogage est désactivé. + + + Debugging mode is enabled. + Le mode débogage est activé. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Système d’exploitation : %1 +Architecture de l'unité centrale : %2 +Noyau : %3 %4 + + + Auto-Type + Saisie automatique + + + KeeShare (signed and unsigned sharing) + KeeShare (partage signé et non signé) + + + KeeShare (only signed sharing) + KeeShare (partage signé uniquement) + + + KeeShare (only unsigned sharing) + KeeShare (partage non signé uniquement) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Aucun + + + Enabled extensions: + Extensions activées : + + + Cryptographic libraries: + Bibliothèques cryptographiques : + + + Cannot generate a password and prompt at the same time! + Impossible de générer un mot de passe et devoir le confirmer en même temps ! + + + Adds a new group to a database. + Ajoute un nouveau groupe à la base de données. + + + Path of the group to add. + Chemin du groupe à ajouter. + + + Group %1 already exists! + Le groupe %1 existe déjà ! + + + Group %1 not found. + Groupe %1 introuvable. + + + Successfully added group %1. + Le groupe %1 a bien été ajouté. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Vérifie si l'un de vos mots de passe a fuité publiquement. NOM_DU_FICHIER doit être le chemin d'une liste d'empreintes SHA-1 de mots de passe fuités au format HIBP, disponible à l'adresse https://haveibeenpwned.com/Passwords. + + + FILENAME + NOM_DU_FICHIER + + + Analyze passwords for weaknesses and problems. + Analyse les mots de passe aux fins de fuite et de problèmes. + + + Failed to open HIBP file %1: %2 + Échec de l'ouverture du fichier HIBP %1 : %2 + + + Evaluating database entries against HIBP file, this will take a while... + Comparaison des entrées de la base de données avec le fichier HIBP, cette opération prend du temps... + + + Close the currently opened database. + Fermer la base de données actuellement ouverte. + + + Display this help. + Afficher cette aide. + + + Yubikey slot used to encrypt the database. + Emplacement Yubikey utilisé pour chiffrer la base de données. + + + slot + emplacement + + + Invalid word count %1 + Nombre de mots %1 invalide + + + The word list is too small (< 1000 items) + La liste de mots est trop courte (moins de 1 000 entrées) + + + Exit interactive mode. + Quitte le mode interactif. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Format à utiliser lors de l'exportation. Les choix disponibles sont xml et csv. La valeur par défaut est xml. + + + Exports the content of a database to standard output in the specified format. + Exporte le contenu de la base de données vers la sortie standard au format spécifié. + + + Unable to export database to XML: %1 + Impossible d'exporter la base de données en XML : %1 + + + Unsupported format %1 + Format %1 non pris en charge + + + Use numbers + Utiliser des nombres + + + Invalid password length %1 + Longueur du mot de passe %1 invalide + + + Display command help. + Afficher l'aide de la commande. + + + Available commands: + Commandes disponibles : + + + Import the contents of an XML database. + Importe le contenu d'une base de données XML. + + + Path of the XML database export. + Chemin vers l'exportation de la base de données au format XML. + + + Path of the new database. + Chemin vers la nouvelle base de données. + + + Unable to import XML database export %1 + Impossible d'importer le fichier base de données au format XML %1 + + + Successfully imported database. + La base de données a bien été importée. + + + Unknown command %1 + Commande inconnue %1 + + + Flattens the output to single lines. + Fusionne la sortie en une seule ligne. + + + Only print the changes detected by the merge operation. + N'afficher que les modifications détectées lors de l'opération de fusion. + + + Yubikey slot for the second database. + Emplacement Yubikey pour la seconde base de données. + + + Successfully merged %1 into %2. + %1 a bien été fusionné avec %2. + + + Database was not modified by merge operation. + La base de données n'a pas été modifiée par l'opération de fusion. + + + Moves an entry to a new group. + Déplace une entrée vers un nouveau groupe. + + + Path of the entry to move. + Chemin de l'entrée à déplacer. + + + Path of the destination group. + Chemin du groupe de destination. + + + Could not find group with path %1. + Impossible de trouver un groupe avec le chemin %1. + + + Entry is already in group %1. + L'entrée est déjà dans le groupe %1. + + + Successfully moved entry %1 to group %2. + L'entrée %1 a bien été déplacée vers le groupe %2. + + + Open a database. + Ouvre une base de données. + + + Path of the group to remove. + Chemin vers le groupe à supprimer. + + + Cannot remove root group from database. + Impossible de supprimer le groupe racine de la base de données. + + + Successfully recycled group %1. + Le groupe %1 a bien été récupéré. + + + Successfully deleted group %1. + Le groupe %1 a bien été supprimé. + + + Failed to open database file %1: not found + Impossible d'ouvrir la base de données %1 : introuvable + + + Failed to open database file %1: not a plain file + Impossible d'ouvrir le fichier de base de données %1 : fichier non standard + + + Failed to open database file %1: not readable + Impossible d'ouvrir la base de données %1 : illisible + + + Enter password to unlock %1: + Saisir le mot de passe pour déverrouiller %1 : + + + Invalid YubiKey slot %1 + Emplacement YubiKey %1 invalide + + + Please touch the button on your YubiKey to unlock %1 + Veuillez appuyer sur le bouton de votre YubiKey pour déverrouiller %1 + + + Enter password to encrypt database (optional): + Saisissez le mot de passe pour chiffrer la base de données (optionnel) : + + + HIBP file, line %1: parse error + Fichier HIBP, ligne %1 : erreur d'analyse + + + Secret Service Integration + Intégration au Secret Service + + + User name + Nom d'utilisateur + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Question-réponse - Emplacement %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Le mot de passe pour '%1' a fuité %2 fois !Le mot de passe pour « %1 » a fuité %2 fois ! + + + Invalid password generator after applying all options + Générateur de mots de passe invalide après l'application de toutes les options QtIOCompressor Internal zlib error when compressing: - Erreur interne zlib lors de la compression : + Erreur interne zlib lors de la compression : Error writing to underlying device: - Erreur d’écriture sur le périphérique concerné : + Erreur d’écriture sur le périphérique interne : Error opening underlying device: - Erreur d’ouverture du périphérique concerné : + Erreur d’ouverture du périphérique interne : Error reading data from underlying device: - Erreur de lecture sur le périphérique concerné : + Erreur de lecture sur le périphérique interne : Internal zlib error when decompressing: - Erreur interne zlib lors de la décompression : + Erreur interne zlib lors de la décompression : QtIOCompressor::open The gzip format not supported in this version of zlib. - Le format gzip n’est pas supporté dans cette version de zlib. + Le format gzip n’est pas pris en charge dans cette version de zlib. Internal zlib error: @@ -4923,7 +6339,7 @@ Commandes disponibles : A confirmation request is not supported by the agent (check options). - Une demande de confirmation n'est pas supportée par l'agent (vérifier les paramètres). + Une demande de confirmation n'est pas prise en charge par l'agent (vérifier les paramètres). @@ -4934,11 +6350,11 @@ Commandes disponibles : Search terms are as follows: [modifiers][field:]["]term["] - Les termes de recherche sont construits comme suit : [modificateurs][champ:]["]terme["] + Les critères de recherche sont les suivants : [modificateurs][champ:]["]terme["] Every search term must match (ie, logical AND) - Tous les termes doivent correspondre (ET logique) + Tous les mots-clé doivent correspondre (ex. : ET logique) Modifiers @@ -4946,7 +6362,7 @@ Commandes disponibles : exclude term from results - exclure le terme des résultats + exclure le critère des résultats match term exactly @@ -4954,7 +6370,7 @@ Commandes disponibles : use regex in term - utiliser les expressions régulières dans le terminal + utiliser les expressions régulières le critère Fields @@ -4962,7 +6378,7 @@ Commandes disponibles : Term Wildcards - Caractères spéciaux + Jokers de critères match anything @@ -4985,7 +6401,7 @@ Commandes disponibles : SearchWidget Search - Recherche + Rechercher Clear @@ -5006,7 +6422,94 @@ Commandes disponibles : Case sensitive - Sensible à la casse + Casse différenciée + + + + SettingsWidgetFdoSecrets + + Options + Options + + + Enable KeepassXC Freedesktop.org Secret Service integration + Activer l’intégration de KeePassXC à Freedesktop.org Secret Service + + + General + Général + + + Show notification when credentials are requested + Afficher une notification lors que les identifiants sont demandés + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Si la corbeille est activée pour la base de données, les entrées seront déplacées dans la corbeille directement. Sinon, elles seront supprimées sans confirmation.</p><p>Une confirmation sera toujours demandée si l'entrée est référencée par d'autres.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Ne pas confirmer lorsque les entrées sont supprimées par des clients. + + + Exposed database groups: + Groupes de la base de données visibles : + + + File Name + Nom de fichier + + + Group + Groupe + + + Manage + Gérer + + + Authorization + Autorisation + + + These applications are currently connected: + Ces applications sont actuellement connectées : + + + Application + Application + + + Disconnect + Déconnecter + + + Database settings + Paramètres de la base de données + + + Edit database settings + Modifier les paramètres de la base de données + + + Unlock database + Déverrouiller la base de données + + + Unlock database to show more information + Déverrouiller la base de données pour afficher plus d'informations + + + Lock database + Verrouiller la base de données + + + Unlock to show + Déverrouiller pour afficher + + + None + Aucun @@ -5017,11 +6520,11 @@ Commandes disponibles : Allow export - Autoriser l'export + Autoriser l'exportation Allow import - Autoriser l'import + Autoriser l'importation Own certificate @@ -5033,7 +6536,7 @@ Commandes disponibles : Certificate: - Certificat : + Certificat : Signer @@ -5041,7 +6544,7 @@ Commandes disponibles : Key: - Clé : + Clé : Generate @@ -5106,7 +6609,7 @@ Commandes disponibles : key.share Filetype for KeeShare key - cle.share + key.share KeeShare key file @@ -5126,27 +6629,122 @@ Commandes disponibles : The exported certificate is not the same as the one in use. Do you want to export the current certificate? - Le certificat exporté est différent de celui en cours d'utilisation. Voulez-vous exporter le certificat actuel ? + Le certificat exporté est différent de celui en cours d'utilisation. Voulez-vous exporter le certificat actuel ? Signer: - Signataire : + Signataire : + + + Allow KeeShare imports + Autoriser les imports KeeShare + + + Allow KeeShare exports + Autoriser les exports KeeShare + + + Only show warnings and errors + Afficher uniquement les avertissements et erreurs + + + Key + Clé + + + Signer name field + Champ du nom du signataire + + + Generate new certificate + Régénérer un nouveau certificat + + + Import existing certificate + Importer un certificat existant + + + Export own certificate + Exporter son propre certificat + + + Known shares + Partages connus + + + Trust selected certificate + Approuver le certificat sélectionné + + + Ask whether to trust the selected certificate every time + Demander systématiquement l'approbation du certificat sélectionné + + + Untrust selected certificate + Désapprouver le certificat sélectionné + + + Remove selected certificate + Supprimer le certificat sélectionné - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Remplacer le conteneur de partage signé s'il n'est pas pris en charge - empêche l'exportation + + + Could not write export container (%1) + Impossible d'exporter le conteneur (%1) + + + Could not embed signature: Could not open file to write (%1) + Impossible d'intégrer la signature : le fichier n'a pas pu être ouvert en écriture (%1) + + + Could not embed signature: Could not write file (%1) + Impossible d'intégrer la signature : problème d'écriture dans le fichier (%1) + + + Could not embed database: Could not open file to write (%1) + Impossible d'intégrer la base de données : le fichier n'a pas pu être ouvert en écriture (%1) + + + Could not embed database: Could not write file (%1) + Impossible d'intégrer la base de données : problème d'écriture dans le fichier (%1) + + + Overwriting unsigned share container is not supported - export prevented + Remplacer le conteneur de partage non signé s'il n'est pas pris en charge - empêche l'exportation + + + Could not write export container + Impossible d'exporter le conteneur + + + Unexpected export error occurred + Une erreur inattendue est survenue lors de l'exportation + + + + ShareImport Import from container without signature Importer depuis le conteneur sans signature We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - Nous ne pouvons vérifier la source du conteneur partagé car celui-ci n'est pas signé. Êtes-vous sûr de vouloir importer depuis %1 ? + Impossible de vérifier la source du conteneur partagé car celui-ci n'est pas signé. Êtes-vous sûr de vouloir l'importer depuis %1 ? Import from container with certificate Importer depuis le conteneur avec certificat + + Do you want to trust %1 with the fingerprint of %2 from %3? + Voulez-vous approuver %1 avec l'empreinte de %2 à %3 ? {1 ?} {2 ?} + Not this time Pas cette fois @@ -5163,25 +6761,13 @@ Commandes disponibles : Just this time Cette fois uniquement - - Import from %1 failed (%2) - Échec de l'import depuis %1 (%2) - - - Import from %1 successful (%2) - Importé avec succès depuis %1 (%2) - - - Imported from %1 - Imprté depuis %1 - Signed share container are not supported - import prevented - Conteneur de partage signé non pris en charge - importation annulée + Conteneur de partage signé non pris en charge - empêche l'importation File is not readable - Le fichier n'est pas lisible + Le fichier est illisible Invalid sharing container @@ -5189,7 +6775,7 @@ Commandes disponibles : Untrusted import prevented - Importation non sécurisée annulée + Importation non approuvée bloquée Successful signed import @@ -5201,7 +6787,7 @@ Commandes disponibles : Unsigned share container are not supported - import prevented - Conteneur de partage non signé non pris en charge - importation annulée + Conteneur de partage non signé non pris en charge - empêche l'importation Successful unsigned import @@ -5215,42 +6801,33 @@ Commandes disponibles : Unknown share container type Type de conteneur de partage non reconnu + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Remplacement de conteneur de partage signé non pris en charge - exportation annulée + Import from %1 failed (%2) + Échec de l'importation depuis %1 (%2) - Could not write export container (%1) - Impossible d'exporter le conteneur (%1) + Import from %1 successful (%2) + %1 a bien été importé (%2) - Overwriting unsigned share container is not supported - export prevented - Remplacement de conteneur non signé non pris en charge - exportation annulée - - - Could not write export container - Impossible d'exporter le conteneur - - - Unexpected export error occurred - Une erreur inattendue est survenue lors de l'exportation + Imported from %1 + Importé depuis %1 Export to %1 failed (%2) - Échec de l'export vers %1 (%2) + L'exportation vers %1 a échoué (%2) Export to %1 successful (%2) - Réussite de l'export vers %1 (%2) + %1 a bien été importé (%2) Export to %1 Exporter vers %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Voulez-vous autoriser %1 avec l'empreinte de %2 à %3 ? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Chemin source d'importation multiple de %1 dans %2 @@ -5259,28 +6836,12 @@ Commandes disponibles : Conflicting export target path %1 in %2 Conflit du chemin cible d'exportation %1 dans %2 - - Could not embed signature: Could not open file to write (%1) - Impossible d'intégrer la signature : le fichier (%1) n'a pas pu être ouvert en écriture - - - Could not embed signature: Could not write file (%1) - Impossible d'intégrer la signature : problème d'écriture dans le fichier (%1) - - - Could not embed database: Could not open file to write (%1) - Impossible d'intégrer la base de données : le fichier (%1) n'a pas pu être ouvert en écriture - - - Could not embed database: Could not write file (%1) - Impossible d'intégrer la base de données : problème d'écriture dans le fichier (%1) - TotpDialog Timed Password - Mot de passe programmé + Mot de passe à usage limité 000000 @@ -5288,27 +6849,27 @@ Commandes disponibles : Copy - Copie + Copier Expires in <b>%n</b> second(s) - Expiration dans <b>%n</b>secondeExpiration dans <b>%n</b>secondes + Expire dans <b>%n</b>secondeExpire dans <b>%n</b>secondes TotpExportSettingsDialog Copy - Copie + Copier NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - NOTE: Les paramètres TOTP sont personnalisés et peuvent ne pas être compatibles avec d'autres logiciels. + NOTE : les paramètres TOTP sont personnalisés et peuvent ne pas fonctionner avec d'autres authentificateurs. There was an error creating the QR code. - Une erreur est survenue lors de la création du QR Code. + Une erreur est survenue lors de la création du QR code. Closing in %1 seconds. @@ -5321,17 +6882,13 @@ Commandes disponibles : Setup TOTP Configuration TOTP - - Key: - Clé : - Default RFC 6238 token settings - Paramètres de base des codes RFC 6238 + Paramètres par défaut des jetons RFC 6238 Steam token settings - Paramètres du code éphémère Steam + Paramètres du jeton Steam Use custom settings @@ -5343,7 +6900,7 @@ Commandes disponibles : Time step: - Période de temps : + Intervalle : sec @@ -5355,16 +6912,46 @@ Commandes disponibles : Taille du code : - 6 digits - 6 chiffres + Secret Key: + Clé secrète : - 7 digits - 7 chiffres + Secret key must be in Base32 format + La clé secrète doit être au format Base32 - 8 digits - 8 chiffres + Secret key field + Champ de la clé secrète + + + Algorithm: + Algorithme : + + + Time step field + Champ de l'intervalle + + + digits + chiffres + + + Invalid TOTP Secret + Secret TOTP invalide + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Vous avez introduit une clé secrète invalide. La clé doit être au format Base32. +Exemple : JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Confirmer la suppression des paramètres TOTP + + + Are you sure you want to delete TOTP settings for this entry? + Êtes-vous sûr de vouloir supprimer les paramètres TOTP pour cette entrée ? @@ -5375,7 +6962,7 @@ Commandes disponibles : Checking for updates... - Vérification des mises à jour ... + Vérification des mises à jour... Close @@ -5383,7 +6970,7 @@ Commandes disponibles : Update Error! - Erreur de mise à jour ! + Erreur de mise à jour ! An error occurred in retrieving update information. @@ -5399,7 +6986,7 @@ Commandes disponibles : A new version of KeePassXC is available! - Une nouvelle version de KeePassXC est disponible ! + Une nouvelle version de KeePassXC est disponible ! KeePassXC %1 is now available — you have %2. @@ -5411,18 +6998,18 @@ Commandes disponibles : You're up-to-date! - Votre version est à jour ! + Votre version est à jour ! KeePassXC %1 is currently the newest version available - KeePassXC %1 est la dernière version disponible. + KeePassXC %1 est la dernière version en date WelcomeWidget Start storing your passwords securely in a KeePassXC database - Gardez vos mots de passe en sécurité dans une base de données KeePassXC + Conservez vos mots de passe en sécurité dans une base de données KeePassXC Create new database @@ -5438,7 +7025,7 @@ Commandes disponibles : Import from CSV - Importer depuis un CSV + Importer depuis un fichier CSV Recent databases @@ -5446,7 +7033,15 @@ Commandes disponibles : Welcome to KeePassXC %1 - Bienvenue sur KeePassXC %1 + Bienvenue dans KeePassXC %1 + + + Import from 1Password + Importer depuis 1Password + + + Open a recent database + Ouvrir une base de données récente @@ -5461,7 +7056,7 @@ Commandes disponibles : <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - <p>Si vous possédez une <a href="https://www.yubico.com/">YubiKey</a>, vous pouvez l'utiliser afin d'améliorer la sécurité.</p><p>Cela nécessite qu'un slot de votre YubiKey soit programmé comme <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">Question-réponse HMAC-SHA1</a>.</p> + <p>Si vous possédez une <a href="https://www.yubico.com/">YubiKey</a>, vous pouvez l'utiliser afin d'améliorer la sécurité.</p><p>Cela nécessite qu'un emplacement de votre YubiKey soit programmé comme <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">question-réponse HMAC-SHA1</a>.</p> No YubiKey detected, please ensure it's plugged in. @@ -5471,5 +7066,13 @@ Commandes disponibles : No YubiKey inserted. Aucune YubiKey insérée. + + Refresh hardware tokens + Actualiser les clés matérielles + + + Hardware key slot selection + Sélection de l'emplacement de la clé matérielle + \ No newline at end of file diff --git a/share/translations/keepassx_hu.ts b/share/translations/keepassx_hu.ts index 5173dbf0c..94e198647 100644 --- a/share/translations/keepassx_hu.ts +++ b/share/translations/keepassx_hu.ts @@ -95,6 +95,14 @@ Follow style Stílus követése + + Reset Settings? + Beállítások visszaállítása? + + + Are you sure you want to reset all general and security settings to default? + Biztos, hogy vissza akarja állítani az összes általános és biztonsági beállítást az alapértelmezésre? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC A KeePassXC többszörös indításának tiltása - - Remember last databases - Utolsó adatbázis megjegyzése - - - Remember last key files and security dongles - Az utolsó kulcsfájlok és biztonsági hardverkulcsok megjegyzése - - - Load previous databases on startup - Előző adatbázisok betöltése indításkor - Minimize window at application startup Indításkor az ablak kicsinyítése @@ -162,10 +158,6 @@ Use group icon on entry creation A csoport ikonjának használata a bejegyzés létrehozásakor - - Minimize when copying to clipboard - Kicsinyítés a vágólapra történő másoláskor - Hide the entry preview panel A bejegyzés előnézeti panel elrejtése @@ -194,10 +186,6 @@ Hide window to system tray when minimized Az ablak rendszertálcára rejtése kicsinyítéskor - - Language - Nyelv - Auto-Type Automatikus beírás @@ -231,21 +219,102 @@ Auto-Type start delay Automatikus beírás kezdésének késleltetése - - Check for updates at application startup - Frissítések keresése a program indulásakor - - - Include pre-releases when checking for updates - A frissítések keresése az előzetes kiadásokra is terjedjen ki - Movable toolbar Mozgatható eszköztár - Button style - Gombstílus + Remember previously used databases + Az előzőleg használt adatbázisok megjegyzése + + + Load previously open databases on startup + Az előzőleg feloldott adatbázisok betöltése indításkor + + + Remember database key files and security dongles + Adatbázis-kulcsfájlok és biztonsági hardverkulcsok megjegyzése + + + Check for updates at application startup once per week + Frissítések keresése hetente egyszer az alkalmazás indulásakor + + + Include beta releases when checking for updates + A frissítések keresése a béta kiadásokra is terjedjen ki + + + Button style: + Gombstílus: + + + Language: + Nyelv: + + + (restart program to activate) + (újraindítás után akitválódik) + + + Minimize window after unlocking database + Ablak kicsinyítése az adatbázis feloldása után + + + Minimize when opening a URL + Kicsinyítés URL megnyitásakor + + + Hide window when copying to clipboard + Ablak elrejtése a vágólapra történő másoláskor + + + Minimize + Kicsinyítés + + + Drop to background + Háttérbe dobás + + + Favicon download timeout: + Favicon letöltési időtúllépés: + + + Website icon download timeout in seconds + Weboldalikon letöltésének időtúllépése másodpercben + + + sec + Seconds + mp + + + Toolbar button style + Eszköztár gombstílusa + + + Use monospaced font for Notes + Jegyzetek rögzített szélességű betűkészlettel + + + Language selection + Nyelvválasztás + + + Reset Settings to Default + Beállítások visszaállítása az alapértelmezettre + + + Global auto-type shortcut + Globális automatikus beírás gyorsbillentyűje + + + Auto-type character typing delay milliseconds + Automatikus karakterbeírás késleltetése milliszekundumban + + + Auto-type start delay milliseconds + Automatikus beírás indításának késleltetése milliszekundumban @@ -320,8 +389,29 @@ Adatvédelem - Use DuckDuckGo as fallback for downloading website icons - A DuckDuckGo használata tartalékként, a webhelyikonok letöltésére + Use DuckDuckGo service to download website icons + A DuckDuckGo alkalmazása a webhelyikonok letöltésére + + + Clipboard clear seconds + Vágólap törlése másodpercben + + + Touch ID inactivity reset + A TouchID tétlenségi visszaállítás + + + Database lock timeout seconds + Adatbázis zárolási időtúllépése másodpercben + + + min + Minutes + min + + + Clear search query after + Keresési kifejezés törlése ennyi idő után @@ -389,6 +479,17 @@ Sorrend + + AutoTypeMatchView + + Copy &username + &Felhasználónév másolása + + + Copy &password + &Jelszó másolása + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Bejegyzés kijelölése automatikus beírásra: + + Search... + Keresés… + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. A %1 jelszóengedélyt kér a következő elem(ek) számára. Válassza ki, hogy engedélyezi-e a hozzáférést. + + Allow access + Hozzáférés megadása + + + Deny access + Hozzáférés megtiltása + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Válassza ki a helyes adatbázist a hitelesítő adatok mentéséhez.This is required for accessing your databases with KeePassXC-Browser Ez szükséges az adatbázis KeePassXC-böngészőből történő eléréséhez - - Enable KeepassXC browser integration - KeepassXC böngészőintegráció engedélyezése - General Általános @@ -533,10 +642,6 @@ Válassza ki a helyes adatbázist a hitelesítő adatok mentéséhez.Credentials mean login data requested via browser extension Hozzáférési adatok &frissítése előtt soha ne kérdezzen - - Only the selected database has to be connected with a client. - Csak a kijelölt adatbázishoz kell kapcsolódnia egy klienssel. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Válassza ki a helyes adatbázist a hitelesítő adatok mentéséhez.&Tor Browser &Tor böngésző - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Figyelem</b>, a keepassxc-proxy alkalmazás nem található!<br />Ellenőrizze a KeePassXC telepítési könyvtárat, vagy erősítse meg az egyéni útvonalat a speciális beállításokban.<br />A böngészőintegráció NEM FOG MŰKÖDNI a proxy alkalmazás nélkül.<br />Várt útvonal: - Executable Files Végrehajtható fájlok @@ -621,6 +722,50 @@ Válassza ki a helyes adatbázist a hitelesítő adatok mentéséhez.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 A böngészőintegráció működéséhez a KeePassXC-böngészőre van szükség. <br />Letölthető ezen böngészőkre: %1 és %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + A lejárt hitelesítési adatok visszaadása. A [lejárt] szöveg hozzá lesz adva a címhez. + + + &Allow returning expired credentials. + &Lejárt hitelesítési adatok visszaadásának engedélyezése + + + Enable browser integration + Böngészőintegráció engedélyezése + + + Browsers installed as snaps are currently not supported. + A snappal telepített böngészők jelenleg nem támogatottak. + + + All databases connected to the extension will return matching credentials. + Minden a kiterjesztéshez csatlakoztatott böngésző visszaadja az illeszkedő hitelesítési adatokat. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Ne jelenjen meg a felugró ablak a örökölt KeePassHTTP beállításokból való költözésről. + + + &Do not prompt for KeePassHTTP settings migration. + &Ne kérdezzen a KeePassHTTP beállításokból való költözésről + + + Custom proxy location field + Egyedi proxyhely mező + + + Browser for custom proxy file + Egyedi proxyfájl böngészője + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Figyelem</b>, a keepassxc-proxy alkalmazás nem található!<br />Ellenőrizze a KeePassXC telepítési könyvtárat, vagy erősítse meg az egyéni útvonalat a speciális beállításokban.<br />A böngészőintegráció NEM FOG MŰKÖDNI a proxy alkalmazás nélkül.<br />Várt útvonal: %1 + BrowserService @@ -712,6 +857,10 @@ Would you like to migrate your existing settings now? Ez szükséges a jelenlegi böngészőkapcsolatok fenntartásához. Biztos, hogy migrálja most a meglévő beállításokat? + + Don't show this warning again + Ne jelenjen meg többé a figyelmeztetés + CloneDialog @@ -770,10 +919,6 @@ Biztos, hogy migrálja most a meglévő beállításokat? First record has field names Az első sor fejléc - - Number of headers line to discard - Kihagyandó fejléc sorok száma - Consider '\' an escape character „\” feloldójelnek értelmezve @@ -824,6 +969,22 @@ Biztos, hogy migrálja most a meglévő beállításokat? CSV importálás: a mentés hibába ütközött: %1 + + Text qualification + Szöveghatároló + + + Field separation + Mezőhatároló + + + Number of header lines to discard + Kihagyandó fejléc sorok száma + + + CSV import preview + CSV-import előnézete + CsvParserModel @@ -864,10 +1025,6 @@ Biztos, hogy migrálja most a meglévő beállításokat? Error while reading the database: %1 Hiba az adatbázis megnyitásakor: %1 - - Could not save, database has no file name. - Nem menthető, az adatbázisnak nincs fájlneve. - File cannot be written as it is opened in read-only mode. A fájlba nem lehet írni, mert csak olvasható módban van megnyitva. @@ -876,6 +1033,28 @@ Biztos, hogy migrálja most a meglévő beállításokat? Key not transformed. This is a bug, please report it to the developers! A kulcs nincs átalakítva. Ez egy hiba, jelezze a fejlesztőknek! + + %1 +Backup database located at %2 + %1 +Az adatbázis biztonsági másolata: %2 + + + Could not save, database does not point to a valid file. + Nem menthető, az adatbázis nem érvényes fájlra mutat. + + + Could not save, database file is read-only. + Nem menthető, az adatbázisfájl csak olvasható. + + + Database file has unmerged changes. + Az adatbázisfájlban nem egyesített változások vannak. + + + Recycle Bin + Kuka + DatabaseOpenDialog @@ -886,30 +1065,14 @@ Biztos, hogy migrálja most a meglévő beállításokat? DatabaseOpenWidget - - Enter master key - Mesterkulcs megadása - Key File: Kulcsfájl: - - Password: - Jelszó: - - - Browse - Tallózás - Refresh Frissítés - - Challenge Response: - Kihívás-válasz: - Legacy key file format Örökölt kulcsfájl formátum @@ -940,20 +1103,100 @@ Megfontolandó egy új kulcsfájl készítése. Kulcsfájl kiválasztása - TouchID for quick unlock - TouchID a gyors feloldáshoz + Failed to open key file: %1 + A kulcsfájl megnyitása sikertelen: %1 - Unable to open the database: -%1 - Az adatbázis nem nyitható meg: -%1 + Select slot... + Foglalat kijelölése… - Can't open key file: -%1 - A kulcsfájl nem nyitható meg: -%1 + Unlock KeePassXC Database + KeePassXC adatbázis feloldása + + + Enter Password: + Jelszó megadása: + + + Password field + Jelszó mező + + + Toggle password visibility + Jelszó láthatóságának átváltása + + + Enter Additional Credentials: + További hitelesítési adatok megadása: + + + Key file selection + Kulcsfájl kijelölése + + + Hardware key slot selection + Hardverkulcsfoglalat kijelölése + + + Browse for key file + Kulcsfájl böngészése + + + Browse... + Tallózás… + + + Refresh hardware tokens + Hardveres jelsorok frissítése + + + Hardware Key: + Hardverkulcs: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>A <strong>YubiKey</strong> vagy az <strong>OnlyKey</strong> biztonsági hardverkulcsok alkalmazhatóak a HMAC-SHA1-re konfigurált foglalattal.</p> + <p>További információk...</p> + + + Hardware key help + Hardverkulcs súgó + + + TouchID for Quick Unlock + TouchID a Quick Unlockhoz + + + Clear + Törlés + + + Clear Key File + Kulcsfájl törlése + + + Select file... + Fájl kijelölése… + + + Unlock failed and no password given + Feloldás sikertelen, jelszót nem adott + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Az adatbázis feloldása sikertelen és jelszót nem lett megadva. +Próbáljuk meg inkább „üres” jelszóval? + +Ezen hiba megjelenése megelőzhető az Adatbázis-beállítások → Biztonság pontban a jelszó alapállapotba helyezésével. + + + Retry with empty password + Üres jelszó megpróbálása @@ -1108,6 +1351,14 @@ This is necessary to maintain compatibility with the browser plugin. Valóban átállítja az összes örökölt böngészőintegrációs adatot a legfrissebb szabványra? Ez szükséges a böngészőbővítmény kompatibilitásának fenntartásához. + + Stored browser keys + Tárolt böngészőkulcs + + + Remove selected key + Kijelölt kulcs eltávolítása + DatabaseSettingsWidgetEncryption @@ -1233,7 +1484,7 @@ Ezt a számot megtartva az adatbázis nagyon könnyen törhető lesz. MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + MiBMiB thread(s) @@ -1250,6 +1501,57 @@ Ezt a számot megtartva az adatbázis nagyon könnyen törhető lesz.seconds %1 s%1 s + + Change existing decryption time + Meglévő visszafejtése idő módosítása + + + Decryption time in seconds + Visszafejtési idő másodpercben + + + Database format + Adatbázis-formátum + + + Encryption algorithm + Titkosítási algoritmus + + + Key derivation function + Kulcsszármaztatási függvény + + + Transform rounds + Átalakítási fordulók száma + + + Memory usage + Memóriahasználat + + + Parallelism + Párhuzamosság + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Nyitott bejegyzések + + + Don't e&xpose this database + Ne legyen megnyitva ez az adatbázis + + + Expose entries &under this group: + A csoport &alatti bejegyzések legyenek megnyitva: + + + Enable fd.o Secret Service to access these settings. + Az fd.o titkos szolgáltatás engedélyezésével aktiválhatók ezek a beállítások. + DatabaseSettingsWidgetGeneral @@ -1297,6 +1599,40 @@ Ezt a számot megtartva az adatbázis nagyon könnyen törhető lesz.Enable &compression (recommended) &Tömörítés engedélyezése (ajánlott) + + Database name field + Adatbázisnév mező + + + Database description field + Adatbázisleírás mező + + + Default username field + Alapértelmezett felhasználónév mező + + + Maximum number of history items per entry + Előzményelemek maximális száma bejegyzésenként + + + Maximum size of history per entry + Előzmények maximális mérete bejegyzésenként + + + Delete Recycle Bin + Kuka törlése + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Valóban törölhető az aktuállis kuka minden elemével együtt? +Ez vissza nem vonható! + + + (old) + (régi) + DatabaseSettingsWidgetKeeShare @@ -1364,6 +1700,10 @@ Valóban jelszó nélkül folytatja? Failed to change master key A mesterkulcs módosítása meghiúsult + + Continue without password + Folytatás jelszó nélkül + DatabaseSettingsWidgetMetaDataSimple @@ -1375,6 +1715,129 @@ Valóban jelszó nélkül folytatja? Description: Leírás: + + Database name field + Adatbázisnév mező + + + Database description field + Adatbázisleírás mező + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statisztika + + + Hover over lines with error icons for further information. + További információk a hibaikonokkal rendelkező vonalak fölé vitt egérrel nyerhetők. + + + Name + Név + + + Value + Érték + + + Database name + Adatbázisnév + + + Description + Leírás + + + Location + Hely + + + Last saved + Legutóbb mentve + + + Unsaved changes + Nem mentett módosítsok + + + yes + igen + + + no + nem + + + The database was modified, but the changes have not yet been saved to disk. + Az adatbázis módosítva lett, de még nem lett lemezre mentve. + + + Number of groups + Csoportszám + + + Number of entries + Bejegyzésszám + + + Number of expired entries + Lejárt bejegyzések száma + + + The database contains entries that have expired. + Az adatbázis lejárt bejegyzéseket tartalmaz. + + + Unique passwords + Egyedi jelszavak + + + Non-unique passwords + Nem egyedi jelszavak + + + More than 10% of passwords are reused. Use unique passwords when possible. + A jelszavak több, mint 10%-a újrahasznosított. Egyedi jelszavakat kellene használni, ahol csak lehetséges. + + + Maximum password reuse + Maximális jelszó-újrahasznosítás + + + Some passwords are used more than three times. Use unique passwords when possible. + Néhány jelszó több, mint háromszor lett újrahasznosítva. Egyedi jelszavakat kellene használni, ahol csak lehetséges. + + + Number of short passwords + Rövid jelszavak száma + + + Recommended minimum password length is at least 8 characters. + A jelszavak javasolt minimális hosszúsága legalább 8 karakter. + + + Number of weak passwords + Gyenge jelszavak száma + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Olyan hosszú és véletlenszerű jelszavak használata javasolt, melyek besorolása „jó” és „kiváló”. + + + Average password length + Átlagos jelszóhossz + + + %1 characters + %1 karakter + + + Average password length is less than ten characters. Longer passwords provide more security. + Az átlagos jelszóhossz kevesebb, mint 10 karakter. A hosszabb jelszavak nagyobb biztonságot szavatolnak. + DatabaseTabWidget @@ -1424,10 +1887,6 @@ This is definitely a bug, please report it to the developers. A létrehozott adatbázisnak nincs kulcsa vagy KDF-e, a mentés megtagadva. Ez határozottan hiba, jelentse a fejlesztőknek. - - The database file does not exist or is not accessible. - Az adatbázisfájl nem létezik, vagy nem lehet hozzáférni. - Select CSV file Válasszon CSV-fájlt @@ -1451,6 +1910,30 @@ Ez határozottan hiba, jelentse a fejlesztőknek. Database tab name modifier %1 [Csak olvasható] + + Failed to open %1. It either does not exist or is not accessible. + Az adatbázisfájl megnyitása sikertelen: %. Vagy nem létezik, vagy nem lehet hozzáférni. + + + Export database to HTML file + Adatbázis exportálása HTML-fájlba + + + HTML file + HTML-fájl + + + Writing the HTML file failed. + A HTML-fájl mentése sikertelen. + + + Export Confirmation + Exportálás megerősítése + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Az adatbázis nem titkosított fájlba lesz exportálva. Így sebezhetőek lesznek a jelszavak és más érzékeny információk. Valóban folytatható a művelet? + DatabaseWidget @@ -1468,7 +1951,7 @@ Ez határozottan hiba, jelentse a fejlesztőknek. Do you really want to move %n entry(s) to the recycle bin? - Valóban a kukába szeretne dobni %n elemet?Valóban a kukába szeretne dobni %n elemet? + Biztos, hogy a kukába dob %n elemet?Biztos, hogy a kukába dob %n elemet? Execute command? @@ -1530,7 +2013,7 @@ Egyesíti a módosításokat? Do you really want to delete %n entry(s) for good? - Valóban végleg szeretné törölni a(z) %n bejegyzést?Valóban végleg szeretné törölni a(z) %n bejegyzést? + Biztos, hogy végleg töröl %n elemet?Biztos, hogy végleg töröl %n elemet? Delete entry(s)? @@ -1540,10 +2023,6 @@ Egyesíti a módosításokat? Move entry(s) to recycle bin? Kukába dobja a bejegyzést?Kukába dobja a bejegyzéseket? - - File opened in read only mode. - Fájl megnyitva csak olvashatóként - Lock Database? Zárolja az adatbázist? @@ -1583,12 +2062,6 @@ Hiba: %1 Disable safe saves and try again? A KeePassXC többször is hiába próbálta meg elmenteni az adatbázist. Ez jellemzően azért szokott előfordulni, mert egy szinkronizáló szolgáltatás zárolja a mentendő fájl. Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? - - - Writing the database failed. -%1 - Az adatbázis írása meghiúsult. -%1 Passwords @@ -1604,7 +2077,7 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? Replace references to entry? - Lecseréli a bejegyzésre mutató hivatkozásokat? + Lecserélhető a bejegyzésre való hivatkozás? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? @@ -1616,11 +2089,11 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? Move group to recycle bin? - Áthelyezi a csoportot a kukába? + Legyen a csoport áthelyezve a kukába? Do you really want to move the group "%1" to the recycle bin? - Valóban áthelyezi a(z) „%1” csoportok a kukába? + Valóban legyen a(z) „%1” csoport áthelyezve a kukába? Successfully merged the database files. @@ -1634,6 +2107,14 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Shared group... Megosztott csoport… + + Writing the database failed: %1 + Az adatbázis kiírása sikertelen: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Az adatbázis csak olvasható módban lett megnyitva. Az automatikus mentés le van tiltva. + EditEntryWidget @@ -1753,6 +2234,18 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Confirm Removal Törlés jóváhagyása + + Browser Integration + Böngészőintegráció + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Valóban eltávolítja ezt az URL? + EditEntryWidgetAdvanced @@ -1786,12 +2279,48 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? Foreground Color: - Előtérszín + Előtérszín: Background Color: Háttérszín: + + Attribute selection + Attribútumválasztó + + + Attribute value + Attribútum érték + + + Add a new attribute + Új attribútum hozzáadása + + + Remove selected attribute + Kijelölt attribútum törlése + + + Edit attribute name + Attribútumnév szerkesztése + + + Toggle attribute protection + Attribútumvédelem átváltása + + + Show a protected attribute + Védett attribútum megjelenítése + + + Foreground color selection + Előtérszínválasztás + + + Background color selection + Háttérszínválasztás + EditEntryWidgetAutoType @@ -1827,6 +2356,77 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Use a specific sequence for this association: Adjon meg egy jellemző sorozatot ehhez a társításhoz: + + Custom Auto-Type sequence + Egyéni automatikus beírási sorrend + + + Open Auto-Type help webpage + Automatikus beírás súgó weboldalának megnyitása + + + Existing window associations + Létező ablaktársítások + + + Add new window association + Új ablaktársítás hozzáadása + + + Remove selected window association + Kijelölt ablaktársítás eltávolítása + + + You can use an asterisk (*) to match everything + Csillaggal(*) mindent ki lehet jelölni + + + Set the window association title + Ablaktársítás címének beállítása + + + You can use an asterisk to match everything + Csillaggal mindent ki lehet jelölni + + + Custom Auto-Type sequence for this window + Egyéni automatikus beírási sorrend ehhez az ablakhoz + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Ezek a beállítások befolyásolják a bejegyzés viselkedését a böngésző kiterjesztésével. + + + General + Általános + + + Skip Auto-Submit for this entry + Automatikus küldés kihagyása ennél a bejegyzésnél + + + Hide this entry from the browser extension + Bejegyzés elrejtése a böngésző kiterjesztés elől + + + Additional URL's + További URL-ek + + + Add + Hozzáadás + + + Remove + Eltávolítás + + + Edit + Szerkesztés + EditEntryWidgetHistory @@ -1846,6 +2446,26 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Delete all Összes törlése + + Entry history selection + Előzmény-bejegyzés kijelölése + + + Show entry at selected history state + Bejegyzés és kijelölt előzményállapot megjelenítése + + + Restore entry to selected history state + Bejegyzés visszaállítása a kijelölt előzményállapotra + + + Delete selected history state + Kijelölt előzményállapot törlése + + + Delete all history + Minden előzmény törlése + EditEntryWidgetMain @@ -1885,6 +2505,62 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Expires Lejárat + + Url field + URL mező + + + Download favicon for URL + URL faviconjának letöltése + + + Repeat password field + Jelszómező ismétlése + + + Toggle password generator + Jelszógenerátor átváltása + + + Password field + Jelszó mező + + + Toggle password visibility + Jelszó láthatóságának átváltása + + + Toggle notes visible + Jegyzetek láthatóságának átváltása + + + Expiration field + Lejárati mező + + + Expiration Presets + Lejárati előbeállítások + + + Expiration presets + Lejárati előbeállítások + + + Notes field + Jegyzetek mező + + + Title field + Cím mező + + + Username field + Felhasználónév mező + + + Toggle expiration + Lejárat átváltása + EditEntryWidgetSSHAgent @@ -1961,6 +2637,22 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Require user confirmation when this key is used Felhasználói megerősítés szükséges a kulcs alkalmazásakor + + Remove key from agent after specified seconds + Kulcs eltávolítása az ügynöktől a megadott másodperc után + + + Browser for key file + Kulcsfájl böngészése + + + External key file + Külső kulcsfájl + + + Select attachment file + Mellékletfájl kijelölése + EditGroupWidget @@ -1996,6 +2688,10 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Inherit from parent group (%1) Öröklés a szülőcsoporttól (%1) + + Entry has unsaved changes + A bejegyzésnek mentetlen változásai vannak + EditGroupWidgetKeeShare @@ -2023,34 +2719,6 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Inactive Inaktív - - Import from path - Importálás útvonalról - - - Export to path - Exportálás útvonalra - - - Synchronize with path - Útvonallal való szinkronizálás - - - Your KeePassXC version does not support sharing your container type. Please use %1. - A KeePassXC jelen verziója nem támogatja ennek a tárolótípusnak a megosztását. Javasolt ezen verzió alkalmazása: %1. - - - Database sharing is disabled - Adatbázis-megosztás tiltva - - - Database export is disabled - Adatbázis export tiltva - - - Database import is disabled - Adatbázis import tiltva - KeeShare unsigned container KeeShare aláíratlan tároló @@ -2076,16 +2744,75 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Törlés - The export container %1 is already referenced. - A(z) %1 exportálása konténerre már van hivatkozás. + Import + Importálás - The import container %1 is already imported. - A(z) %1 importálási konténer már be lett importálva. + Export + Exportálás - The container %1 imported and export by different groups. - A(z) %1 konténer importálva, és exportálás különböző csoportoknak. + Synchronize + Szinkronizálás + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + A KeePassXC jelen verziója nem támogatja ennek a tárolótípusnak a megosztását. +Támogatott kiterjesztések: %1. + + + %1 is already being exported by this database. + Ez az adatbázis már exportálja: %1. + + + %1 is already being imported by this database. + Ez az adatbázis már importálja: %1. + + + %1 is being imported and exported by different groups in this database. + Több csoport ebben adatbázisban már importálja és exportálja: %1. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + A KeeShare jelenleg le van tiltva. Az alkalmazás beállításai között az import, export szekcióban lehet engedélyezni. + + + Database export is currently disabled by application settings. + Az adatbázisok exportálása jelenleg le van tiltva az alkalmazás beállításaiban. + + + Database import is currently disabled by application settings. + Az adatbázisok importálása jelenleg le van tiltva az alkalmazás beállításaiban. + + + Sharing mode field + Megosztási mód mező + + + Path to share file field + Megosztási fájl mező útvonala + + + Browser for share file + Megosztási fájl böngészése + + + Password field + Jelszó mező + + + Toggle password visibility + Jelszó láthatóságának átváltása + + + Toggle password generator + Jelszógenerátor átváltása + + + Clear fields + Mezők törlése @@ -2118,6 +2845,34 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?Set default Auto-Type se&quence &Egyéni automatikus beírási sorrend beállítása + + Name field + Névmező + + + Notes field + Jegyzetek mező + + + Toggle expiration + Lejárat átváltása + + + Auto-Type toggle for this and sub groups + Automatikus beírás átváltó ehhez a csoporthoz és alcsoportjaihoz + + + Expiration field + Lejárati mező + + + Search toggle for this and sub groups + Keresés átváltó ehhez a csoporthoz és alcsoportjaihoz + + + Default auto-type sequence field + Alapértelmezett automatikus beírási sorrend mező + EditWidgetIcons @@ -2153,22 +2908,10 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?All files Minden fájl - - Custom icon already exists - Az egyéni ikon már létezik - Confirm Delete Törlés megerősítése - - Custom icon successfully downloaded - Egyéni ikon sikeresen letöltve - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Tipp: A DuckDuckGót tartalékként az Eszközök>Beállítások>Biztonság menüpontban engedélyezheti - Select Image(s) Kép kiválasztása @@ -2193,6 +2936,42 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés?This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Ezt az ikont %n elem használja, és le lesz cserélve az alapértelmezett ikonra. Valóban törli?Ezt az ikont %n elem használja, és le lesz cserélve az alapértelmezett ikonra. Valóban törli? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + A DuckDuckGo weboldal ikon szolgáltatást az Eszközök → Beállítások → Biztonság pontban lehet engedélyezni + + + Download favicon for URL + URL faviconjának letöltése + + + Apply selected icon to subgroups and entries + Kijelölt ikon alkalmazása az alcsoportokra és bejegyzésekre + + + Apply icon &to ... + Ikon alkalmazása &ehhez… + + + Apply to this only + Alkalmazás csak ehhez + + + Also apply to child groups + Alkalmazás az alcsoportokra is + + + Also apply to child entries + Alkalmazás az albejegyzésekre is + + + Also apply to all children + Alkalmazás minden alegységre is + + + Existing icon selected. + Létező ikon kijelölve. + EditWidgetProperties @@ -2214,7 +2993,7 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? Plugin Data - Beépülő adati + Bővítmény adati Remove @@ -2238,6 +3017,30 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Value Érték + + Datetime created + Dátum és idő létrehozva + + + Datetime modified + Dátum és idő módosítva + + + Datetime accessed + Hozzáférés történt a dátumhoz és időhöz + + + Unique ID + Unique ID + + + Plugin data + Bővítmény adatai + + + Remove selected plugin data + Kijelölt bővítményadat eltávolítása + Entry @@ -2330,10 +3133,30 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Unable to open file(s): %1 - A fájl nem megnyitható: -%1A fájlok nem megnyithatóak: + A fájl nem nyitható meg: +%1A fájlok nem nyithatóak meg: %1 + + Attachments + Mellékletek + + + Add new attachment + Új melléklet hozzáadása + + + Remove selected attachment + Kijelölt melléklet eltávolítása + + + Open selected attachment + Kijelölt melléklet megnyitása + + + Save selected attachment to disk + Kijelölt melléklet lemezre mentése + EntryAttributesModel @@ -2427,10 +3250,6 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. EntryPreviewWidget - - Generate TOTP Token - TOTP jelsor előállítása - Close Bezárás @@ -2516,6 +3335,14 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Share Megosztás + + Display current TOTP value + Aktuális TOTP-érték megjelenítése + + + Advanced + Speciális + EntryView @@ -2549,11 +3376,33 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. - Group + FdoSecrets::Item - Recycle Bin - Kuka + Entry "%1" from database "%2" was used by %3 + %3 használta a(z) „%2” adatbázis bejegyzését: „%1”, + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Nem sikerült regisztrálni a DBus-szolgáltatást, mivel egy másik szolgáltatás már fut: %1. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %1 használt %n bejegyzést%1 használt %n bejegyzést + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo titkos szolgáltatás: %1 + + + + Group [empty] group has no children @@ -2571,6 +3420,59 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Nem lehet menteni a natív üzenetküldő parancsfájlt. + + IconDownloaderDialog + + Download Favicons + Faviconok letöltése + + + Cancel + Mégse + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Probléma van az ikonok letöltésével? +A DuckDuckGo weboldal ikon szolgáltatást az alkalmazás beállításai között a biztonság szekcióban lehet engedélyezni + + + Close + Bezárás + + + URL + URL + + + Status + Állapot + + + Please wait, processing entry list... + Türelem, a bejegyzéslista feldolgozás alatt áll… + + + Downloading... + Letöltés… + + + Ok + Ok + + + Already Exists + Már létezik + + + Download Failed + Letöltés sikertelen + + + Downloading favicons (%1/%2)... + Faviconok letöltése (%1/%2)… + + KMessageWidget @@ -2592,10 +3494,6 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Unable to issue challenge-response. Nem lehet kiutalni a kihívás-választ. - - Wrong key or database file is corrupt. - Rossz kulcs vagy sérült adatbázisfájl. - missing database headers hiányzó adatbázis fejlécek @@ -2616,6 +3514,12 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Invalid header data length Érvénytelen fejlécadathossz + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Érvénytelenek a hitelesítési adatok, újra kell próbálkozni. +Ha ez újból előfordul, lehet hogy az adatbázisfájl sérült. + Kdbx3Writer @@ -2646,10 +3550,6 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Header SHA256 mismatch Fejléc SHA256 eltérés - - Wrong key or database file is corrupt. (HMAC mismatch) - Rossz kulcs vagy az adatbázisfájl sérült. (HMAC eltérés) - Unknown cipher Ismeretlen titkosító @@ -2750,6 +3650,16 @@ Ez a kijelölt bővítmény hibás működését eredményezheti. Translation: variant map = data structure for storing meta data Érvénytelen változattérkép mezőtípusméret + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Érvénytelenek a hitelesítési adatok, újra kell próbálkozni. +Ha ez újból előfordul, lehet hogy az adatbázisfájl sérült. + + + (HMAC mismatch) + (HMAC eltérés) + Kdbx4Writer @@ -2971,14 +3881,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - KeePass1 adatbázis importálása - Unable to open the database. Nem lehet megnyitni az adatbázist. + + Import KeePass1 Database + KeePass1 adatbázis importálása + KeePass1Reader @@ -3035,10 +3945,6 @@ Line %2, column %3 Unable to calculate master key Nem lehet kiszámítani a mesterkulcsot - - Wrong key or database file is corrupt. - Rossz kulcs vagy sérült adatbázisfájl. - Key transformation failed Kulcsátalakítás sikertelen @@ -3135,40 +4041,58 @@ Line %2, column %3 unable to seek to content position nem lehet a tartalom pozíciójához lépni + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Érvénytelenek a hitelesítési adatok, újra kell próbálkozni. +Ha ez újból előfordul, lehet hogy az adatbázisfájl sérült. + KeeShare - Disabled share - Letiltott megosztás + Invalid sharing reference + Érvénytelen megosztási hivatkozás - Import from - Importálás innen + Inactive share %1 + Inaktív megosztás: %1 - Export to - Exportálás ide + Imported from %1 + Importálva innen: %1 - Synchronize with - Szinkronizálás ezzel + Exported to %1 + Exportálva ide: %1 - Disabled share %1 - %1 megosztás letiltva + Synchronized with %1 + Szinkronizálva ezzel: %1 - Import from share %1 - Importálás a(z) %1 megosztásból + Import is disabled in settings + Importálás letiltva a beállításokban - Export to share %1 - Exportálás a(z) %1 megosztásba + Export is disabled in settings + Exportálás letiltva a beállításokban - Synchronize with share %1 - Szinkronizálás a(z) %1 megosztásssal + Inactive share + Inaktív megosztás + + + Imported from + Importálva innen + + + Exported to + Exportálva ide + + + Synchronized with + Szinkronizálva ezzel @@ -3212,10 +4136,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Tallózás - Generate Előállítás @@ -3271,6 +4191,43 @@ Message: %2 Select a key file Kulcsfájl kiválasztása + + Key file selection + Kulcsfájl kijelölése + + + Browse for key file + Kulcsfájl böngészése + + + Browse... + Tallózás… + + + Generate a new key file + Új kulcsfájl előállítása + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Megjegyzés: Nem szabad olyan fájlt használni, amely megváltozhat, mivel ez megakadályozza az adatbázis feloldását! + + + Invalid Key File + Érvénytelen kulcsfájl + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Nem lehet e jelenlegi adatbázist használnia saját kulcsfájljaként. Egy másik fájlt kell választani vagy egy kulcsfájlt előállítani. + + + Suspicious Key File + Gyanús kulcsfájl + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3358,10 +4315,6 @@ Message: %2 &Settings &Beállítások - - Password Generator - Jelszógenerátor - &Lock databases Adatbázisok &zárolása @@ -3547,14 +4500,6 @@ Javasoljuk az AppImage alkalmazását, amely elérhető a letöltések oldalon.< Show TOTP QR Code... TOTP QR-kód megjelenítése… - - Check for Updates... - Frissítések keresése... - - - Share entry - Bejegyzés megosztása - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3563,15 +4508,83 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Check for updates on startup? - Keressen a program induláskor frissítéseket? + Keressen az alkalmazás induláskor frissítéseket? Would you like KeePassXC to check for updates on startup? - Valóban keressen a program induláskor frissítéseket? + Valóban keressen az alkalmazás induláskor frissítéseket? You can always check for updates manually from the application menu. - A program menüjéből bármikor saját kezűleg is indítható a frissítések keresése. + Az alkalmazás menüjéből bármikor saját kezűleg is indítható a frissítések keresése. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Favicon letöltése + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + Felhasználói &kézikönyv + + + Open User Guide PDF + PDF felhasználói kézikönyv megnyitása + + + &Keyboard Shortcuts + &Gyorsbillentyűk @@ -3632,6 +4645,14 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Adding missing icon %1 Hiányzó %1 ikon hozzáadása + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3701,6 +4722,72 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Töltse ki a megjelenítendő nevet és a nem kötelező leírást az új adatbázishoz: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3800,6 +4887,17 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Ismeretlen kulcstípus: %1 + + PasswordEdit + + Passwords do not match + A jelszavak nem egyeznek + + + Passwords match so far + A jelszavak eddig megegyeznek + + PasswordEditWidget @@ -3826,6 +4924,22 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Generate master password Mesterjelszó előállítása + + Password field + Jelszó mező + + + Toggle password visibility + Jelszó láthatóságának átváltása + + + Repeat password field + Jelszómező ismétlése + + + Toggle password generator + Jelszógenerátor átváltása + PasswordGeneratorWidget @@ -3854,22 +4968,10 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Character Types Karaktertípusok - - Upper Case Letters - Nagybetűk - - - Lower Case Letters - Kisbetűk - Numbers Számok - - Special Characters - Speciális karakterek - Extended ASCII Bővített ASCII @@ -3950,18 +5052,10 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Advanced Speciális - - Upper Case Letters A to F - Nagybetűk A-tól F-ig - A-Z A-Z - - Lower Case Letters A to F - Kisbetűk a-tól f-ig - a-z a-z @@ -3994,18 +5088,10 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján " ' " ' - - Math - Matematika - <*+!?= <*+!?= - - Dashes - Kötőjelek - \_|-/ \_|-/ @@ -4054,6 +5140,74 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Regenerate Újra előállítás + + Generated password + Előállított jelszó + + + Upper-case letters + Nagybetűk + + + Lower-case letters + Kisbetűk + + + Special characters + Speciális karakterek + + + Math Symbols + Matematikai szimbólumok + + + Dashes and Slashes + Kötőjelek és perjelek + + + Excluded characters + Kizárt karakterek + + + Hex Passwords + Hexadecimális jelszavak + + + Password length + Jelszóhossz + + + Word Case: + + + + Regenerate password + Jelszó újraelőállítása + + + Copy password + Jelszó másolása + + + Accept password + Jelszó elfogadása + + + lower case + kisbetű + + + UPPER CASE + NAGYBETŰ + + + Title Case + Cím + + + Toggle password visibility + Jelszó láthatóságának átváltása + QApplication @@ -4061,12 +5215,9 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján KeeShare KeeShare - - - QFileDialog - Select - Kijelölés + Statistics + Statisztika @@ -4103,6 +5254,10 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Merge Egyesítés + + Continue + + QObject @@ -4194,10 +5349,6 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Generate a password for the entry. Jelszó előállítása a bejegyzés számára. - - Length for the generated password. - Előállított jelszó hossza. - length hosszúság @@ -4247,18 +5398,6 @@ Néhány hiba és kisebb nehézségek várhatóak, ezért ez a verzió nem aján Perform advanced analysis on the password. A jelszó speciális elemzése. - - Extract and print the content of a database. - Adatbázis tartalmának kibontása és kiírása. - - - Path of the database to extract. - Kibontandó adatbázis útvonala. - - - Insert password to unlock %1: - Jelszó beszúrása a feloldásához: %1 - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4302,10 +5441,6 @@ Elérhető parancsok: Merge two databases. Két adatbázis egyesítése. - - Path of the database to merge into. - Az egyesítés céladatbázisának útvonala. - Path of the database to merge from. Az egyesítés forrásadatbázisának útvonala. @@ -4382,10 +5517,6 @@ Elérhető parancsok: Browser Integration Böngészőintegráció - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] kihívás-válasz – %2. foglalat – %3 - Press Lenyomás @@ -4416,10 +5547,6 @@ Elérhető parancsok: Generate a new random password. Véletlenszerű új jelmondat előállítása. - - Invalid value for password length %1. - Érvénytelen jelszóhossz érték: %1. - Could not create entry with path %1. Nem hozható létre bejegyzés a(z) %1 útvonallal. @@ -4477,10 +5604,6 @@ Elérhető parancsok: CLI parameter szám - - Invalid value for password length: %1 - Érvénytelen jelszóhossz érték: %1 - Could not find entry with path %1. Nem található bejegyzés a(z) %1 útvonalon. @@ -4605,26 +5728,6 @@ Elérhető parancsok: Failed to load key file %1: %2 A(z) %1 kulcsfájl betöltése sikertelen: %2 - - File %1 does not exist. - A(z) %1 fájl nem létezik - - - Unable to open file %1. - A(z) %1 fájl nem nyitható meg. - - - Error while reading the database: -%1 - Hiba az adatbázis olvasásakor: -%1 - - - Error while parsing the database: -%1 - Hiba az adatbázis feldolgozásakor: -%1 - Length of the generated password Az előállított jelszó hossza @@ -4637,10 +5740,6 @@ Elérhető parancsok: Use uppercase characters Nagybetűs karakterek használata - - Use numbers. - Számok használata. - Use special characters Különleges karakterek használata @@ -4785,10 +5884,6 @@ Elérhető parancsok: Successfully created new database. Az adatbázis sikeresen létre lett hozva. - - Insert password to encrypt database (Press enter to leave blank): - A beírt jelszóval lesz titkosítva az adatbázis (Entert ütve üres marad): - Creating KeyFile %1 failed: %2 A(z) %1 KeyFile létrehozása sikertelen: %2 @@ -4797,10 +5892,6 @@ Elérhető parancsok: Loading KeyFile %1 failed: %2 A(z) %1 KeyFile betöltése sikertelen: %2 - - Remove an entry from the database. - Egy bejegyzés eltávolítása az adatbázisból. - Path of the entry to remove. Az eltávolítandó bejegyzés útvonala. @@ -4857,6 +5948,330 @@ Elérhető parancsok: Cannot create new group Nem hozható létre új csoport + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Verzió: %1 + + + Build Type: %1 + Összeállítás típusa: %1 + + + Revision: %1 + Revízió: %1 + + + Distribution: %1 + Disztribúció: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operációs rendszer: %1 +CPU architektúra: %2 +Kernel: %3 %4 + + + Auto-Type + Automatikus beírás + + + KeeShare (signed and unsigned sharing) + KeeShare (aláírt és nem aláírt megosztás) + + + KeeShare (only signed sharing) + KeeShare (csak aláírt megoszás) + + + KeeShare (only unsigned sharing) + KeeShare (csak nem aláírt megosztás) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nincs + + + Enabled extensions: + Engedélyezett kiterjesztések: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Az adatbázis nem változott az összeolvasztási művelet során. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4920,7 +6335,7 @@ Elérhető parancsok: Restricted lifetime is not supported by the agent (check options). - Az ügynök nem támogatja a korlátozott élettartamot (lásd a lehetőségek). + Az ügynök nem támogatja a korlátozott élettartamot (lásd a lehetőségeket). A confirmation request is not supported by the agent (check options). @@ -5010,6 +6425,93 @@ Elérhető parancsok: Nagy- és kisbetű érzékeny + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Általános + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Csoport + + + Manage + + + + Authorization + + + + These applications are currently connected: + Ezek az alkalmazások kapcsolódnak jelenleg: + + + Application + Alkalmazás + + + Disconnect + + + + Database settings + Adatbázis-beállítások + + + Edit database settings + + + + Unlock database + Adatbázis feloldása + + + Unlock database to show more information + + + + Lock database + Adatbázis zárolása + + + Unlock to show + + + + None + Nincs + + SettingsWidgetKeeShare @@ -5133,9 +6635,100 @@ Elérhető parancsok: Signer: Aláíró: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Kulcs + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Az aláírt tárolók felülírása nem támogatott – az exportálás megakadályozva + + + Could not write export container (%1) + Nem írható az exportálási tároló (%1) + + + Could not embed signature: Could not open file to write (%1) + Az aláírás nem ágyazható be: A fájl nem nyitható meg írásra (%1) + + + Could not embed signature: Could not write file (%1) + Az aláírás nem ágyazható be: A fájl nem írható (%1) + + + Could not embed database: Could not open file to write (%1) + Az adatbázis nem ágyazható be: A fájl nem nyitható meg írásra (%1) + + + Could not embed database: Could not write file (%1) + Az adatbázis nem ágyazható be: A fájl nem írható (%1) + + + Overwriting unsigned share container is not supported - export prevented + A nem aláírt tárolók felülírása nem támogatott – az exportálás megakadályozva + + + Could not write export container + Az exportálási tároló nem írható + + + Unexpected export error occurred + Váratlan exportálás hiba történt + + + + ShareImport Import from container without signature Importálás a tárolóból aláírás nélkül @@ -5148,6 +6741,10 @@ Elérhető parancsok: Import from container with certificate Importálás a tárolóból aláírással + + Do you want to trust %1 with the fingerprint of %2 from %3? + Megbízhatónak minősíthető a(z) %1, melynek ujjlenyomata %2 / %3? {1 ?} {2 ?} + Not this time Most nem @@ -5164,18 +6761,6 @@ Elérhető parancsok: Just this time Csak most - - Import from %1 failed (%2) - %1 importálása sikeretlen (%2) - - - Import from %1 successful (%2) - %1 importálása sikeres (%2) - - - Imported from %1 - Importálva innen: %1 - Signed share container are not supported - import prevented Az aláírt tárolók nem támogatottak – az importálás megakadályozva @@ -5216,25 +6801,20 @@ Elérhető parancsok: Unknown share container type Ismeretlen megosztási tárolótípus + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Az aláírt tárolók felülírása nem támogatott – az exportálás megakadályozva + Import from %1 failed (%2) + %1 importálása sikeretlen (%2) - Could not write export container (%1) - Nem írható az exportálási tároló (%1) + Import from %1 successful (%2) + %1 importálása sikeres (%2) - Overwriting unsigned share container is not supported - export prevented - A nem aláírt tárolók felülírása nem támogatott – az exportálás megakadályozva - - - Could not write export container - Az exportálási tároló nem írható - - - Unexpected export error occurred - Váratlan exportálás hiba történt + Imported from %1 + Importálva innen: %1 Export to %1 failed (%2) @@ -5248,10 +6828,6 @@ Elérhető parancsok: Export to %1 Exportálás: %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Megbízhatónak minősíthető a(z) %1, melynek ujjlenyomata %2 / %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Több importálási forrásútvonal ehhez: %1, itt: %2 @@ -5260,22 +6836,6 @@ Elérhető parancsok: Conflicting export target path %1 in %2 Ütköző %1 exportálási célútvonal itt: %2 - - Could not embed signature: Could not open file to write (%1) - Az aláírás nem ágyazható be: A fájl nem nyitható meg írásra (%1) - - - Could not embed signature: Could not write file (%1) - Az aláírás nem ágyazható be: A fájl nem írható (%1) - - - Could not embed database: Could not open file to write (%1) - Az adatbázis nem ágyazható be: A fájl nem nyitható meg írásra (%1) - - - Could not embed database: Could not write file (%1) - Az adatbázis nem ágyazható be: A fájl nem írható (%1) - TotpDialog @@ -5322,10 +6882,6 @@ Elérhető parancsok: Setup TOTP TOTP beállítása - - Key: - Kulcs: - Default RFC 6238 token settings Alapértelmezett RFC 6238-jelsor beállítás @@ -5356,16 +6912,45 @@ Elérhető parancsok: Kódméret: - 6 digits - 6-számjegyű + Secret Key: + - 7 digits - 7-számjegyű + Secret key must be in Base32 format + - 8 digits - 8-számjegyű + Secret key field + + + + Algorithm: + Algoritmus: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5449,6 +7034,14 @@ Elérhető parancsok: Welcome to KeePassXC %1 Üdvözöljük a KeePassXC %1 verzióban! + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5472,5 +7065,13 @@ Elérhető parancsok: No YubiKey inserted. Nincs YubiKey behelyezve. + + Refresh hardware tokens + Hardveres jelsorok frissítése + + + Hardware key slot selection + Hardverkulcsfoglalat kijelölése + \ No newline at end of file diff --git a/share/translations/keepassx_id.ts b/share/translations/keepassx_id.ts index 555aa987c..21075238d 100644 --- a/share/translations/keepassx_id.ts +++ b/share/translations/keepassx_id.ts @@ -54,7 +54,7 @@ Use OpenSSH for Windows instead of Pageant - + Gunakan OpenSSH untuk Windows dari pada Pageant @@ -77,22 +77,30 @@ Icon only - + Hanya ikon Text only - + Hanya teks Text beside icon - + Teks disebelah ikon Text under icon - + Teks di bawah ikon Follow style + Ikuti gaya + + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Hanya mulai satu aplikasi KeePassXC - - Remember last databases - Ingat basis data terakhir - - - Remember last key files and security dongles - Ingat berkas kunci dan dongle keamanan terakhir - - - Load previous databases on startup - Muat basis data sebelumnya saat mulai - Minimize window at application startup Minimalkan jendela saat memulai aplikasi @@ -162,10 +158,6 @@ Use group icon on entry creation Gunakan ikon grup pada pembuatan entri - - Minimize when copying to clipboard - Minimalkan ketika menyalin ke papan klip - Hide the entry preview panel Sembunyikan panel pratinjau entri @@ -194,10 +186,6 @@ Hide window to system tray when minimized Sembunyikan jendela ke baki sistem ketika diminimalkan - - Language - Bahasa - Auto-Type Ketik-Otomatis @@ -220,7 +208,7 @@ Auto-Type typing delay - + Tundaan pengetikan Ketik-Otomatis ms @@ -229,22 +217,103 @@ Auto-Type start delay - - - - Check for updates at application startup - - - - Include pre-releases when checking for updates - + Tundaan mulai Ketik-Otomatis Movable toolbar + Bilah perkakas dapat dipindah + + + Remember previously used databases - Button style + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + det + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds @@ -273,7 +342,7 @@ Forget TouchID after inactivity of - + Lupakan TouchID setelah tidak aktif selama Convenience @@ -285,7 +354,7 @@ Forget TouchID when session is locked or lid is closed - + Lupakan TouchID ketika sesi dikunci atau lid ditutup Lock databases after minimizing the window @@ -320,8 +389,29 @@ Privasi - Use DuckDuckGo as fallback for downloading website icons - Gunakan DuckDuckGo sebagai cadangan untuk mengunduh ikon website + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + @@ -389,6 +479,17 @@ Urutan + + AutoTypeMatchView + + Copy &username + Salin &nama pengguna + + + Copy &password + Salin &sandi + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Pilih entri untuk Ketik-Otomatis: + + Search... + Cari... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 telah meminta akses sandi untuk item berikut. Silakan pilih apakah Anda ingin mengizinkannya. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -442,7 +555,8 @@ Silakan pilih apakah Anda ingin mengizinkannya. You have multiple databases open. Please select the correct database for saving credentials. - + Ada beberapa basis data yang terbuka. +Silakan pilih basis data yang digunakan untuk menyimpan kredensial. @@ -455,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser Ini dibutuhkan untuk mengakses basis data Anda menggunakan KeePassXC-Browser - - Enable KeepassXC browser integration - Aktifkan integrasi peramban KeePassXC - General Umum @@ -532,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Jangan pernah bertanya sebelum memper&barui kredensial - - Only the selected database has to be connected with a client. - Hanya basis data terpilih yang harus terkoneksi dengan klien. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -591,13 +697,9 @@ Please select the correct database for saving credentials. &Tor Browser Peramban &Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files - + Berkas Executable All Files @@ -606,11 +708,11 @@ Please select the correct database for saving credentials. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - + Jangan minta izin untuk HTTP &Basic Auth Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + Karena adanya sandbox Snap, anda harus menjalankan skrip untuk mengaktifkan integrasi peramban.<br />Anda bisa mendapatkan skrip ini dari %1 Please see special instructions for browser extension use below @@ -618,6 +720,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + Memerlukan KeePassXC-Browser agar integrasi peramban bisa bekerja. <br />Unduh %1 dan %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 @@ -669,12 +815,13 @@ Apakah Anda ingin menimpanya ulang? KeePassXC: Converted KeePassHTTP attributes - + KeePassXC: Konversi atribut KeePassHTTP Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Berhasil mengonversi atribut dari %1 entri. +Memindahkan %2 ke data khusus. Successfully moved %n keys to custom data. @@ -682,31 +829,39 @@ Moved %2 keys to custom data. KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC: Tidak ada entri dengan atribut KeePassHTTP yang ditemukan! The active database does not contain an entry with KeePassHTTP attributes. - + Basis data yang aktif tidak berisi entri dengan atribut KeePassHTTP. KeePassXC: Legacy browser integration settings detected - + KeePassXC: Mendeteksi pengaturan integrasi peramban lama KeePassXC: Create a new group - + KeePassXC: Buat grup baru A request for creating a new group "%1" has been received. Do you want to create this group? - + Permintaan untuk membuat grup "%1" telah diterima. +Apakah anda ingin membuat grup ini? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + Pengaturan KeePassXC-Browser anda perlu dipindahkan ke dalam pengaturan basis data. +Hal ini diperlukan untuk mempertahankan koneksi peramban anda saat ini. +Apakah anda ingin memindahkan pengaturan yang ada sekarang? + + + Don't show this warning again + Jangan tampilkan peringatan ini lagi @@ -766,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names Rekam pertama memiliki nama ruas - - Number of headers line to discard - Jumlah baris tajuk untuk dibuang - Consider '\' an escape character Anggap '\' sebagai karakter escape @@ -800,7 +951,7 @@ Would you like to migrate your existing settings now? Empty fieldname %1 - + Ruas nama %1 kosong column %1 @@ -808,7 +959,7 @@ Would you like to migrate your existing settings now? Error(s) detected in CSV file! - + Mendeteksi kesalahan di dalam berkas CSV! [%n more message(s) skipped] @@ -819,12 +970,28 @@ Would you like to migrate your existing settings now? %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n kolom + %1, %2, %3 @@ -833,11 +1000,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n byte + %n row(s) - %n baris + @@ -859,18 +1026,35 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Terjadi kesalahan saat membaca basis data: %1 - - Could not save, database has no file name. - - File cannot be written as it is opened in read-only mode. - + Berkas tidak bisa disimpan karena terbuka dalam mode baca-saja. Key not transformed. This is a bug, please report it to the developers! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Tong Sampah + DatabaseOpenDialog @@ -881,30 +1065,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Masukkan kunci utama - Key File: Berkas Kunci: - - Password: - Sandi: - - - Browse - Telusuri - Refresh Segarkan - - Challenge Response: - - Legacy key file format Format berkas kunci legacy @@ -936,20 +1104,96 @@ Harap pertimbangkan membuat berkas kunci baru. Pilih berkas kunci - TouchID for quick unlock - TouchID untuk membuka kunci cepat + Failed to open key file: %1 + - Unable to open the database: -%1 - Tidak bisa membuka basis data: -%1 + Select slot... + - Can't open key file: -%1 - Tidak bisa membuka berkas kunci: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Telusuri... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Bersihkan + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -998,11 +1242,11 @@ Harap pertimbangkan membuat berkas kunci baru. Forg&et all site-specific settings on entries - + Lu&pakan semua pengaturan spesifik situs pada entri Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + Pindahkan atribut KeePassHTTP ke data &khusus KeePassXC-Browser Stored keys @@ -1019,7 +1263,8 @@ Harap pertimbangkan membuat berkas kunci baru. Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + Apakah anda ingin menghapus kunci yang dipilih? +Hal ini mungkin dapat mencegah koneksi ke plugin peramban. Key @@ -1040,7 +1285,8 @@ This may prevent connection to the browser plugin. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + Apakah anda ingin memutus koneksi semua peramban? +Tindakan ini akan memutus koneksi ke plugin peramban. KeePassXC: No keys found @@ -1048,7 +1294,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - + TIdak ada kunci enkripsi bersama yang ditemukan di dalam pengaturan KeePassXC. KeePassXC: Removed keys from database @@ -1056,16 +1302,17 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Berhasil membuang %n kunci enkripsi dari pengaturan KeePassXC. + Forget all site-specific settings on entries - + Lupakan semua pengaturan spesifik situs pada entri Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + Apakah anda ingin melupakan semua pengaturan spesifik situs pada semua entri? +Izin untuk mengakses entri akan dicabut. Removing stored permissions… @@ -1081,7 +1328,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Berhasil membuang perizinan dari %n entri. + KeePassXC: No entry with permissions found! @@ -1098,6 +1345,15 @@ Permissions to access entries will be revoked. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + Apakah anda ingin memindahkan semua data integrasi peramban lama ke standar baru? +Hal ini diperlukan untuk mempertahankan kompatibilitas dengan plugin peramban. + + + Stored browser keys + + + + Remove selected key @@ -1121,7 +1377,7 @@ This is necessary to maintain compatibility with the browser plugin. Transform rounds: - + Jumlah transformasi: Benchmark 1-second delay @@ -1157,7 +1413,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - + Nilai yang lebih tinggi memberikan perlindungan lebih, tetapi membuka basis data akan menjadi lebih lama. Database format: @@ -1183,13 +1439,15 @@ This is necessary to maintain compatibility with the browser plugin. Number of rounds too high Key transformation rounds - + Nilai transformasi terlalu tinggi You are using a very high number of key transform rounds with Argon2. If you keep this number, your database may take hours or days (or even longer) to open! - + Jumlah transformasi kunci yang anda gunakan dengan Argon2 terlalu tinggi. + +Jika anda tetap mempertahankan jumlah setinggi ini, basis data mungkin akan membutuhkan waktu berjam-jam atau bahkan berhari-hari untuk bisa dibuka! Understood, keep number @@ -1202,13 +1460,15 @@ If you keep this number, your database may take hours or days (or even longer) t Number of rounds too low Key transformation rounds - + Jumlah transformasi terlalu rendah You are using a very low number of key transform rounds with AES-KDF. If you keep this number, your database may be too easy to crack! - + Jumlah transformasi kunci yang anda gunakan dengan AES-KDF terlalu rendah. + +Jika anda tetap mempertahankan jumlah serendah ini, basis data anda mungkin akan menjadi terlalu mudah untuk di retas! KDF unchanged @@ -1221,7 +1481,7 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + thread(s) @@ -1231,12 +1491,63 @@ If you keep this number, your database may be too easy to crack! %1 ms milliseconds - %1 md + %1 s seconds - %1 d + + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1285,12 +1596,45 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Aktifkan &kompresi (direkomendasikan) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare Sharing - + Berbagi Breadcrumb @@ -1298,11 +1642,11 @@ If you keep this number, your database may be too easy to crack! Type - + Tipe Path - + Jalur Last Signer @@ -1310,12 +1654,12 @@ If you keep this number, your database may be too easy to crack! Certificates - + Sertifikat > Breadcrumb separator - + > @@ -1326,21 +1670,23 @@ If you keep this number, your database may be too easy to crack! No encryption key added - + Tidak ada kunci enkripsi yang ditambahkan You must add at least one encryption key to secure your database! - + Anda harus menambahkan paling tidak satu kunci enkripsi untuk mengamankan basis data anda! No password set - + Sandi belum di atur WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - + PERINGATAN! Anda belum mengatur sandi. Menggunakan basis data tanpa sandi amat sangat tidak disarankan! + +Apakah anda tetap ingin melanjutkan tanpa mengatur sandi? Unknown error @@ -1350,6 +1696,10 @@ Are you sure you want to continue without a password? Failed to change master key Gagal mengubah kunci master + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1361,6 +1711,129 @@ Are you sure you want to continue without a password? Description: Deskripsi: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Nama + + + Value + Nilai + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1402,16 +1875,13 @@ Are you sure you want to continue without a password? Database creation error - + Kesalahan dalam membuat basis data The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + Basis data yang dibuat tidak memiliki kunci atau KDF, aplikasi tidak bisa menyompannya. +Masalah ini jelas sebuah bug, silakan laporkan ke pengembang. Select CSV file @@ -1436,6 +1906,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [Hanya-baca] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1453,7 +1947,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - Apakah Anda benar-benar ingin memindahkan %n entri ke keranjang sampah? + Execute command? @@ -1519,15 +2013,11 @@ Apakah Anda ingin menggabungkan ubahan Anda? Delete entry(s)? - Hapus entri? + Move entry(s) to recycle bin? - Pindahkan entri ke keranjang sampah? - - - File opened in read only mode. - Berkas terbuka dalam mode baca-saja. + Lock Database? @@ -1535,7 +2025,7 @@ Apakah Anda ingin menggabungkan ubahan Anda? You are editing an entry. Discard changes and lock anyway? - + Anda sedang menyunting entri. Abaikan ubahan dan tetap mengunci? "%1" was modified. @@ -1556,7 +2046,8 @@ Simpan perubahan? Could not open the new database file while attempting to autoreload. Error: %1 - + Tidak bisa membuka berkas basis data baru saat mencoba untuk memuat ulang. +Galat: %1 Disable safe saves? @@ -1568,11 +2059,6 @@ Disable safe saves and try again? KeePassXC telah beberapa kali gagal menyimpan basis data. Hal ini mungkin disebabkan oleh layanan sinkronisasi berkas yang menghalangi berkas yang akan disimpan. Nonaktifkan penyimpanan aman dan coba lagi? - - Writing the database failed. -%1 - - Passwords Sandi @@ -1587,7 +2073,7 @@ Nonaktifkan penyimpanan aman dan coba lagi? Replace references to entry? - + Ganti referensi ke entri? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? @@ -1599,22 +2085,30 @@ Nonaktifkan penyimpanan aman dan coba lagi? Move group to recycle bin? - + Pindahkan grup ke keranjang sampah? Do you really want to move the group "%1" to the recycle bin? - + Apakah anda ingin memindahkan grup "%1" ke keranjang sampah? Successfully merged the database files. - + Berhasil menggabungkan berkas basis data. Database was not modified by merge operation. - + Basis data tidak diubah oleh proses penggabungan. Shared group... + Grup bersama... + + + Writing the database failed: %1 + Gagal menyimpan basis data: %1 + + + This database is opened in read-only mode. Autosave is disabled. @@ -1698,11 +2192,11 @@ Nonaktifkan penyimpanan aman dan coba lagi? %n week(s) - %n minggu + %n month(s) - %n bulan + Apply generated password? @@ -1730,10 +2224,22 @@ Nonaktifkan penyimpanan aman dan coba lagi? %n year(s) - %n tahun + Confirm Removal + Konfirmasi Penghapusan + + + Browser Integration + Integrasi Peramban + + + <empty URL> + + + + Are you sure you want to remove this URL? @@ -1775,6 +2281,42 @@ Nonaktifkan penyimpanan aman dan coba lagi? Background Color: Warna Latar Belakang: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1808,8 +2350,79 @@ Nonaktifkan penyimpanan aman dan coba lagi? Use a specific sequence for this association: + Gunakan sekuens spesifik untuk asosiasi ini: + + + Custom Auto-Type sequence + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Umum + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Tambah + + + Remove + Buang + + + Edit + Sunting + EditEntryWidgetHistory @@ -1829,6 +2442,26 @@ Nonaktifkan penyimpanan aman dan coba lagi? Delete all Hapus semua + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1868,6 +2501,62 @@ Nonaktifkan penyimpanan aman dan coba lagi? Expires Kedaluwarsa + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1944,6 +2633,22 @@ Nonaktifkan penyimpanan aman dan coba lagi? Require user confirmation when this key is used Membutuhkan konfirmasi pengguna saat kunci ini digunakan + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1979,6 +2684,10 @@ Nonaktifkan penyimpanan aman dan coba lagi? Inherit from parent group (%1) Mengikuti grup induk (%1) + + Entry has unsaved changes + Entri memiliki perubahan yang belum disimpan + EditGroupWidgetKeeShare @@ -1988,15 +2697,15 @@ Nonaktifkan penyimpanan aman dan coba lagi? Type: - + Tipe: Path: - + Jalur: ... - + ... Password: @@ -2004,35 +2713,7 @@ Nonaktifkan penyimpanan aman dan coba lagi? Inactive - - - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - + Tidak aktif KeeShare unsigned container @@ -2044,30 +2725,88 @@ Nonaktifkan penyimpanan aman dan coba lagi? Select import source - + Pilih sumber impor Select export target - + Pilih target ekspor Select import/export file - + Pilih berkas impor/ekspor Clear Bersihkan - The export container %1 is already referenced. + Import + Impor + + + Export + Ekspor + + + Synchronize - The import container %1 is already imported. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. - The container %1 imported and export by different groups. + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2101,6 +2840,34 @@ Nonaktifkan penyimpanan aman dan coba lagi? Set default Auto-Type se&quence Tetapkan uru&tan baku Ketik-Otomatis + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2136,37 +2903,25 @@ Nonaktifkan penyimpanan aman dan coba lagi? All files Semua Berkas - - Custom icon already exists - Ikon khusus sudah ada - Confirm Delete Konfirmasi Hapus - - Custom icon successfully downloaded - Ikon khusus berhasil diunduh - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) Pilih Gambar Successfully loaded %1 of %n icon(s) - Berhasil memuat %1 dari %n ikon + No icons were loaded - + Tidak ada ikon yang dimuat %n icon(s) already exist in the database - %n ikon sudah ada didalam basis data + The following icon(s) failed: @@ -2176,6 +2931,42 @@ Nonaktifkan penyimpanan aman dan coba lagi? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2221,6 +3012,30 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Value Nilai + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2268,7 +3083,7 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Are you sure you want to remove %n attachment(s)? - Apakah Anda yakin ingin membuang %n lampiran? + Save attachments @@ -2308,13 +3123,33 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Confirm remove - + Konfirmasi buang Unable to open file(s): %1 + + Attachments + Lampiran + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2408,10 +3243,6 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. EntryPreviewWidget - - Generate TOTP Token - Buat Token TOTP - Close Tutup @@ -2495,8 +3326,16 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Share + Bagikan + + + Display current TOTP value + + Advanced + Tingkat Lanjut + EntryView @@ -2530,11 +3369,33 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. - Group + FdoSecrets::Item - Recycle Bin - Tong Sampah + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2552,6 +3413,58 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Tidak bisa menyimpan berkas perpesanan native. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Batal + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Tutup + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2573,10 +3486,6 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Unable to issue challenge-response. - - Wrong key or database file is corrupt. - Kunci salah atau berkas basis data rusak. - missing database headers kehilangan tajuk basis data @@ -2597,6 +3506,11 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Invalid header data length Panjang data tajuk tidak valid + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2627,10 +3541,6 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Header SHA256 mismatch Tajuk SHA256 tidak cocok - - Wrong key or database file is corrupt. (HMAC mismatch) - Kunci salah atau berkas basis data rusak. (HMAC tidak cocok) - Unknown cipher Cipher tidak dikenal @@ -2731,6 +3641,15 @@ Ini mungkin akan menyebabkan plugin terkait tidak berfungsi. Translation: variant map = data structure for storing meta data Ukuran tipe entri map variasi tidak valid + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2819,7 +3738,7 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa membuka basis data yang diimp Failed to read database file. - + Gagal membaca berkas basis data. @@ -2952,14 +3871,14 @@ Baris %2, kolom %3 KeePass1OpenWidget - - Import KeePass1 database - Impor basis data KeePass1 - Unable to open the database. Tidak bisa membuka basis data. + + Import KeePass1 Database + + KeePass1Reader @@ -3016,10 +3935,6 @@ Baris %2, kolom %3 Unable to calculate master key Tidak bisa mengkalkulasi kunci utama - - Wrong key or database file is corrupt. - Kunci salah atau berkas basis data rusak. - Key transformation failed Transformasi kunci gagal @@ -3116,39 +4031,56 @@ Baris %2, kolom %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from + Inactive share %1 - Export to + Imported from %1 + Diimpor dari %1 + + + Exported to %1 - Synchronize with + Synchronized with %1 - Disabled share %1 + Import is disabled in settings - Import from share %1 + Export is disabled in settings - Export to share %1 + Inactive share - Synchronize with share %1 + Imported from + + + + Exported to + + + + Synchronized with @@ -3156,11 +4088,11 @@ Baris %2, kolom %3 KeyComponentWidget Key Component - + Komponen Kunci Key Component Description - + Deskripsi Komponen Kunci Cancel @@ -3168,7 +4100,7 @@ Baris %2, kolom %3 Key Component set, click to change or remove - + Komponen Kunci sudah diatur, klik untuk mengubah atau buang Add %1 @@ -3188,15 +4120,11 @@ Baris %2, kolom %3 %1 set, click to change or remove Change or remove a key component - + %1 telah diatur, klik untuk mengganti atau menghapus KeyFileEditWidget - - Browse - Telusuri - Generate Buat @@ -3207,7 +4135,7 @@ Baris %2, kolom %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>Anda bisa menambahkan berkas kunci yang berisi byte acak untuk jaminan keamanan lebih.</p><p>Anda harus menjaga kerahasiannya dan jangan pernah menghilangkannya atau anda akan terkunci dan dicekal selamanya!</p> Legacy key file format @@ -3218,7 +4146,10 @@ Baris %2, kolom %3 unsupported in the future. Please go to the master key settings and generate a new key file. - + Anda menggunakan format berkas kunci lama yang mungkin +tidak akan lagi didukung di masa depan. + +Kunjungi pengaturan kunci utama dan buat berkas kunci baru. Error loading the key file '%1' @@ -3250,6 +4181,43 @@ Pesan: %2 Select a key file Pilih berkas kunci + + Key file selection + + + + Browse for key file + + + + Browse... + Telusuri... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3337,10 +4305,6 @@ Pesan: %2 &Settings &Pengaturan - - Password Generator - Pembuat Sandi - &Lock databases &Kunci basis data @@ -3452,7 +4416,7 @@ We recommend you use the AppImage available on our downloads page. &Merge from database... - + &Gabung dari basis data... Merge from another KDBX database @@ -3526,29 +4490,91 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Tampilkan Kode QR TOTP... - - Check for Updates... - - - - Share entry - - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + CATATAN: Anda menggunakan versi pra-rilis KeePassXC! + +Jangan kaget jika ada masalah dan bug, versi ini tidak ditujukan untuk penggunaan harian. Check for updates on startup? - + Periksa pembaruan saat memulai? Would you like KeePassXC to check for updates on startup? - + Apakah anda ingin KeePassXC memeriksa pembaruan setiap memulai aplikasi? You can always check for updates manually from the application menu. + Anda selalu bisa memeriksa pembaruan secara manual dari menu aplikasi. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Unduh favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts @@ -3564,19 +4590,19 @@ Expect some bugs and minor issues, this version is not meant for production use. Overwriting %1 [%2] - + Menyimpan ulang %1 [%2] older entry merged from database "%1" - + entri lama yang digabung dari basis data "%1" Adding backup for older target %1 [%2] - + Menambahkan cadangan untuk target lama %1 [%2] Adding backup for older source %1 [%2] - + Menambahkan cadangan untuk sumber lama %1 [%2] Reapplying older target entry on top of newer source %1 [%2] @@ -3608,6 +4634,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 + Menambahkan ikon %1 yang hilang + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] @@ -3635,7 +4669,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Di sini anda bisa menyesuaikan pengaturan enkripsi basis data. Jangan khawatir, anda bisa mengubahnya lagi nanti di pengaturan basis data. Advanced Settings @@ -3654,7 +4688,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Di sini anda bisa menyesuaikan pengaturan enkripsi basis data. Jangan khawatir, anda bisa mengubahnya lagi nanti di pengaturan basis data. @@ -3676,6 +4710,72 @@ Expect some bugs and minor issues, this version is not meant for production use. Please fill in the display name and an optional description for your new database: + Silakan masukkan nama dan deskripsi opsional untuk basis data anda yang baru: + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 @@ -3778,6 +4878,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Jenis key tidak diketahui: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3804,6 +4915,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Buat sandi master + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3832,22 +4959,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Tipe Karakter - - Upper Case Letters - Huruf Besar - - - Lower Case Letters - Huruf Kecil - Numbers Angka - - Special Characters - Karakter Spesial - Extended ASCII ASCII Lanjutan @@ -3928,18 +5043,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Tingkat Lanjut - - Upper Case Letters A to F - Huruf Besar A sampai F - A-Z A-Z - - Lower Case Letters A to F - Huruf Kecil A sampai F - a-z a-z @@ -3972,18 +5079,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Tanda Hitung - <*+!?= <*+!?= - - Dashes - - \_|-/ \_|-/ @@ -4032,18 +5131,83 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Buat ulang + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Salin sandi + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication KeeShare - + KeeShare - - - QFileDialog - Select + Statistics @@ -4059,11 +5223,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + Pindah Empty - + Kosong Remove @@ -4071,7 +5235,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + Lewati Disable @@ -4079,6 +5243,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + Gabung + + + Continue @@ -4172,10 +5340,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Buat sandi entri. - - Length for the generated password. - Panjang sandi yang akan dibuat. - length panjang @@ -4225,18 +5389,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Jalankan analisis tingkat lanjut pada sandi. - - Extract and print the content of a database. - Ekstrak dan tampilkan isi basis data. - - - Path of the database to extract. - Jalur basis data untuk diekstrak. - - - Insert password to unlock %1: - Masukkan sandi untuk membuka %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4281,10 +5433,6 @@ Perintah yang tersedia: Merge two databases. Gabungkan dua basis data. - - Path of the database to merge into. - Jalur tujuan basis data untuk digabungkan. - Path of the database to merge from. Jalur sumber basis data untuk digabungkan. @@ -4361,10 +5509,6 @@ Perintah yang tersedia: Browser Integration Integrasi Peramban - - YubiKey[%1] Challenge Response - Slot %2 - %3 - - Press Tekan @@ -4395,13 +5539,9 @@ Perintah yang tersedia: Generate a new random password. Buat kata sandi baru secara acak. - - Invalid value for password length %1. - - Could not create entry with path %1. - + Tidak bisa membuat entri dengan jalur %1. Enter password for new entry: @@ -4409,15 +5549,15 @@ Perintah yang tersedia: Writing the database failed %1. - + Gagal menyimpan basis data %1. Successfully added entry %1. - + Berhasil menambahkan entri %1. Copy the current TOTP to the clipboard. - + Salin TOTP ke papan klip. Invalid timeout value %1. @@ -4425,7 +5565,7 @@ Perintah yang tersedia: Entry %1 not found. - + Entri %1 tidak ditemukan. Entry with path %1 has no TOTP set up. @@ -4433,11 +5573,11 @@ Perintah yang tersedia: Entry's current TOTP copied to the clipboard! - + TOTP entri telah disalin ke papan klip. Entry's password copied to the clipboard! - + Sandi entri telah disalin ke papan klip! Clearing the clipboard in %1 second(s)... @@ -4445,7 +5585,7 @@ Perintah yang tersedia: Clipboard cleared! - + Entri papan klip dihapus! Silence password prompt and other secondary outputs. @@ -4456,13 +5596,9 @@ Perintah yang tersedia: CLI parameter - - Invalid value for password length: %1 - - Could not find entry with path %1. - + Tidak bisa menemukan entri dengan jalur %1. Not changing any field for entry %1. @@ -4470,23 +5606,23 @@ Perintah yang tersedia: Enter new password for entry: - + Masukkan sandi baru untuk entri: Writing the database failed: %1 - + Gagal menyimpan basis data: %1 Successfully edited entry %1. - + Berhasil menyunting entri %1. Length %1 - + Panjang %1 Entropy %1 - + Entropi %1 Log10 %1 @@ -4530,7 +5666,7 @@ Perintah yang tersedia: Type: Date - + Tipe: Tanggal Type: Bruteforce(Rep) @@ -4574,7 +5710,7 @@ Perintah yang tersedia: Entropy %1 (%2) - + Entropi %1 (%2) *** Password length (%1) != sum of length of parts (%2) *** @@ -4582,86 +5718,65 @@ Perintah yang tersedia: Failed to load key file %1: %2 - - - - File %1 does not exist. - Berkas %1 tidak ada. - - - Unable to open file %1. - Tidak bisa membuka berkas %1. - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + Gagal memuat berkas kunci %1: %2 Length of the generated password - + Panjang dari sandi yang dibuat Use lowercase characters - + Gunakan karakter huruf kecil Use uppercase characters - - - - Use numbers. - + Gunakan karakter huruf besar Use special characters - + Gunakan karakter spesial Use extended ASCII - + Gunakan ASCII lanjutan Exclude character set - + Kecualikan karakter chars - + karakter Exclude similar looking characters - + Kecualikan karakter yang mirip Include characters from every selected group - + Sertakan karakter dari setiap grup yang dipilih Recursively list the elements of the group. - + Tampilkan daftar semua elemen dari grup. Cannot find group %1. - + Tidak bisa menemukan grup %1. Error reading merge file: %1 - + Terjadi kesalahan saat menggabungkan berkas: +%1 Unable to save database to file : %1 - + Tidak bisa menyimpan basis data ke berkas : %1 Unable to save database to file: %1 - + Tidak bisa menyimpan basis data ke berkas: %1 Successfully recycled entry %1. @@ -4669,31 +5784,31 @@ Perintah yang tersedia: Successfully deleted entry %1. - + Berhasil menghapus entri %1. Show the entry's current TOTP. - + Tampilkan TOTP entri. ERROR: unknown attribute %1. - + GALAT: atribut tidak diketahui %1. No program defined for clipboard manipulation - + Tidak ada program yang bisa digunakan untuk manipulasi papan klip Unable to start program %1 - + Tidak bisa memulai program %1 file empty - + berkas kosong %1: (row, col) %2,%3 - + %1: (baris, kolom) %2,%3 AES: 256-bit @@ -4722,48 +5837,44 @@ Perintah yang tersedia: Invalid Settings TOTP - + Pengaturan Tidak Valid Invalid Key TOTP - + Kunci Tidak Valid Message encryption failed. - + Enkripsi pesan gagal. No groups found - + Tidak ada grup yang ditemukan Create a new database. - + Buat basis data baru. File %1 already exists. - + Berkas %1 sudah ada. Loading the key file failed - + Pemuatan berkas kunci gagal No key is set. Aborting database creation. - + Tidak ada kunci yang diatur. Membatalkan pembuatan basis data Failed to save the database: %1. - + Gagal menyimpan basis data: %1. Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + Berhasil membuat basis data baru. Creating KeyFile %1 failed: %2 @@ -4773,10 +5884,6 @@ Perintah yang tersedia: Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Buang sebuah entri dari basis data. - Path of the entry to remove. Jalur entri untuk dibuang. @@ -4811,7 +5918,7 @@ Perintah yang tersedia: Parent window handle - + Handel jendela induk Another instance of KeePassXC is already running. @@ -4831,6 +5938,330 @@ Perintah yang tersedia: Cannot create new group + Tidak bisa membuat grup baru + + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versi %1 + + + Build Type: %1 + Tipe Build: %1 + + + Revision: %1 + Revisi: %1 + + + Distribution: %1 + Distribusi: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistem operasi: %1 +Arsitektur CPU: %2 +Kernel: %3 %4 + + + Auto-Type + Ketik-Otomatis + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nihil + + + Enabled extensions: + Ekstensi aktif: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Basis data tidak ada perubahan yang diakibatkan oleh proses penggabungan. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options @@ -4872,11 +6303,11 @@ Perintah yang tersedia: SSHAgent Agent connection failed. - + Koneksi agen gagal. Agent protocol error. - + Galat protokol agen. No agent running, cannot add identity. @@ -4892,7 +6323,7 @@ Perintah yang tersedia: The key has already been added. - + Kunci sudah ditambahkan. Restricted lifetime is not supported by the agent (check options). @@ -4907,11 +6338,11 @@ Perintah yang tersedia: SearchHelpWidget Search Help - + Cari Bantuan Search terms are as follows: [modifiers][field:]["]term["] - + Kata pencarian seperti berikut ini: [modifiers][field:]["]term["] Every search term must match (ie, logical AND) @@ -4923,7 +6354,7 @@ Perintah yang tersedia: exclude term from results - + kecualikan kata dari hasil pencarian match term exactly @@ -4955,7 +6386,7 @@ Perintah yang tersedia: Examples - + Contoh @@ -4974,43 +6405,130 @@ Perintah yang tersedia: Search Help - + Cari Bantuan Search (%1)... Search placeholder text, %1 is the keyboard shortcut - + Cari (%1)... Case sensitive Sensitif besar kecil huruf + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Umum + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Grup + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Pengaturan basis data + + + Edit database settings + + + + Unlock database + Buka kunci basis data + + + Unlock database to show more information + + + + Lock database + Kunci basis data + + + Unlock to show + + + + None + Nihil + + SettingsWidgetKeeShare Active - + Aktif Allow export - + Izinkan ekspor Allow import - + Izinkan impor Own certificate - + Sertifikat milik pribadi Fingerprint: - + Sidik Jari: Certificate: - + Sertifikat: Signer @@ -5030,19 +6548,19 @@ Perintah yang tersedia: Export - + Ekspor Imported certificates - + Sertifikat yang diimpor Trust - + Percaya Ask - + Tanya Untrust @@ -5054,11 +6572,11 @@ Perintah yang tersedia: Path - + Jalur Status - + Status Fingerprint @@ -5066,19 +6584,19 @@ Perintah yang tersedia: Certificate - + Sertifikat Trusted - + Dipercaya Untrusted - + Tidak dipercaya Unknown - + Tidak diketahui key.share @@ -5087,7 +6605,7 @@ Perintah yang tersedia: KeeShare key file - + Berkas kunci KeeShare All files @@ -5095,11 +6613,11 @@ Perintah yang tersedia: Select path - + Pilih jalur Exporting changed certificate - + Mengekspor sertifikat yang diubah The exported certificate is not the same as the one in use. Do you want to export the current certificate? @@ -5109,9 +6627,100 @@ Perintah yang tersedia: Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Kunci + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + + + + Could not write export container (%1) + + + + Could not embed signature: Could not open file to write (%1) + + + + Could not embed signature: Could not write file (%1) + + + + Could not embed database: Could not open file to write (%1) + + + + Could not embed database: Could not write file (%1) + + + + Overwriting unsigned share container is not supported - export prevented + + + + Could not write export container + + + + Unexpected export error occurred + + + + + ShareImport Import from container without signature @@ -5124,9 +6733,13 @@ Perintah yang tersedia: Import from container with certificate + + Do you want to trust %1 with the fingerprint of %2 from %3? + Apakah anda ingin mempercayai %1 dengan sidik jari %2 dari %3? {1 ?} {2 ?} + Not this time - + Tidak sekarang Never @@ -5134,31 +6747,19 @@ Perintah yang tersedia: Always - + Selalu Just this time - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - - Signed share container are not supported - import prevented File is not readable - + Berkas tidak bisa dibaca Invalid sharing container @@ -5186,47 +6787,38 @@ Perintah yang tersedia: File does not exist - + Berkas tidak ada Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented - + Import from %1 failed (%2) + Impor dari %1 gagal (%2) - Could not write export container (%1) - + Import from %1 successful (%2) + Impor dari %1 berhasil (%2) - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Diimpor dari %1 Export to %1 failed (%2) - + Ekspor ke %1 gagal (%2) Export to %1 successful (%2) - + Ekspor ke %1 berhasil (%2) Export to %1 - - - - Do you want to trust %1 with the fingerprint of %2 from %3? - + Ekspor ke %1 Multiple import source path to %1 in %2 @@ -5236,22 +6828,6 @@ Perintah yang tersedia: Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - - TotpDialog @@ -5281,15 +6857,15 @@ Perintah yang tersedia: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + CATATAN: Pengaturan TOTP ini sangat khusus dan mungkin tidak akan bekerja dengan otentikator lainnya. There was an error creating the QR code. - + Ada kesalahan saat membuat kode QR. Closing in %1 seconds. - + Akan ditutup dalam %1 detik. @@ -5298,10 +6874,6 @@ Perintah yang tersedia: Setup TOTP Siapkan TOTP - - Key: - Kunci: - Default RFC 6238 token settings Pengaturan bawaan token RFC 6238 @@ -5316,7 +6888,7 @@ Perintah yang tersedia: Custom Settings - + Pengaturan Khusus Time step: @@ -5332,27 +6904,56 @@ Perintah yang tersedia: Ukuran kode: - 6 digits - 6 angka - - - 7 digits + Secret Key: - 8 digits - 8 angka + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + Algoritma: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + UpdateCheckDialog Checking for updates - + Memeriksa pembaruan Checking for updates... - + Memeriksa pembaruan... Close @@ -5360,39 +6961,39 @@ Perintah yang tersedia: Update Error! - + Pembaruan Gagal! An error occurred in retrieving update information. - + Terjadi kesalahan saat mengambil informasi pembaruan. Please try again later. - + Silakan coba lagi nanti. Software Update - + Pembaruan Perangkat Lunak A new version of KeePassXC is available! - + Versi baru KeePassXC telah tersedia! KeePassXC %1 is now available — you have %2. - + KeePassXC %1 telah tersedia — yang anda miliki %2. Download it at keepassxc.org - + Unduh di keepassxc.org You're up-to-date! - + Sudah yang paling baru! KeePassXC %1 is currently the newest version available - + KeePassXC %1 saat ini adalah versi yang paling baru @@ -5425,6 +7026,14 @@ Perintah yang tersedia: Welcome to KeePassXC %1 Selamat datang di KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5448,5 +7057,13 @@ Perintah yang tersedia: No YubiKey inserted. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_it.ts b/share/translations/keepassx_it.ts index b56e7c2bc..6c8b8c236 100644 --- a/share/translations/keepassx_it.ts +++ b/share/translations/keepassx_it.ts @@ -93,7 +93,15 @@ Follow style - + Segui stile + + + Reset Settings? + Ripristinare le impostazioni? + + + Are you sure you want to reset all general and security settings to default? + Sei sicuro di voler ripristinare tutte le impostazioni generali e di sicurezza predefinite? @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Avvia una sola istanza di KeePassXC - - Remember last databases - Ricorda ultimo database - - - Remember last key files and security dongles - Ricorda gli ultimi file chiave e dongle di sicurezza - - - Load previous databases on startup - Carica i database precedenti all'avvio - Minimize window at application startup Minimizza la finestra all'avvio della applicazione @@ -162,10 +158,6 @@ Use group icon on entry creation Usa icona del gruppo alla creazione di una voce - - Minimize when copying to clipboard - Minimizza quando si copia negli appunti - Hide the entry preview panel Nascondere il pannello di anteprima della voce @@ -194,10 +186,6 @@ Hide window to system tray when minimized Nascondi la finestra nell'area di notifica di sistema quando viene minimizzata - - Language - Lingua - Auto-Type Completamento automatico @@ -231,21 +219,102 @@ Auto-Type start delay Ritardo di avvio della compilazione automatica - - Check for updates at application startup - Cerca aggiornamenti all'avvio dell'applicazione - - - Include pre-releases when checking for updates - Includi versioni preliminari nella ricerca degli aggiornamenti - Movable toolbar Barra degli strumenti spostabile - Button style - Stile dei pulsanti + Remember previously used databases + Ricordare i database usati in precedenza + + + Load previously open databases on startup + Carica database aperti in precedenza all'avvio + + + Remember database key files and security dongles + Memorizzare i file di chiave del database e i dongle di sicurezza + + + Check for updates at application startup once per week + Verificare la disponibilità di aggiornamenti all'avvio dell'applicazione una volta alla settimana + + + Include beta releases when checking for updates + Includi versioni beta durante il controllo della disponibilità di aggiornamenti + + + Button style: + Stile pulsante: + + + Language: + Lingua: + + + (restart program to activate) + (riavviare il programma per attivare) + + + Minimize window after unlocking database + Riduci a icona la finestra dopo lo sblocco del database + + + Minimize when opening a URL + Riduci a icona all'apertura di un URL + + + Hide window when copying to clipboard + Nascondi la finestra durante la copia negli Appunti + + + Minimize + Minimizzare + + + Drop to background + Rilascia su sfondo + + + Favicon download timeout: + Timeout scaricamento Favicon: + + + Website icon download timeout in seconds + Timeout scaricamento icona sito Web in secondi + + + sec + Seconds + sec + + + Toolbar button style + Stile pulsante della barra degli strumenti + + + Use monospaced font for Notes + Utilizzare il tipo di carattere monospazio per le note + + + Language selection + Selezione della lingua + + + Reset Settings to Default + Ripristina impostazioni predefinite + + + Global auto-type shortcut + Scorciatoia globale di tipo automatico + + + Auto-type character typing delay milliseconds + Ritardo in millisecondi di digitazione automatica dei caratteri + + + Auto-type start delay milliseconds + Ritardo di avvio in millisecondi della digitazione automatica @@ -273,7 +342,7 @@ Forget TouchID after inactivity of - + Dimentica TouchID dopo inattività di Convenience @@ -285,7 +354,7 @@ Forget TouchID when session is locked or lid is closed - + Dimentica TouchID quando la sessione è bloccata o il coperchio è chiuso Lock databases after minimizing the window @@ -320,8 +389,29 @@ Riservatezza - Use DuckDuckGo as fallback for downloading website icons - Usa DuckDuckGo come alternativa per scaricare le icone dal sito web + Use DuckDuckGo service to download website icons + Utilizzare il servizio DuckDuckGo per scaricare le icone del sito web + + + Clipboard clear seconds + Secondi per la cancellazione degli appunti + + + Touch ID inactivity reset + Ripristino per inattività del Touch ID + + + Database lock timeout seconds + Secondi di timeout per il blocco del database + + + min + Minutes + min + + + Clear search query after + Cancella query di ricerca dopo @@ -389,6 +479,17 @@ Sequenza + + AutoTypeMatchView + + Copy &username + Copia &nome utente + + + Copy &password + Copia &password + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Seleziona una voce per il completamento automatico: + + Search... + Ricerca... + BrowserAccessControlDialog @@ -408,7 +513,7 @@ Remember this decision - Ricorda questa decisione + Ricorda questa scelta Allow @@ -424,12 +529,20 @@ Please select whether you want to allow access. %1 ha richiesto accesso alle password per il seguente elemento/i. Seleziona se vuoi consentire l'accesso. + + Allow access + Consenti accesso + + + Deny access + Nega accesso + BrowserEntrySaveDialog KeePassXC-Browser Save Entry - + Voce di salvataggio del browser KeePassXC Ok @@ -456,10 +569,6 @@ Selezionare il database corretto dove salvare le credenziali This is required for accessing your databases with KeePassXC-Browser Questo è necessario per accedere al tuo database con KeePassXC-Browser - - Enable KeepassXC browser integration - Abilita l'integrazione con i browser di KeepassXC - General Generale @@ -533,10 +642,6 @@ Selezionare il database corretto dove salvare le credenziali Credentials mean login data requested via browser extension Non &chiedere conferma prima di &aggiornare le credenziali - - Only the selected database has to be connected with a client. - Solo il database selezionato deve essere collegato con un client. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Selezionare il database corretto dove salvare le credenziali &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files File eseguibili @@ -607,19 +708,63 @@ Selezionare il database corretto dove salvare le credenziali Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - + Non chiedere l'autorizzazione per l'autenticazione HTTP e basic Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + A causa del sandboxing di Snap, è necessario eseguire uno script per abilitare l'integrazione del browser. <br />È possibile ottenere questo script da %1 Please see special instructions for browser extension use below - + Si prega di consultare le istruzioni speciali per l'uso dell'estensione del browser di seguito KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 - + KeePassXC-Browser è necessario per far funzionare l'integrazione del browser. <br />Scaricarlo per %1 e %2. %3 + + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Restituisce le credenziali scadute. La stringa [scaduto] viene aggiunta al titolo. + + + &Allow returning expired credentials. + &Consenti la restituzione delle credenziali scadute. + + + Enable browser integration + Abilitare l'integrazione del browser + + + Browsers installed as snaps are currently not supported. + I browser installati come snap non sono attualmente supportati. + + + All databases connected to the extension will return matching credentials. + Tutti i database connessi all'estensione restituiranno le credenziali corrispondenti. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Non visualizzare il popup che suggerisce la migrazione delle impostazioni KeePassHTTP legacy. + + + &Do not prompt for KeePassHTTP settings migration. + &Non richiedere la migrazione delle impostazioni KeePassHTTP. + + + Custom proxy location field + Campo percorso proxy personalizzato + + + Browser for custom proxy file + Browser per file proxy personalizzato + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Avvertenza</b>, l'applicazione keepassxc-proxy non è stata trovata!<br />Si prega di controllare la directory di installazione di KeePassXC o confermare il percorso personalizzato nelle opzioni avanzate.<br />L'integrazione del browser NON funzionerà senza l'applicazione proxy.<br />Percorso previsto: %1 @@ -665,48 +810,57 @@ Do you want to overwrite it? Converting attributes to custom data… - + Conversione di attributi in dati personalizzati in corso... KeePassXC: Converted KeePassHTTP attributes - + KeePassXC: attributi KeePassHTTP convertiti Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Attributi convertiti correttamente da %1 voce(i). +Sono stati spostati %2 chiavi nei dati personalizzati. Successfully moved %n keys to custom data. - + Sono stati spostati %n chiavi in dati personalizzati.Sono state spostate %n chiavi nei dati personalizzati. KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC: Nessuna voce trovata con gli attributi KeePassHTTP! The active database does not contain an entry with KeePassHTTP attributes. - + Il database attivo non contiene una voce con attributi KeePassHTTP. KeePassXC: Legacy browser integration settings detected - + KeePassXC: rilevate le impostazioni di integrazione del browser legacy KeePassXC: Create a new group - + KeePassXC: Creare un nuovo gruppo A request for creating a new group "%1" has been received. Do you want to create this group? - + È stata ricevuta una richiesta di creazione di un nuovo gruppo "%1". +Si desidera creare questo gruppo? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + Le impostazioni di KeePassXC-Browser devono essere spostate nelle impostazioni del database. +Ciò è necessario per mantenere le connessioni del browser corrente. +Si desidera eseguire ora la migrazione delle impostazioni esistenti? + + + Don't show this warning again + Non mostrare nuovamente questo avviso @@ -766,10 +920,6 @@ Would you like to migrate your existing settings now? First record has field names Il primo record contiene i nomi dei campi - - Number of headers line to discard - Numero righe di intestazione da scartare - Consider '\' an escape character Considera '\' un carattere escape @@ -812,19 +962,36 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n altro messaggio saltato][altri %n messaggi saltati] + [%n più messaggi ignorati][%n più messaggi ignorati] CSV import: writer has errors: %1 - + Importazione CSV: lo scrittore ha errori: +%1 + + + Text qualification + Qualifica del testo + + + Field separation + Separazione dei campi + + + Number of header lines to discard + Numero di righe di intestazione da eliminare + + + CSV import preview + Anteprima importazione CSV CsvParserModel %n column(s) - %n colonna%n colonne + %n colonne%n colonne %1, %2, %3 @@ -833,11 +1000,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n byte (s)%n byte(s) + %n byte%n byte %n row(s) - righe: %n%n riga(e) + %n righe%n righe @@ -859,17 +1026,35 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Errore durante la lettura del database: %1 - - Could not save, database has no file name. - Impossibile salvare, il database non ha nessun nome di file. - File cannot be written as it is opened in read-only mode. Il file non può essere scritto perché aperto in modalità di sola lettura. Key not transformed. This is a bug, please report it to the developers! - + Chiave non trasformata. Questo è un bug, si prega di segnalarlo agli sviluppatori! + + + %1 +Backup database located at %2 + %1 +Database di backup che si trova in %2 + + + Could not save, database does not point to a valid file. + Impossibile salvare, il database non punta a un file valido. + + + Could not save, database file is read-only. + Impossibile salvare, il file di database è di sola lettura. + + + Database file has unmerged changes. + Il file di database ha apportato modifiche non unite. + + + Recycle Bin + Cestino @@ -881,30 +1066,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Inserisci la chiave principale - Key File: File chiave: - - Password: - Password: - - - Browse - Sfoglia - Refresh Aggiorna - - Challenge Response: - Risposta di verifica: - Legacy key file format Formato di file chiave legacy @@ -936,18 +1105,100 @@ Considera l'opzione di generarne uno nuovo Seleziona file chiave - TouchID for quick unlock - + Failed to open key file: %1 + Impossibile aprire il file di chiave: %1 - Unable to open the database: -%1 - Impossibile aprire il database: %1 + Select slot... + Seleziona slot... - Can't open key file: -%1 - Impossibile aprire il file chiave: %1 + Unlock KeePassXC Database + Sblocca il database KeePassXC + + + Enter Password: + Inserisci password: + + + Password field + Campo Password + + + Toggle password visibility + Attiva/disattiva la visibilità della password + + + Enter Additional Credentials: + Immettere credenziali aggiuntive: + + + Key file selection + Selezione del file di chiave + + + Hardware key slot selection + Selezione degli slot dei tasti hardware + + + Browse for key file + Cercare il file di chiave + + + Browse... + Sfoglia... + + + Refresh hardware tokens + Aggiornare i token hardware + + + Hardware Key: + Chiave hardware: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>È possibile utilizzare una chiave di sicurezza hardware, ad esempio <strong>YubiKey</strong> o <strong>OnlyKey</strong> con slot configurati per HMAC-SHA1.</p> + <p>Clicca per maggiori informazioni...</p> + + + Hardware key help + Guida alla chiave hardware + + + TouchID for Quick Unlock + TouchID per lo sblocco rapido + + + Clear + Azzera + + + Clear Key File + Cancella file di chiave + + + Select file... + Seleziona file... + + + Unlock failed and no password given + Sblocco non riuscito e nessuna password specificata + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Sblocco del database non riuscito e non è stata immessa una password. +Si desidera riprovare con una password "vuota"? + +Per evitare che questo errore venga visualizzato, è necessario andare alle "Impostazioni database / Sicurezza" e reimpostare la password. + + + Retry with empty password + Riprova con password vuota @@ -996,11 +1247,11 @@ Considera l'opzione di generarne uno nuovo Forg&et all site-specific settings on entries - + Dimenti&ca tutte le impostazioni specifiche del sito sulle voci Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + Spostare gli attributi KeePassHTTP in KeePassXC-Browser &personalizzato Stored keys @@ -1017,7 +1268,8 @@ Considera l'opzione di generarne uno nuovo Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + Vuoi davvero eliminare la chiave selezionata? +Ciò potrebbe impedire la connessione al plug-in del browser. Key @@ -1038,7 +1290,8 @@ This may prevent connection to the browser plugin. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + Vuoi davvero scollegare tutti i browser? +Ciò potrebbe impedire la connessione al plug-in del browser. KeePassXC: No keys found @@ -1046,7 +1299,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - + Nessuna chiave di crittografia condivisa trovata nelle impostazioni KeePassXC. KeePassXC: Removed keys from database @@ -1054,16 +1307,17 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Rimossa con successo %n chiave di cifratura dalle impostazioni di KeePassXC. Rimosse con successo %n chiavi di cifratura dalle impostazioni di KeePassXC. + Le %n chiavi di crittografia sono state rimosse correttamente dalle impostazioni KeePassXC.Le %n chiavi di crittografia sono state rimosse correttamente dalle impostazioni KeePassXC. Forget all site-specific settings on entries - + Dimenticare tutte le impostazioni specifiche del sito nelle voci Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + Vuoi davvero dimenticare tutte le impostazioni specifiche del sito su ogni voce? +Le autorizzazioni per accedere alle voci verranno revocate. Removing stored permissions… @@ -1079,7 +1333,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Permessi rimossi con successo da %n voce.Permessi rimossi con successo da %n voci. + Le autorizzazioni sono state rimosse correttamente da %n voci.Le autorizzazioni sono state rimosse correttamente da %n voci. KeePassXC: No entry with permissions found! @@ -1091,12 +1345,21 @@ Permissions to access entries will be revoked. Move KeePassHTTP attributes to custom data - + Spostare gli attributi KeePassHTTP in dati personalizzati Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - + Vuoi davvero spostare tutti i dati di integrazione del browser legacy allo standard più recente? +Questo è necessario per mantenere la compatibilità con il plugin del browser. + + + Stored browser keys + Chiavi del browser archiviate + + + Remove selected key + Rimuovere la chiave selezionata @@ -1155,7 +1418,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - + I valori più elevati offrono una maggiore protezione, ma l'apertura del database richiederà più tempo. Database format: @@ -1223,12 +1486,12 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + MibMib thread(s) Threads for parallel execution (KDF settings) - iscritto (i)thread(s) + thread/ithread %1 ms @@ -1240,6 +1503,57 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f seconds %1 s%1 s + + Change existing decryption time + Modificare il tempo di decrittografia esistente + + + Decryption time in seconds + Tempo di decrittografia in secondi + + + Database format + Formato del database + + + Encryption algorithm + Algoritmo di crittografia + + + Key derivation function + Funzione di derivazione della chiave + + + Transform rounds + Giri di trasformazione + + + Memory usage + Utilizzo della memoria + + + Parallelism + Parallelismo + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Voci esposte + + + Don't e&xpose this database + Non e&sporre questo database + + + Expose entries &under this group: + Esporre le voci &sotto questo gruppo: + + + Enable fd.o Secret Service to access these settings. + Abilitare fd.o dei servizi segreti per accedere a queste impostazioni. + DatabaseSettingsWidgetGeneral @@ -1273,7 +1587,7 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f MiB - MB + MiB Use recycle bin @@ -1287,16 +1601,50 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f Enable &compression (recommended) Abilita &compressione (consigliata) + + Database name field + Campo nome database + + + Database description field + Campo descrizione database + + + Default username field + Campo nome utente predefinito + + + Maximum number of history items per entry + Numero massimo di elementi della cronologia per voce + + + Maximum size of history per entry + Dimensione massima della cronologia per voce + + + Delete Recycle Bin + Elimina Cestino + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Vuoi eliminare il cestino corrente e tutto il suo contenuto? +Questa azione non è reversibile. + + + (old) + (vecchio) + DatabaseSettingsWidgetKeeShare Sharing - + Condivisione Breadcrumb - + Percorso di navigazione Type @@ -1354,6 +1702,10 @@ Siete sicuri di voler continuare senza password? Failed to change master key Modifica della chiave master fallita + + Continue without password + Continua senza password + DatabaseSettingsWidgetMetaDataSimple @@ -1365,6 +1717,129 @@ Siete sicuri di voler continuare senza password? Description: Descrizione: + + Database name field + Campo nome database + + + Database description field + Campo descrizione database + + + + DatabaseSettingsWidgetStatistics + + Statistics + statistiche + + + Hover over lines with error icons for further information. + Passare il mouse sulle righe con icone di errore per ulteriori informazioni. + + + Name + Nome + + + Value + Valore + + + Database name + Nome del database + + + Description + descrizione + + + Location + Posizione + + + Last saved + Ultimo salvataggio + + + Unsaved changes + Modifiche non salvate + + + yes + + + + no + No + + + The database was modified, but the changes have not yet been saved to disk. + Il database è stato modificato, ma le modifiche non sono ancora state salvate su disco. + + + Number of groups + Numero di gruppi + + + Number of entries + Numero di voci + + + Number of expired entries + Numero di voci scadute + + + The database contains entries that have expired. + Il database contiene voci scadute. + + + Unique passwords + Password univoche + + + Non-unique passwords + Password non univoche + + + More than 10% of passwords are reused. Use unique passwords when possible. + Più del 10% delle password vengono riutilizzate. Utilizzare password univoche quando possibile. + + + Maximum password reuse + Massimo riutilizzo della password + + + Some passwords are used more than three times. Use unique passwords when possible. + Alcune password vengono utilizzate più di tre volte. Utilizzare password univoche quando possibile. + + + Number of short passwords + Numero di password brevi + + + Recommended minimum password length is at least 8 characters. + La lunghezza minima consigliata per la password è di almeno 8 caratteri. + + + Number of weak passwords + Numero di password deboli + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Consiglia di utilizzare password lunghe e randomizzate con una valutazione "buona" o "eccellente". + + + Average password length + Lunghezza media password + + + %1 characters + %1 caratteri + + + Average password length is less than ten characters. Longer passwords provide more security. + La lunghezza media della password è inferiore a dieci caratteri. Le password più lunghe offrono maggiore sicurezza. + DatabaseTabWidget @@ -1411,11 +1886,8 @@ Siete sicuri di voler continuare senza password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - Il file di database non esiste o non è accessibile. + Il database creato non ha chiave o KDF, rifiutando di salvarlo. +Questo è sicuramente un bug, si prega di segnalarlo agli sviluppatori. Select CSV file @@ -1440,6 +1912,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [sola lettura] + + Failed to open %1. It either does not exist or is not accessible. + Impossibile aprire %1. Non esiste o non è accessibile. + + + Export database to HTML file + Esportare il database in un file HTML + + + HTML file + File HTML + + + Writing the HTML file failed. + Scrittura del file HTML non riuscita. + + + Export Confirmation + Conferma esportazione + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Si sta per esportare il database in un file non crittografato. Questo lascerà le password e le informazioni sensibili vulnerabili! Sei sicuro di voler continuare? + DatabaseWidget @@ -1457,7 +1953,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - Vuoi veramente cestinare %n voce?Vuoi veramente cestinare %n voci? + Vuoi davvero spostare %n voci nel cestino?Vuoi davvero spostare %n voci nel cestino? Execute command? @@ -1519,19 +2015,15 @@ Vuoi fondere i cambiamenti? Do you really want to delete %n entry(s) for good? - + Vuoi davvero eliminare %n voci per sempre?Vuoi davvero eliminare %n voci per sempre? Delete entry(s)? - Elimina ha?Cancellare la voce(i)? + Eliminare le voci?Eliminare le voci? Move entry(s) to recycle bin? - Spostare la creazione nel cestino?Spostare la voce(i) nel cestino? - - - File opened in read only mode. - File aperto in modalità di sola lettura. + Spostare le voci nel cestino?Spostare le voci nel cestino? Lock Database? @@ -1539,7 +2031,7 @@ Vuoi fondere i cambiamenti? You are editing an entry. Discard changes and lock anyway? - + Si sta modificando una voce. Eliminare le modifiche e bloccare comunque? "%1" was modified. @@ -1560,7 +2052,8 @@ Salvare le modifiche? Could not open the new database file while attempting to autoreload. Error: %1 - + Impossibile aprire il nuovo file di database durante il tentativo di ricaricamento. +Errore: %1 Disable safe saves? @@ -1571,12 +2064,6 @@ Error: %1 Disable safe saves and try again? Nonostante ripetuti tentativi, KeePassXC non è riuscito a salvare il database. Probabilmente la causa risiede in un file di lock bloccato da qualche servizio di sincronizzazione file. Disabilitare i salvataggi sicuri e riprovare? - - - Writing the database failed. -%1 - Scrittura nel database non riuscita. -%1 Passwords @@ -1592,11 +2079,11 @@ Disabilitare i salvataggi sicuri e riprovare? Replace references to entry? - + Sostituire i riferimenti alla voce? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - + La voce "%1" ha %2 riferimento/i. Sovrascrivere i riferimenti con i valori, ignorare questa voce o eliminare comunque?La voce "%1" ha %2 riferimento/i. Sovrascrivere i riferimenti con i valori, ignorare questa voce o eliminare comunque? Delete group @@ -1612,7 +2099,7 @@ Disabilitare i salvataggi sicuri e riprovare? Successfully merged the database files. - + I file di database sono uniti correttamente. Database was not modified by merge operation. @@ -1620,7 +2107,15 @@ Disabilitare i salvataggi sicuri e riprovare? Shared group... - + Gruppo condiviso... + + + Writing the database failed: %1 + Scrittura del database non riuscita: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Questo database viene aperto in modalità di sola lettura. Il salvataggio automatico è disabilitato. @@ -1703,11 +2198,11 @@ Disabilitare i salvataggi sicuri e riprovare? %n week(s) - %n settimana%n settimane + %n settimana/e%n settimana/e %n month(s) - %n mese%n mesi + %n mese/i%n mese/i Apply generated password? @@ -1735,12 +2230,24 @@ Disabilitare i salvataggi sicuri e riprovare? %n year(s) - anno (i) %n%n anno(i) + %n anno/i%n anno/i Confirm Removal Conferma rimozione + + Browser Integration + Integrazione con i browser + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Sei sicuro di voler rimuovere questo URL? + EditEntryWidgetAdvanced @@ -1780,6 +2287,42 @@ Disabilitare i salvataggi sicuri e riprovare? Background Color: Colore di sfondo: + + Attribute selection + Selezione degli attributi + + + Attribute value + Valore attributo + + + Add a new attribute + Aggiungere un nuovo attributo + + + Remove selected attribute + Rimuovi attributo selezionato + + + Edit attribute name + Modifica nome attributo + + + Toggle attribute protection + Attivare o disattivare la protezione degli attributi + + + Show a protected attribute + Visualizzare un attributo protetto + + + Foreground color selection + Selezione del colore di primo piano + + + Background color selection + Selezione del colore di sfondo + EditEntryWidgetAutoType @@ -1815,6 +2358,77 @@ Disabilitare i salvataggi sicuri e riprovare? Use a specific sequence for this association: Usa una sequenza specifica per questa associazione: + + Custom Auto-Type sequence + Sequenza di tipo automatico personalizzata + + + Open Auto-Type help webpage + Aprire la pagina Web di aiuto per le sequenze automatiche + + + Existing window associations + Associazioni delle finestre esistenti + + + Add new window association + Aggiungi nuova associazione finestra + + + Remove selected window association + Rimuovere l'associazione della finestra selezionata + + + You can use an asterisk (*) to match everything + È possibile utilizzare un asterisco (*) per abbinare tutto + + + Set the window association title + Impostare il titolo dell'associazione della finestra + + + You can use an asterisk to match everything + È possibile utilizzare un asterisco per abbinare tutto + + + Custom Auto-Type sequence for this window + Sequenza di tipo automatico personalizzata per questa finestra + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Queste impostazioni influiscono sul comportamento della voce con l'estensione del browser. + + + General + Generale + + + Skip Auto-Submit for this entry + Ignora invio automatico per questa voce + + + Hide this entry from the browser extension + Nascondi questa voce dall'estensione del browser + + + Additional URL's + URL aggiuntivi + + + Add + Aggiungi + + + Remove + Rimuovi + + + Edit + Modifica + EditEntryWidgetHistory @@ -1834,6 +2448,26 @@ Disabilitare i salvataggi sicuri e riprovare? Delete all Elimina tutti + + Entry history selection + Selezione della cronologia delle voci + + + Show entry at selected history state + Mostra voce nello stato della cronologia selezionato + + + Restore entry to selected history state + Ripristinare la voce allo stato della cronologia selezionato + + + Delete selected history state + Eliminare lo stato della cronologia selezionato + + + Delete all history + Elimina tutta la cronologia + EditEntryWidgetMain @@ -1873,6 +2507,62 @@ Disabilitare i salvataggi sicuri e riprovare? Expires Scade + + Url field + Campo Url + + + Download favicon for URL + Scarica favicon per URL + + + Repeat password field + Campo ripeti password + + + Toggle password generator + Attiva/disattiva generatore di password + + + Password field + Campo password + + + Toggle password visibility + Attiva/disattiva la visibilità della password + + + Toggle notes visible + Attiva/disattiva visibilità delle note + + + Expiration field + Campo scadenza + + + Expiration Presets + Scadenza delle preimpostazioni + + + Expiration presets + Scadenza delle preimpostazioni + + + Notes field + Campo note + + + Title field + Campo del titolo + + + Username field + Campo nome utente + + + Toggle expiration + Attiva/disattiva scadenza + EditEntryWidgetSSHAgent @@ -1949,6 +2639,22 @@ Disabilitare i salvataggi sicuri e riprovare? Require user confirmation when this key is used Richiesta conferma dell'utente quando questa chiave è usata + + Remove key from agent after specified seconds + Rimuovi chiave dall'agente dopo i secondi specificati + + + Browser for key file + Ricerca del file di chiave + + + External key file + File di chiave esterna + + + Select attachment file + Seleziona file allegato + EditGroupWidget @@ -1984,6 +2690,10 @@ Disabilitare i salvataggi sicuri e riprovare? Inherit from parent group (%1) Eredita dal gruppo genitore (%1) + + Entry has unsaved changes + La voce contiene modifiche non salvate + EditGroupWidgetKeeShare @@ -2011,69 +2721,100 @@ Disabilitare i salvataggi sicuri e riprovare? Inactive Inattivo - - Import from path - Importa da percorso - - - Export to path - Esporta su percorso - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - - KeeShare unsigned container - + Contenitore non firmato KeeShare KeeShare signed container - + Contenitore firmato KeeShare Select import source - + Selezionare l'origine di importazione Select export target - + Seleziona destinazione di esportazione Select import/export file - + Selezionare il file di importazione/esportazione Clear Azzera - The export container %1 is already referenced. - + Import + Importazione - The import container %1 is already imported. - + Export + Esportare - The container %1 imported and export by different groups. - + Synchronize + Sincronizzare + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + La tua versione di KeePassXC non supporta la condivisione di questo tipo di contenitore. +Le estensioni supportate sono: %1. + + + %1 is already being exported by this database. + %1 è già stato esportato da questo database. + + + %1 is already being imported by this database. + %1 è già stato importato da questo database. + + + %1 is being imported and exported by different groups in this database. + %1 viene importato ed esportato da gruppi diversi in questo database. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare è attualmente disabilitato. È possibile abilitare l'importazione/esportazione nelle impostazioni dell'applicazione. + + + Database export is currently disabled by application settings. + L'esportazione del database è attualmente disabilitata dalle impostazioni dell'applicazione. + + + Database import is currently disabled by application settings. + L'importazione del database è attualmente disabilitata dalle impostazioni dell'applicazione. + + + Sharing mode field + Campo modalità di condivisione + + + Path to share file field + Campo percorso per condividere il file + + + Browser for share file + Ricerca del file di condivisione + + + Password field + Campo password + + + Toggle password visibility + Attiva/disattiva la visibilità della password + + + Toggle password generator + Attiva/disattiva generatore di password + + + Clear fields + Cancellare i campi @@ -2106,6 +2847,34 @@ Disabilitare i salvataggi sicuri e riprovare? Set default Auto-Type se&quence Imposta se&quenza predefinita di completamento automatico + + Name field + Campo nome + + + Notes field + Campo note + + + Toggle expiration + Attiva/disattiva scadenza + + + Auto-Type toggle for this and sub groups + Attiva/disattiva il completamento automatico per questo e i sottogruppi + + + Expiration field + Campo scadenza + + + Search toggle for this and sub groups + Attiva/disattiva ricerca per questo e per i sottogruppi + + + Default auto-type sequence field + Campo di sequenza di tipo automatico predefinito + EditWidgetIcons @@ -2141,29 +2910,17 @@ Disabilitare i salvataggi sicuri e riprovare? All files Tutti i file - - Custom icon already exists - L'icona personalizzata esiste già - Confirm Delete Conferma eliminazione - - Custom icon successfully downloaded - Icona personalizzata scaricata correttamente - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) Selezionare immagine(i) Successfully loaded %1 of %n icon(s) - Caricate con successo %1 di %n icona.Caricate con successo %1 di %n icone. + Caricamento riuscito %1 dell'icona/ia/e %nCaricamento riuscito di %1 di %n icone No icons were loaded @@ -2171,15 +2928,51 @@ Disabilitare i salvataggi sicuri e riprovare? %n icon(s) already exist in the database - %n icona esiste già nel database%n icone esistono già nel database + %n icona/e già esistente nel database%n icona/e già esistente nel database The following icon(s) failed: - La seguente icona presenta degli errori:Le seguenti icone presentano degli errori: + Le seguenti icone non sono riuscite:Le seguenti icone non sono riuscite: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - + Questa icona viene utilizzata da %n voci e verrà sostituita dall'icona predefinita. Sei sicuro di volerlo eliminare?Questa icona viene utilizzata da %n voci e verrà sostituita dall'icona predefinita. Sei sicuro di volerla eliminare? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + È possibile attivare il servizio per le icone del sito Web DuckDuckGo in Strumenti -> Impostazioni -> Sicurezza + + + Download favicon for URL + Scarica favicon per URL + + + Apply selected icon to subgroups and entries + Applicare l'icona selezionata a sottogruppi e voci + + + Apply icon &to ... + Applicare icona &a ... + + + Apply to this only + Applica solo a questo + + + Also apply to child groups + Applica anche ai gruppi figli + + + Also apply to child entries + Si applicano anche alle voci figlio + + + Also apply to all children + Si applicano anche a tutti i figli + + + Existing icon selected. + Icona esistente selezionata. @@ -2226,6 +3019,30 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Value Valore + + Datetime created + Data e ora di creazione + + + Datetime modified + Data/ora di modifica + + + Datetime accessed + Data/ora acceduto + + + Unique ID + ID univoco + + + Plugin data + Dati del plug-in + + + Remove selected plugin data + Rimuovere i dati selezionati del plug-in + Entry @@ -2273,7 +3090,7 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Are you sure you want to remove %n attachment(s)? - Sei sicuro di voler rimuovere %n allegato?Sei sicuro di voler rimuovere %n allegati? + Sei sicuro di voler rimuovere %n allegati?Sei sicuro di voler rimuovere %n allegati? Save attachments @@ -2318,10 +3135,30 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Unable to open file(s): %1 - Impossibile aprire il file: + Impossibile aprire i file: %1Impossibile aprire i file: %1 + + Attachments + Allegati + + + Add new attachment + Aggiungi nuovo allegato + + + Remove selected attachment + Rimuovere l'allegato selezionato + + + Open selected attachment + Aprire l'allegato selezionato + + + Save selected attachment to disk + Salva l'allegato selezionato su disco + EntryAttributesModel @@ -2415,10 +3252,6 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. EntryPreviewWidget - - Generate TOTP Token - Generare un token TOTP - Close Chiudi @@ -2502,7 +3335,15 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Share - + Condividi + + + Display current TOTP value + Visualizza il valore TOTP corrente + + + Advanced + Avanzate @@ -2537,11 +3378,33 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. - Group + FdoSecrets::Item - Recycle Bin - Cestino + Entry "%1" from database "%2" was used by %3 + La voce "%1" dal database "%2" è stata utilizzata da %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Impossibile registrare il servizio DBus in %1: è in esecuzione un altro servizio segreto. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n Voci utilizzate da %1%n voci utilizzate da %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Servizio segreto Fdo: %1 + + + + Group [empty] group has no children @@ -2559,6 +3422,59 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Impossibile salvare il file di script nativo di messaggistica. + + IconDownloaderDialog + + Download Favicons + Scarica Favicons + + + Cancel + Annulla + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Hai problemi a scaricare le icone? +È possibile attivare il servizio per le icone del sito Web DuckDuckGo nella sezione relativa alla sicurezza delle impostazioni dell'applicazione. + + + Close + Chiudi + + + URL + URL + + + Status + Stato + + + Please wait, processing entry list... + Si prega di attendere, elenco delle voci in elaborazione... + + + Downloading... + Scaricamento... + + + Ok + Ok + + + Already Exists + Esiste già + + + Download Failed + Download non riuscito + + + Downloading favicons (%1/%2)... + Scaricamento delle favicon (%1/%2)... + + KMessageWidget @@ -2580,17 +3496,13 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Unable to issue challenge-response. Non in grado dare la risposta di verifica. - - Wrong key or database file is corrupt. - Chiave errata o file del database danneggiato. - missing database headers intestazioni del database mancanti Header doesn't match hash - + L'intestazione non corrisponde all'hash Invalid header id size @@ -2604,6 +3516,12 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Invalid header data length Lunghezza dei dati di intestazione non valida + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Sono state fornite credenziali non valide, riprovare. +Se ciò si ripresenta, il file di database potrebbe essere danneggiato. + Kdbx3Writer @@ -2634,10 +3552,6 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Header SHA256 mismatch Corrispondenza errata dell'intestazione SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Chiave errata o file del database corrotto (HMAC non corrisponde) - Unknown cipher Cifrario sconosciuto @@ -2738,6 +3652,16 @@ Ciò potrebbe causare malfunzionamenti ai plugin interessati. Translation: variant map = data structure for storing meta data Dimensione non valida per il tipo di campo della mappa di variazione + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Sono state fornite credenziali non valide, riprovare. +Se ciò si ripresenta, il file di database potrebbe essere danneggiato. + + + (HMAC mismatch) + (mancata corrispondenza HMAC) + Kdbx4Writer @@ -2818,11 +3742,11 @@ Si tratta di una migrazione unidirezionale. Non sarà possibile aprire il databa Invalid cipher uuid length: %1 (length=%2) - + Lunghezza dell'uuid cifrato non valida: %1 (lunghezza=%2) Unable to parse UUID: %1 - + Impossibile analizzare UUID: %1 Failed to read database file. @@ -2959,14 +3883,14 @@ Riga %2, colonna %3 KeePass1OpenWidget - - Import KeePass1 database - Importa database KeePass1 - Unable to open the database. Impossibile aprire il database. + + Import KeePass1 Database + Importa database KeePass1 + KeePass1Reader @@ -3023,10 +3947,6 @@ Riga %2, colonna %3 Unable to calculate master key Impossibile calcolare la chiave principale - - Wrong key or database file is corrupt. - Chiave errata o file del database danneggiato. - Key transformation failed Trasformazione della chiave non riuscita @@ -3121,42 +4041,60 @@ Riga %2, colonna %3 unable to seek to content position - + Non in grado di cercare nella posizione del contenuto + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Sono state fornite credenziali non valide, riprovare. +Se ciò si ripresenta, il file di database potrebbe essere danneggiato. KeeShare - Disabled share - + Invalid sharing reference + Riferimento di condivisione non valido - Import from - Importa da + Inactive share %1 + Condivisione inattiva %1 - Export to - Esporta verso + Imported from %1 + Importato da %1 - Synchronize with - Sincronizza con + Exported to %1 + Esportato in %1 - Disabled share %1 - + Synchronized with %1 + Sincronizzato con %1 - Import from share %1 - + Import is disabled in settings + L'importazione è disabilitata nelle impostazioni - Export to share %1 - + Export is disabled in settings + L'esportazione è disabilitata nelle impostazioni - Synchronize with share %1 - + Inactive share + Condivisione inattiva + + + Imported from + Importato da + + + Exported to + Esportato in + + + Synchronized with + Sincronizzato con @@ -3175,7 +4113,7 @@ Riga %2, colonna %3 Key Component set, click to change or remove - + Set di componenti chiave, fare clic per modificare o rimuovere Add %1 @@ -3195,15 +4133,11 @@ Riga %2, colonna %3 %1 set, click to change or remove Change or remove a key component - + %1 impostato, fare clic per modificare o rimuovere KeyFileEditWidget - - Browse - Sfoglia - Generate Genera @@ -3214,7 +4148,7 @@ Riga %2, colonna %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>È possibile aggiungere un file chiave contenente byte casuali per una maggiore sicurezza.</p><p>Devi tenerlo segreto e non perderlo mai o sarai bloccato!</p> Legacy key file format @@ -3225,7 +4159,10 @@ Riga %2, colonna %3 unsupported in the future. Please go to the master key settings and generate a new key file. - + Si sta utilizzando un formato di file chiave legacy che può diventare +non supportato in futuro. + +Passare alle impostazioni della chiave master e generare un nuovo file di chiave. Error loading the key file '%1' @@ -3257,6 +4194,44 @@ Messaggio: %2 Select a key file Seleziona un file chiave + + Key file selection + Selezione del file chiave + + + Browse for key file + Cercare il file chiave + + + Browse... + Sfoglia... + + + Generate a new key file + Generare un nuovo file chiave + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Nota: non utilizzare un file che potrebbe cambiare in quanto ciò impedirà di sbloccare il database! + + + Invalid Key File + File chiave non valido + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Non è possibile utilizzare il database corrente come proprio file chiave. Scegliere un file diverso o generare un nuovo file chiave. + + + Suspicious Key File + File chiave sospetto + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Il file chiave scelto ha l'aspetto di un file database delle password. Un file chiave deve essere un file statico che non cambia mai o si perderà l'accesso al database per sempre. +Sei sicuro di voler continuare con questo file? + MainWindow @@ -3344,10 +4319,6 @@ Messaggio: %2 &Settings &Impostazioni - - Password Generator - Genera password - &Lock databases &Blocca database @@ -3534,18 +4505,11 @@ Si consiglia di utilizzare l'AppImage disponibile sulla nostra pagina di do Show TOTP QR Code... Mostra codice QR TOTP... - - Check for Updates... - Controllo aggiornamenti... - - - Share entry - Condividi voce - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + NOTA: si sta utilizzando una versione non definitiva di KeePassXC! +Aspettatevi alcuni bug e problemi minori, questa versione non è destinata all'uso in produzione. Check for updates on startup? @@ -3559,64 +4523,140 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. È sempre possibile controllare gli aggiornamenti manualmente tramite i menu dell'applicazione. + + &Export + &Esporta + + + &Check for Updates... + &Controlla aggiornamenti... + + + Downlo&ad all favicons + Scari&ca tutte le favicons + + + Sort &A-Z + Ordina &A-Z + + + Sort &Z-A + Ordina &Z-A + + + &Password Generator + Generatore di &password + + + Download favicon + Scarica favicon + + + &Export to HTML file... + &Esporta in file HTML... + + + 1Password Vault... + 1Password Vault... + + + Import a 1Password Vault + Importare un 1Password Vault + + + &Getting Started + &Guida introduttiva + + + Open Getting Started Guide PDF + Apri guida introduttiva PDF + + + &Online Help... + &Guida in linea... + + + Go to online documentation (opens browser) + Vai alla documentazione online (apre il browser) + + + &User Guide + &Guida per l'utente + + + Open User Guide PDF + Apri guida per l'utente PDF + + + &Keyboard Shortcuts + &Tasti di scelta rapida + Merger Creating missing %1 [%2] - + Creazione mancante %1 [%2] Relocating %1 [%2] - + Rilocazione di %1 [%2] Overwriting %1 [%2] - + Sovrascrittura %1 [%2] older entry merged from database "%1" - + voce precedente unita dal database "%1" Adding backup for older target %1 [%2] - + Aggiunto backup per la destinazione precedente %1 [%2] Adding backup for older source %1 [%2] - + Aggiunto backup per l'origine precedente %1 [%2] Reapplying older target entry on top of newer source %1 [%2] - + Riapplicare la voce di destinazione precedente all'origine più recente %1 [%2] Reapplying older source entry on top of newer target %1 [%2] - + Riapplicare la voce di origine precedente alla destinazione più recente %1 [%2] Synchronizing from newer source %1 [%2] - + Sincronizzazione dall'origine più recente %1 [%2] Synchronizing from older source %1 [%2] - + Sincronizzazione dall'origine precedente %1 [%2] Deleting child %1 [%2] - + Eliminazione dell'elemento figlio %1 [%2] Deleting orphan %1 [%2] - + Eliminazione orfano %1 [%2] Changed deleted objects - + Oggetti eliminati modificati Adding missing icon %1 - + Aggiungere l'icona mancante %1 + + + Removed custom data %1 [%2] + Dati personalizzati rimossi %1 [%2] + + + Adding custom data %1 [%2] + Aggiunta di dati personalizzati %1 [%2] @@ -3687,6 +4727,73 @@ Expect some bugs and minor issues, this version is not meant for production use. Si prega di compilare il nome visualizzato e una descrizione facoltativa per il nuovo database: + + OpData01 + + Invalid OpData01, does not contain header + OpData01 non valido, non contiene l'intestazione + + + Unable to read all IV bytes, wanted 16 but got %1 + Impossibile leggere tutti i byte IV, desiderati 16 ma ottenuti %1 + + + Unable to init cipher for opdata01: %1 + Impossibile inizializzare la crittografia per opdata01: %1 + + + Unable to read all HMAC signature bytes + Impossibile leggere tutti i byte della firma HMAC + + + Malformed OpData01 due to a failed HMAC + OpData01 non valido a causa di un HMAC non riuscito + + + Unable to process clearText in place + Impossibile elaborare clearText sul posto + + + Expected %1 bytes of clear-text, found %2 + Previsto %1 byte di testo non crittografato, trovato %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Lettura del database non ha prodotto un'istanza +%1 + + + + OpVaultReader + + Directory .opvault must exist + La directory .opvault deve esistere + + + Directory .opvault must be readable + La directory .opvault deve essere leggibile + + + Directory .opvault/default must exist + Directory .opvault/default deve esistere + + + Directory .opvault/default must be readable + Directory .opvault/default deve essere leggibile + + + Unable to decode masterKey: %1 + Impossibile decodificare masterKey: %1 + + + Unable to derive master key: %1 + Impossibile derivare la chiave master: %1 + + OpenSSHKey @@ -3786,6 +4893,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Tipo di chiave sconosciuta: %1 + + PasswordEdit + + Passwords do not match + Le password non corrispondono + + + Passwords match so far + Le password corrispondono finora + + PasswordEditWidget @@ -3812,6 +4930,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Generare la password principale + + Password field + Campo password + + + Toggle password visibility + Attiva/disattiva la visibilità della password + + + Repeat password field + Campo ripeti password + + + Toggle password generator + Attiva/disattiva generatore di password + PasswordGeneratorWidget @@ -3840,22 +4974,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Tipi di carattere - - Upper Case Letters - Lettere maiuscole - - - Lower Case Letters - Lettere minuscole - Numbers Numeri - - Special Characters - Caratteri speciali - Extended ASCII ASCII esteso @@ -3936,18 +5058,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Avanzate - - Upper Case Letters A to F - Lettere maiuscole dalla A alla F - A-Z A-Z - - Lower Case Letters A to F - Lettere maiuscole dalla A alla F - a-z a-z @@ -3980,18 +5094,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Matematica - <*+!?= <*+!?= - - Dashes - Trattini - \_|-/ \_|-/ @@ -4022,7 +5128,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Add non-hex letters to "do not include" list - + Aggiungere lettere non esadecimali all'elenco "non includere" Hex @@ -4040,6 +5146,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Rigenerare + + Generated password + Password generata + + + Upper-case letters + Lettere maiuscole + + + Lower-case letters + Lettere minuscole + + + Special characters + Caratteri speciali + + + Math Symbols + Simboli matematici + + + Dashes and Slashes + Trattini e barre + + + Excluded characters + Caratteri esclusi + + + Hex Passwords + Password esadecimali + + + Password length + Lunghezza password + + + Word Case: + Parole maiuscole/minuscole: + + + Regenerate password + Rigenera password + + + Copy password + Copia password + + + Accept password + Accetta password + + + lower case + carattere minuscolo + + + UPPER CASE + MAIUSCOLO + + + Title Case + Titolo maiuscolo/minuscolo + + + Toggle password visibility + Attiva/disattiva la visibilità della password + QApplication @@ -4047,12 +5221,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Seleziona + Statistics + Statistiche @@ -4089,6 +5260,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Incorpora + + Continue + continuare + QObject @@ -4180,10 +5355,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Genera una password per questa voce. - - Length for the generated password. - Lunghezza della password generata. - length lunghezza @@ -4233,18 +5404,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Esegui un'analisi avanzata sulla password. - - Extract and print the content of a database. - Estrai e stampa il contenuto di un database. - - - Path of the database to extract. - Percorso del database da estrarre. - - - Insert password to unlock %1: - Inserisci la password per sbloccare %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4289,10 +5448,6 @@ Comandi disponibili: Merge two databases. Unisci due database. - - Path of the database to merge into. - Percorso del database destinazione da unire. - Path of the database to merge from. Percorso del database sorgente da unire. @@ -4369,10 +5524,6 @@ Comandi disponibili: Browser Integration Integrazione con i browser - - YubiKey[%1] Challenge Response - Slot %2 - %3 - Risposta di verifica da YubiKey[%1] - slot %2 - %3 - Press Premi @@ -4403,13 +5554,9 @@ Comandi disponibili: Generate a new random password. Genera una nuova password casuale. - - Invalid value for password length %1. - - Could not create entry with path %1. - + Impossibile creare la voce con il percorso %1. Enter password for new entry: @@ -4429,7 +5576,7 @@ Comandi disponibili: Invalid timeout value %1. - + Valore di timeout %1 non valido. Entry %1 not found. @@ -4437,19 +5584,19 @@ Comandi disponibili: Entry with path %1 has no TOTP set up. - + La voce con percorso %1 non ha impostato TOTP. Entry's current TOTP copied to the clipboard! - + TOTP corrente della voce copiata negli appunti! Entry's password copied to the clipboard! - + La password della voce copiata negli appunti! Clearing the clipboard in %1 second(s)... - + Cancellazione degli Appunti in %1 secondi...Cancellazione degli appunti in %1 secondi... Clipboard cleared! @@ -4464,17 +5611,13 @@ Comandi disponibili: CLI parameter conteggio - - Invalid value for password length: %1 - - Could not find entry with path %1. - + Impossibile trovare la voce con percorso %1. Not changing any field for entry %1. - + Non modificare nessun campo per la voce %1. Enter new password for entry: @@ -4482,11 +5625,11 @@ Comandi disponibili: Writing the database failed: %1 - + Scrittura del database non riuscita: %1 Successfully edited entry %1. - + Voce %1 modificata correttamente. Length %1 @@ -4514,7 +5657,7 @@ Comandi disponibili: Type: Dict+Leet - + Type: Dict+Leet Type: User Words @@ -4522,7 +5665,7 @@ Comandi disponibili: Type: User+Leet - + Tipo: Utente+Leet Type: Repeated @@ -4550,31 +5693,31 @@ Comandi disponibili: Type: Dict+Leet(Rep) - + Tipo: Dict+Leet(Rep) Type: User Words(Rep) - + Tipo: Parole utente (Rep) Type: User+Leet(Rep) - + Tipo: Utente+Leet(Rep) Type: Repeated(Rep) - + Tipo: Ripetuto(Rep) Type: Sequence(Rep) - + Tipo: Sequenza(Rep) Type: Spatial(Rep) - + Tipo: Spaziale(Rep) Type: Date(Rep) - + Tipo: Data(Rep) Type: Unknown%1 @@ -4586,29 +5729,11 @@ Comandi disponibili: *** Password length (%1) != sum of length of parts (%2) *** - + *** Lunghezza della password (%1) != somma della lunghezza delle parti (%2) *** Failed to load key file %1: %2 - - - - File %1 does not exist. - File %1 non esiste. - - - Unable to open file %1. - Impossibile aprire il file %1. - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + Impossibile caricare il file di chiave %1: %2 Length of the generated password @@ -4622,10 +5747,6 @@ Comandi disponibili: Use uppercase characters Utilizzare caratteri maiuscoli - - Use numbers. - Utilizzare i numeri. - Use special characters Utilizzare caratteri speciali @@ -4661,39 +5782,40 @@ Comandi disponibili: Error reading merge file: %1 - + Errore durante la lettura del file di unione: +%1 Unable to save database to file : %1 - + Impossibile salvare il database nel file : %1 Unable to save database to file: %1 - + Impossibile salvare il database nel file: %1 Successfully recycled entry %1. - + Riciclata con successo la voce %1. Successfully deleted entry %1. - + Eliminata la voce %1. Show the entry's current TOTP. - + Mostra il TOTP corrente della voce. ERROR: unknown attribute %1. - + ERRORE: attributo sconosciuto %1. No program defined for clipboard manipulation - + Nessun programma definito per la manipolazione degli appunti Unable to start program %1 - + Impossibile avviare il programma %1 file empty @@ -4701,7 +5823,7 @@ Comandi disponibili: %1: (row, col) %2,%3 - + %1: (riga, col) %2,%3 AES: 256-bit @@ -4739,11 +5861,11 @@ Comandi disponibili: Message encryption failed. - + Crittografia del messaggio non riuscita. No groups found - + Nessun gruppo trovato Create a new database. @@ -4763,27 +5885,19 @@ Comandi disponibili: Failed to save the database: %1. - + Impossibile salvare il database: %1. Successfully created new database. Nuovo database creato con successo. - - Insert password to encrypt database (Press enter to leave blank): - - Creating KeyFile %1 failed: %2 - + Creazione di KeyFile %1 non riuscita: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Rimuovi una voce dal database. + Caricamento del KeyFile %1 non riuscito: %2 Path of the entry to remove. @@ -4839,7 +5953,331 @@ Comandi disponibili: Cannot create new group - + Impossibile creare un nuovo gruppo + + + Deactivate password key for the database. + Disattivare la chiave della password per il database. + + + Displays debugging information. + Visualizza le informazioni di debug. + + + Deactivate password key for the database to merge from. + Disattivare la chiave della password per il database da cui eseguire l'unione. + + + Version %1 + Versione %1 + + + Build Type: %1 + Tipo di compilazione: %1 + + + Revision: %1 + Revisione: %1 + + + Distribution: %1 + Distribuzione: %1 + + + Debugging mode is disabled. + La modalità di debug è disabilitata. + + + Debugging mode is enabled. + La modalità di debug è abilitata. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistema operativo: %1 +Architettura CPU: %2 +Kernel: %3 %4 + + + Auto-Type + Completamento automatico + + + KeeShare (signed and unsigned sharing) + KeeShare (condivisione firmata e non firmata) + + + KeeShare (only signed sharing) + KeeShare (solo condivisione firmata) + + + KeeShare (only unsigned sharing) + KeeShare (solo condivisione non firmata) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nessuno + + + Enabled extensions: + Estensioni abilitate: + + + Cryptographic libraries: + Librerie crittografiche: + + + Cannot generate a password and prompt at the same time! + Impossibile generare una password e richiederla contemporaneamente! + + + Adds a new group to a database. + Aggiunge un nuovo gruppo a un database. + + + Path of the group to add. + Percorso del gruppo da aggiungere. + + + Group %1 already exists! + Il gruppo %1 esiste già! + + + Group %1 not found. + Gruppo %1 non trovato. + + + Successfully added group %1. + Aggiunta del gruppo %1 completata. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Verificare se le password sono state rivelate pubblicamente. FILENAME deve essere il percorso di un file che elenca gli hashe SHA-1 delle password rivelate in formato HIBP, come disponibile da https://haveibeenpwned.com/Passwords. + + + FILENAME + Filename + + + Analyze passwords for weaknesses and problems. + Analizzare le password per trovare punti deboli e problemi. + + + Failed to open HIBP file %1: %2 + Impossibile aprire il file HIBP %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Valutare le voci del database rispetto al file HIBP, questo richiederà un po' di tempo... + + + Close the currently opened database. + Chiudere il database attualmente aperto. + + + Display this help. + Visualizza questa guida. + + + Yubikey slot used to encrypt the database. + Slot Yubikey utilizzato per crittografare il database. + + + slot + slot + + + Invalid word count %1 + Conteggio parole non valido %1 + + + The word list is too small (< 1000 items) + L'elenco delle parole è troppo piccolo (< 1000 voci) + + + Exit interactive mode. + Uscire dalla modalità interattiva. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Formato da utilizzare durante l'esportazione. Le opzioni disponibili sono xml o csv. Il valore predefinito è xml. + + + Exports the content of a database to standard output in the specified format. + Esporta il contenuto di un database nell'output standard nel formato specificato. + + + Unable to export database to XML: %1 + Impossibile esportare il database in XML: %1 + + + Unsupported format %1 + Formato non supportato %1 + + + Use numbers + Utilizzare i numeri + + + Invalid password length %1 + Lunghezza password non valida %1 + + + Display command help. + Visualizzare la guida del comando. + + + Available commands: + Comandi disponibili: + + + Import the contents of an XML database. + Importare il contenuto di un database XML. + + + Path of the XML database export. + Percorso dell'esportazione del database XML. + + + Path of the new database. + Percorso del nuovo database. + + + Unable to import XML database export %1 + Impossibile importare l'esportazione del database XML %1 + + + Successfully imported database. + Database importato correttamente. + + + Unknown command %1 + Comando sconosciuto %1 + + + Flattens the output to single lines. + Appiattisce l'output su singole linee. + + + Only print the changes detected by the merge operation. + Stampare solo le modifiche rilevate dall'operazione di unione. + + + Yubikey slot for the second database. + Slot Yubikey per il secondo database. + + + Successfully merged %1 into %2. + È stato possibile unire con successo %1 in %2. + + + Database was not modified by merge operation. + Il database non è stato modificato dall'operazione di unione. + + + Moves an entry to a new group. + Sposta una voce in un nuovo gruppo. + + + Path of the entry to move. + Percorso della voce da spostare. + + + Path of the destination group. + Percorso del gruppo di destinazione. + + + Could not find group with path %1. + Impossibile trovare il gruppo con percorso %1. + + + Entry is already in group %1. + La voce è già nel gruppo %1. + + + Successfully moved entry %1 to group %2. + È stata spostata correttamente la voce %1 nel gruppo %2. + + + Open a database. + Aprire un database. + + + Path of the group to remove. + Percorso del gruppo da rimuovere. + + + Cannot remove root group from database. + Impossibile rimuovere il gruppo radice dal database. + + + Successfully recycled group %1. + Riciclato con successo il gruppo %1. + + + Successfully deleted group %1. + Eliminazione del gruppo %1 completata. + + + Failed to open database file %1: not found + Impossibile aprire il file di database %1: non trovato + + + Failed to open database file %1: not a plain file + Impossibile aprire il file di database %1: non un file piatto + + + Failed to open database file %1: not readable + Impossibile aprire il file di database %1: non leggibile + + + Enter password to unlock %1: + Immettere la password per sbloccare %1: + + + Invalid YubiKey slot %1 + Slot YubiKey non valido %1 + + + Please touch the button on your YubiKey to unlock %1 + Tocca il pulsante sul tuo YubiKey per sbloccare %1 + + + Enter password to encrypt database (optional): + Immettere la password per crittografare il database (facoltativo): + + + HIBP file, line %1: parse error + File HIBP, riga %1: errore di analisi + + + Secret Service Integration + Integrazione del servizio segreto + + + User name + Nome utente + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Risposta di verifica - Slot %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + La password per '%1' è stata persa %2 time(s)!La password per '%1' è trapelata %2 volte! + + + Invalid password generator after applying all options + Generatore di password non valido dopo l'applicazione di tutte le opzioni @@ -4919,11 +6357,11 @@ Comandi disponibili: Search terms are as follows: [modifiers][field:]["]term["] - + I termini di ricerca sono i seguenti: [modificatori][campo:]["]termine["] Every search term must match (ie, logical AND) - + Ogni termine di ricerca deve corrispondere (per esempio AND logico) Modifiers @@ -4947,7 +6385,7 @@ Comandi disponibili: Term Wildcards - + Termine caratteri jolly match anything @@ -4994,35 +6432,122 @@ Comandi disponibili: Riconoscimento di maiuscole e minuscole + + SettingsWidgetFdoSecrets + + Options + Opzioni + + + Enable KeepassXC Freedesktop.org Secret Service integration + Abilitare l'integrazione di KeepassXC con Freedesktop.org Secret Service + + + General + Generale + + + Show notification when credentials are requested + Mostra notifica quando vengono richieste le credenziali + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Se il cestino è abilitato per il database, le voci verranno spostate direttamente nel cestino. In caso contrario, verranno eliminati senza conferma.</p><p>Continuerai a essere interpellato se qualsiasi voce fa riferimento ad altre.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Non confermare quando le voci vengono eliminate dai client. + + + Exposed database groups: + Gruppi di database esposti: + + + File Name + Nome file + + + Group + Gruppo + + + Manage + Gestire + + + Authorization + Autorizzazione + + + These applications are currently connected: + Queste applicazioni sono attualmente connesse: + + + Application + Applicazione + + + Disconnect + Scollegare + + + Database settings + Impostazioni database + + + Edit database settings + Modificare le impostazioni del database + + + Unlock database + Sblocca database + + + Unlock database to show more information + Sblocca il database per mostrare ulteriori informazioni + + + Lock database + Blocca database + + + Unlock to show + Sblocca per mostrare + + + None + Nessuno + + SettingsWidgetKeeShare Active - + Attivo Allow export - + Consenti esportazione Allow import - + Consenti importazione Own certificate - + Certificato proprio Fingerprint: - + impronta digitale: Certificate: - + Certificato: Signer - + Firmatario Key: @@ -5038,23 +6563,23 @@ Comandi disponibili: Export - + Esporta Imported certificates - + Certificati importati Trust - + Attendibilità Ask - + Chiedere Untrust - + L'inattendibilità Remove @@ -5066,7 +6591,7 @@ Comandi disponibili: Status - + Stato Fingerprint @@ -5074,28 +6599,28 @@ Comandi disponibili: Certificate - + Certificato Trusted - + Fidato Untrusted - + Non attendibile Unknown - + Sconosciuto key.share Filetype for KeeShare key - + key.share KeeShare key file - + File chiave KeeShare All files @@ -5103,38 +6628,133 @@ Comandi disponibili: Select path - + Seleziona tracciato Exporting changed certificate - + Esportazione del certificato modificato The exported certificate is not the same as the one in use. Do you want to export the current certificate? - + Il certificato esportato non corrisponde a quello in uso. Esportare il certificato corrente? Signer: - + Firmatario: + + + Allow KeeShare imports + Consenti importazioni KeeShare + + + Allow KeeShare exports + Consenti esportazioni KeeShare + + + Only show warnings and errors + Mostra solo avvisi ed errori + + + Key + Chiave + + + Signer name field + Campo nome firmatario + + + Generate new certificate + Genera nuovo certificato + + + Import existing certificate + Importa certificato esistente + + + Export own certificate + Esporta il proprio certificato + + + Known shares + Condivisioni conosciute + + + Trust selected certificate + Considera attendibile il certificato selezionato + + + Ask whether to trust the selected certificate every time + Chiedere ogni volta se considerare attendibile il certificato selezionato + + + Untrust selected certificate + Certificato selezionato non attendibile + + + Remove selected certificate + Rimuovere il certificato selezionato - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + La sovrascrittura del contenitore di condivisioni con firma non è supportata - l'esportazione non è consentita + + + Could not write export container (%1) + Impossibile scrivere il contenitore di esportazione (%1) + + + Could not embed signature: Could not open file to write (%1) + Impossibile incorporare la firma: Impossibile aprire il file da scrivere (%1) + + + Could not embed signature: Could not write file (%1) + Impossibile incorporare la firma: Impossibile scrivere il file (%1) + + + Could not embed database: Could not open file to write (%1) + Impossibile incorporare il database: Impossibile aprire il file da scrivere (%1) + + + Could not embed database: Could not write file (%1) + Impossibile incorporare il database: impossibile scrivere il file (%1) + + + Overwriting unsigned share container is not supported - export prevented + La sovrascrittura del contenitore di condivisione non firmato non è supportata - l'esportazione non è consentita + + + Could not write export container + Impossibile scrivere il contenitore di esportazione + + + Unexpected export error occurred + Si è verificato un errore di esportazione imprevisto + + + + ShareImport Import from container without signature - + Importa da contenitore senza firma We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + Non è possibile verificare l'origine del contenitore condiviso perché non è firmato. Si desidera davvero importare da %1? Import from container with certificate - + Importa dal contenitore con certificato + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Si desidera considerare attendibile %1 con l'impronta digitale di %2 da %3? {1 ?} {2 ?} Not this time - + Non questa volta Never @@ -5142,123 +6762,86 @@ Comandi disponibili: Always - + Sempre Just this time - - - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - + Solo questa volta Signed share container are not supported - import prevented - + Contenitori di condivisione firmati non supportati - importazione non consentita File is not readable - + Il file non è leggibile Invalid sharing container - + Contenitore di condivisione non valido Untrusted import prevented - + Importazione non attendibile impedita Successful signed import - + Importazione firmata correttamente Unexpected error - + Errore imprevisto Unsigned share container are not supported - import prevented - + Contenitori di condivisione non firmati non sono supportati - importazione non consentita Successful unsigned import - + Importazione non firmata riuscita File does not exist - + Il file non esiste Unknown share container type - + Tipo di contenitore di condivisione sconosciuto + + + + ShareObserver + + Import from %1 failed (%2) + Importazione da %1 non riuscita (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + Importazione da %1 riuscita (%2) - Could not write export container (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Importato da %1 Export to %1 failed (%2) - + Esportazione in %1 non riuscita (%2) Export to %1 successful (%2) - + Esportazione in %1 riuscita (%2) Export to %1 - - - - Do you want to trust %1 with the fingerprint of %2 from %3? - + Esporta in %1 Multiple import source path to %1 in %2 - + Percorso multiplo di sorgente di importazione a %1 in %2 Conflicting export target path %1 in %2 - - - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - + Percorso di destinazione esportazione in conflitto %1 in %2 @@ -5277,7 +6860,7 @@ Comandi disponibili: Expires in <b>%n</b> second(s) - + Scadenza tra <b>%n</b> secondiScadenza tra <b>%n</b> secondo(i) @@ -5289,15 +6872,15 @@ Comandi disponibili: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + NOTA: queste impostazioni TOTP sono personalizzate e potrebbero non funzionare con altri autenticatori. There was an error creating the QR code. - + Si è verificato un errore durante la creazione del codice QR. Closing in %1 seconds. - + Chiusura tra %1 secondi. @@ -5306,10 +6889,6 @@ Comandi disponibili: Setup TOTP Imposta TOTP - - Key: - Chiave: - Default RFC 6238 token settings Impostazioni predefinite per il token RFC 6238 @@ -5340,27 +6919,57 @@ Comandi disponibili: Dimensioni codice: - 6 digits - 6 cifre + Secret Key: + Chiave segreta: - 7 digits - 7 cifre + Secret key must be in Base32 format + La chiave segreta deve essere in formato Base32 - 8 digits - 8 cifre + Secret key field + Campo chiave segreta + + + Algorithm: + Algoritmo: + + + Time step field + Campo del passo temporale + + + digits + cifre + + + Invalid TOTP Secret + Segreto TOTP non valido + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + È stata immessa una chiave segreta non valida. La chiave deve essere in formato Base32. +Esempio: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Conferma rimozione impostazioni TOTP + + + Are you sure you want to delete TOTP settings for this entry? + Sei sicuro di voler eliminare le impostazioni TOTP per questa voce? UpdateCheckDialog Checking for updates - + Verifica della disponibilità di aggiornamenti Checking for updates... - + Verifica disponibilità aggiornamenti in corso... Close @@ -5368,19 +6977,19 @@ Comandi disponibili: Update Error! - + Errore di aggiornamento! An error occurred in retrieving update information. - + Si è verificato un errore durante il recupero delle informazioni sull'aggiornamento. Please try again later. - + Riprova più tardi. Software Update - + Aggiornamento software A new version of KeePassXC is available! @@ -5388,7 +6997,7 @@ Comandi disponibili: KeePassXC %1 is now available — you have %2. - + KeePassXC %1 è ora disponibile — hai %2. Download it at keepassxc.org @@ -5396,11 +7005,11 @@ Comandi disponibili: You're up-to-date! - + Sei aggiornato! KeePassXC %1 is currently the newest version available - + KeePassXC %1 è attualmente la versione più recente disponibile @@ -5433,6 +7042,14 @@ Comandi disponibili: Welcome to KeePassXC %1 Benvenuto in KeePassXC %1 + + Import from 1Password + Importa da 1Password + + + Open a recent database + Aprire un database recente + YubiKeyEditWidget @@ -5442,19 +7059,27 @@ Comandi disponibili: YubiKey Challenge-Response - + YubiKey Risposta di verifica <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>Se si possiede un <a href="https://www.yubico.com/">YubiKey</a>, è possibile utilizzarlo per una maggiore sicurezza.</p><p>YubiKey richiede che uno dei suoi slot sia programmato come <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">Risposta di verifica HMAC-SHA1</a>.</p> No YubiKey detected, please ensure it's plugged in. - + Nessun YubiKey rilevato, si prega di assicurarsi che sia collegato. No YubiKey inserted. Nessun YubiKey inserito. + + Refresh hardware tokens + Aggiornare i token hardware + + + Hardware key slot selection + Selezione degli slot delle chiavi hardware + \ No newline at end of file diff --git a/share/translations/keepassx_ja.ts b/share/translations/keepassx_ja.ts index 9c5903cf8..06acef9b2 100644 --- a/share/translations/keepassx_ja.ts +++ b/share/translations/keepassx_ja.ts @@ -95,6 +95,14 @@ Follow style スタイルに準拠 + + Reset Settings? + 設定をリセットしますか? + + + Are you sure you want to reset all general and security settings to default? + 全ての一般設定とセキュリティ設定をデフォルトにリセットしてもよろしいですか? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC KeePassXC のインスタンスを一つだけ起動する - - Remember last databases - 最近使用したデータベースを記憶する - - - Remember last key files and security dongles - 最近使用したキーファイルとセキュリティドングルを記憶する - - - Load previous databases on startup - 起動時に前回のデータベースを読み込む - Minimize window at application startup アプリケーション起動時にウィンドウを最小化する @@ -152,7 +148,7 @@ Automatically reload the database when modified externally - 編集された際に自動でデータベースを再読み込みする + 外部から編集された際に自動でデータベースを再読み込みする Entry Management @@ -162,10 +158,6 @@ Use group icon on entry creation エントリー作成時にグループのアイコンを使用する - - Minimize when copying to clipboard - クリップボードにコピーしたら最小化する - Hide the entry preview panel エントリーのプレビューパネルを非表示にする @@ -192,11 +184,7 @@ Hide window to system tray when minimized - 最小化された際にシステムトレイへ格納する - - - Language - 言語 + 最小化した際にシステムトレイへ格納する Auto-Type @@ -231,21 +219,102 @@ Auto-Type start delay 自動入力開始までの遅延 - - Check for updates at application startup - アプリケーション起動時に更新を確認する - - - Include pre-releases when checking for updates - 更新の確認にプレリリースを含める - Movable toolbar ツールバーを移動可能にする - Button style - ボタンのスタイル + Remember previously used databases + 以前使用したデータベースを記憶する + + + Load previously open databases on startup + 起動時に前回開いたデータベースを読み込む + + + Remember database key files and security dongles + データベースキーファイルとセキュリティドングルを記憶する + + + Check for updates at application startup once per week + アプリケーション起動時に更新を確認する (週一回) + + + Include beta releases when checking for updates + ベータ版も確認対象にする + + + Button style: + ボタンのスタイル: + + + Language: + 言語: + + + (restart program to activate) + (再起動が必要) + + + Minimize window after unlocking database + データベースのロック解除後にウィンドウを最小化する + + + Minimize when opening a URL + URL を開いたら最小化する + + + Hide window when copying to clipboard + クリップボードにコピーしたらウィンドウを非表示にする + + + Minimize + 最小化 + + + Drop to background + 背後に移動 + + + Favicon download timeout: + ファビコンダウンロードのタイムアウト: + + + Website icon download timeout in seconds + ウェブサイトアイコンダウンロードのタイムアウトまでの秒 + + + sec + Seconds + + + + Toolbar button style + ツールバーボタンのスタイル + + + Use monospaced font for Notes + メモに等幅フォントを使用する + + + Language selection + 言語選択 + + + Reset Settings to Default + 設定をデフォルトにリセット + + + Global auto-type shortcut + グローバル自動入力のショートカット + + + Auto-type character typing delay milliseconds + 自動入力の文字入力時の遅延 (ミリ秒) + + + Auto-type start delay milliseconds + 自動入力開始までの遅延 (ミリ秒) @@ -281,11 +350,11 @@ Lock databases when session is locked or lid is closed - セッションがロックされたりラップトップが閉じられた際にデータベースをロックする + セッションをロックしたりラップトップを閉じた際にデータベースをロックする Forget TouchID when session is locked or lid is closed - セッションがロックされたりラップトップが閉じられた際に TouchID を消去する + セッションをロックしたりラップトップを閉じた際に TouchID を消去する Lock databases after minimizing the window @@ -293,7 +362,7 @@ Re-lock previously locked database after performing Auto-Type - 自動入力実行後に以前ロックされたデータベースを再ロックする + 自動入力実行後に以前ロックしたデータベースを再ロックする Don't require password repeat when it is visible @@ -320,8 +389,29 @@ プライバシー - Use DuckDuckGo as fallback for downloading website icons - ウェブサイトのアイコンをダウンロードするためのフォールバックとして DuckDuckGo を使用する + Use DuckDuckGo service to download website icons + ウェブサイトアイコンのダウンロードに DuckDuckGo のサービスを使用する + + + Clipboard clear seconds + クリップボード消去までの時間 (秒) + + + Touch ID inactivity reset + 未操作時の Touch ID リセット + + + Database lock timeout seconds + データベースロックまでのタイムアウト (秒) + + + min + Minutes + + + + Clear search query after + 次の時間が過ぎたら検索クエリを消去する @@ -389,6 +479,17 @@ シーケンス + + AutoTypeMatchView + + Copy &username + ユーザー名をコピー(&U) + + + Copy &password + パスワードをコピー(&P) + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: 自動入力するエントリーを選択してください: + + Search... + 検索... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 が以下の項目のパスワードへのアクセスを要求しました。 アクセスを許可するかどうかを選択してください。 + + Allow access + アクセスを許可 + + + Deny access + アクセスを拒否 + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser このオプションは KeePassXC-Browser からデータベースにアクセスするために必要です - - Enable KeepassXC browser integration - KeepassXC のブラウザー統合を有効にする - General 一般 @@ -533,18 +642,14 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension 資格情報を更新する前に確認しない(&U) - - Only the selected database has to be connected with a client. - 選択されたデータベースのみがクライアントと接続する必要があります。 - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - 全ての開かれたデータベースから一致する資格情報を検索する(&H) + 開いた全てのデータベースから一致する資格情報を検索する(&H) Automatically creating or updating string fields is not supported. - 文字列フィールドの自動作成や自動更新はサポートされていません。 + 文字列フィールドの自動作成や自動更新はサポートしていません。 &Return advanced string fields which start with "KPH: " @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser Tor Browser(&T) - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>[警告]</b> keepassxc-proxy アプリケーションが見つかりませんでした。<br />KeePassXC のインストールディレクトリや、詳細設定でカスタムパスを確認してください。<br />ブラウザー統合はプロキシアプリケーションが無いと動作しません。<br />期待されるパス: - Executable Files 実行ファイル @@ -611,16 +712,60 @@ Please select the correct database for saving credentials. Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - Snap によってサンドボックス化されているため、ブラウザー統合を有効にするにはスクリプトを実行する必要があります。<br />スクリプトは次の場所から入手できます: %1 + Snap によってサンドボックス化されているため、<br />ブラウザー統合を有効にするにはスクリプトを実行する必要があります。<br />スクリプトは次の場所から入手できます: %1 Please see special instructions for browser extension use below - ブラウザー拡張機能を使用するための次の手順を参照してください + ブラウザー拡張機能を使用するには以下の手順を参照してください KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 ブラウザー統合の動作には KeePassXC-Browser が必要です。<br />KeePassXC-Browser は %1 用と %2 用の2種類あります。%3 + + &Brave + Brave(&B) + + + Returns expired credentials. String [expired] is added to the title. + 期限切れの資格情報を返します。タイトルに [期限切れ] という文字列が追加されます。 + + + &Allow returning expired credentials. + 期限切れの資格情報を返すことを許可する(&A) + + + Enable browser integration + ブラウザー統合を有効にする + + + Browsers installed as snaps are currently not supported. + Snap 形式のブラウザーは現在サポートしていません。 + + + All databases connected to the extension will return matching credentials. + 拡張機能に接続された全てのデータベースが一致する資格情報を返します。 + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + レガシーな KeePassHTTP の設定を移行するためのポップアップを表示しないようにします。 + + + &Do not prompt for KeePassHTTP settings migration. + KeePassHTTP の設定移行を確認しない(&D) + + + Custom proxy location field + カスタムプロキシの場所フィールド + + + Browser for custom proxy file + カスタムプロキシファイルブラウザー + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>[警告]</b> keepassxc-proxy アプリケーションが見つかりませんでした。<br />KeePassXC のインストールディレクトリや、詳細設定でカスタムパスを確認してください。<br />ブラウザー統合はプロキシアプリケーションが無いと動作しません。<br />期待されるパス: %1 + BrowserService @@ -692,7 +837,7 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - KeePassXC: レガシーなブラウザー統合の設定が検出されました + KeePassXC: レガシーなブラウザー統合の設定を検出しました KeePassXC: Create a new group @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? これはブラウザーとの接続を維持するのに必要です。 既存の設定を移動しますか? + + Don't show this warning again + 今後この警告を表示しない + CloneDialog @@ -772,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names 最初のレコードがフィールド名 - - Number of headers line to discard - 破棄する先頭行の数 - Consider '\' an escape character エスケープ文字 '\' を考慮する @@ -814,11 +959,11 @@ Would you like to migrate your existing settings now? Error(s) detected in CSV file! - CSV ファイルでエラーが検出されました + CSV ファイルでエラーを検出しました! [%n more message(s) skipped] - [%n 個のメッセージがスキップされました] + [%n 個のメッセージをスキップしました] CSV import: writer has errors: @@ -826,6 +971,22 @@ Would you like to migrate your existing settings now? CSV のインポート: ライターにエラーがあります: %1 + + Text qualification + テキスト修飾 + + + Field separation + フィールドの区切り + + + Number of header lines to discard + 破棄するヘッダー行数 + + + CSV import preview + CSV インポートプレビュー + CsvParserModel @@ -866,18 +1027,36 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 データベースの読み込み中にエラーが発生しました: %1 - - Could not save, database has no file name. - データベースのファイル名が無いため、保存できませんでした。 - File cannot be written as it is opened in read-only mode. - ファイルは読み取り専用モードで開かれているため書き込むことはできません。 + 読み取り専用モードでファイルを開いているため書き込むことはできません。 Key not transformed. This is a bug, please report it to the developers! キーは変換されません。これはバグなので、開発者への報告をお願いします。 + + %1 +Backup database located at %2 + %1 +データベースのバックアップ場所: %2 + + + Could not save, database does not point to a valid file. + 対象のデータベースファイルは正常ではないため、保存できませんでした。 + + + Could not save, database file is read-only. + 対象のデータベースファイルは読み取り専用なため、保存できませんでした。 + + + Database file has unmerged changes. + データベースファイルにマージしていない変更があります。 + + + Recycle Bin + ゴミ箱 + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - マスターキーの入力 - Key File: キーファイル: - - Password: - パスワード: - - - Browse - 参照 - Refresh 再読み込み - - Challenge Response: - チャレンジレスポンス: - Legacy key file format レガシーなキーファイル形式 @@ -922,7 +1085,7 @@ unsupported in the future. Please consider generating a new key file. レガシーなキーファイル形式は将来的に、 -サポートされなくなる可能性があります。 +サポートしなくなる可能性があります。 新しいキーファイルの生成を検討してください。 @@ -943,20 +1106,99 @@ Please consider generating a new key file. キーファイルを選択 - TouchID for quick unlock - TouchID で素早くロックを解除 + Failed to open key file: %1 + キーファイルを開くのに失敗しました: %1 - Unable to open the database: -%1 - データベースを開けません: -%1 + Select slot... + スロットを選択... - Can't open key file: -%1 - キーファイルを開けません: -%1 + Unlock KeePassXC Database + KeePassXC データベースのロック解除 + + + Enter Password: + パスワードを入力してください: + + + Password field + パスワードフィールド + + + Toggle password visibility + パスワードの表示/非表示を切り替え + + + Enter Additional Credentials: + 追加の資格情報を入力してください: + + + Key file selection + キーファイルを選択 + + + Hardware key slot selection + ハードウェアキースロットを選択 + + + Browse for key file + キーファイルを探す + + + Browse... + 参照... + + + Refresh hardware tokens + ハードウェアトークンを更新 + + + Hardware Key: + ハードウェアキー: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>スロットを HMAC-SHA1 用に設定した <strong>YubiKey</strong> や <strong>OnlyKey</strong> をハードウェアセキュリティキーとして使用できます。</p> + <p>詳しくはクリックしてください...</p> + + + Hardware key help + ハードウェアキーのヘルプ + + + TouchID for Quick Unlock + TouchID で素早くロックを解除する + + + Clear + 消去 + + + Clear Key File + キーファイルを消去 + + + Select file... + ファイルを選択... + + + Unlock failed and no password given + パスワードが未指定なためロックの解除に失敗しました + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + パスワードを入力しなかったため、データベースのロック解除に失敗しました。再試行しますか? + +このエラーを防ぐには、"データベースの設定" を開き、"セキュリティ" でパスワードをリセットする必要があります。 + + + Retry with empty password + 空のパスワードで再試行 @@ -986,7 +1228,7 @@ Please consider generating a new key file. Encryption Settings - 暗号化設定 + 暗号化の設定 Browser Integration @@ -1061,11 +1303,11 @@ This may prevent connection to the browser plugin. KeePassXC: Removed keys from database - KeePassXC: データベースからキーが削除されました + KeePassXC: データベースからキーを削除しました Successfully removed %n encryption key(s) from KeePassXC settings. - KeePassXC の設定から %n 個の暗号化キーが正常に削除されました。 + KeePassXC の設定から %n 個の暗号化キーを正常に削除しました。 Forget all site-specific settings on entries @@ -1079,7 +1321,7 @@ Permissions to access entries will be revoked. Removing stored permissions… - 保存されたアクセス許可を削除しています… + 保存したアクセス許可を削除しています… Abort @@ -1087,11 +1329,11 @@ Permissions to access entries will be revoked. KeePassXC: Removed permissions - KeePassXC: アクセス許可が削除されました + KeePassXC: アクセス許可を削除しました Successfully removed permissions from %n entry(s). - %n 個のエントリーからアクセス許可が正常に削除されました。 + %n 個のエントリーからアクセス許可を正常に削除しました。 KeePassXC: No entry with permissions found! @@ -1111,6 +1353,14 @@ This is necessary to maintain compatibility with the browser plugin. 本当にレガシーなブラウザー統合のデータを最新の標準に移行しますか? これはブラウザープラグインとの互換性維持に必要です。 + + Stored browser keys + 保存したブラウザーキー + + + Remove selected key + 選択したキーを削除 + DatabaseSettingsWidgetEncryption @@ -1227,16 +1477,16 @@ If you keep this number, your database may be too easy to crack! KDF unchanged - KDF は変更されません + KDF は変更しません Failed to transform key with new KDF parameters; KDF unchanged. - 新しい KDF のパラメーターでのキー変換に失敗しました。KDF は変更されません。 + 新しい KDF のパラメーターでのキー変換に失敗しました。KDF を変更しません。 MiB Abbreviation for Mebibytes (KDF settings) - MiB + MiB thread(s) @@ -1253,6 +1503,57 @@ If you keep this number, your database may be too easy to crack! seconds %1 秒 + + Change existing decryption time + 既存の復号化時間を変更 + + + Decryption time in seconds + 復号化時間 (秒) + + + Database format + データベースの形式 + + + Encryption algorithm + 暗号化アルゴリズム + + + Key derivation function + 鍵導出関数 + + + Transform rounds + 変換回数 + + + Memory usage + メモリ使用量 + + + Parallelism + 並列処理 + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + 公開するエントリー + + + Don't e&xpose this database + このデータベースを公開しない(&X) + + + Expose entries &under this group: + このグループ下のエントリーを公開する(&U): + + + Enable fd.o Secret Service to access these settings. + これらの設定にアクセスするには、fd.o シークレットサービスを有効にしてください。 + DatabaseSettingsWidgetGeneral @@ -1300,6 +1601,40 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) 圧縮を有効にする (推奨)(&C) + + Database name field + データベース名フィールド + + + Database description field + データベースの概要フィールド + + + Default username field + デフォルトのユーザー名フィールド + + + Maximum number of history items per entry + エントリー毎の履歴アイテムの最大数 + + + Maximum size of history per entry + エントリー毎の履歴の最大サイズ + + + Delete Recycle Bin + ゴミ箱を削除 + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + ゴミ箱とその内容を削除しますか? +これは元に戻すことができません。 + + + (old) + (旧) + DatabaseSettingsWidgetKeeShare @@ -1341,7 +1676,7 @@ If you keep this number, your database may be too easy to crack! No encryption key added - 追加された暗号化キーはありません + 追加した暗号化キーはありません You must add at least one encryption key to secure your database! @@ -1367,6 +1702,10 @@ Are you sure you want to continue without a password? Failed to change master key マスターキーの変更に失敗しました + + Continue without password + パスワードなしで続行 + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1717,129 @@ Are you sure you want to continue without a password? Description: 概要: + + Database name field + データベース名フィールド + + + Database description field + データベースの概要フィールド + + + + DatabaseSettingsWidgetStatistics + + Statistics + 統計 + + + Hover over lines with error icons for further information. + エラーアイコンがある行にマウスオーバーすると詳細を表示します。 + + + Name + 名前 + + + Value + + + + Database name + データベース名 + + + Description + 概要 + + + Location + 場所 + + + Last saved + 最終更新日時 + + + Unsaved changes + 変更の未保存 + + + yes + はい + + + no + いいえ + + + The database was modified, but the changes have not yet been saved to disk. + データベースは変更済みですが、まだディスクに保存していません。 + + + Number of groups + グループ数 + + + Number of entries + エントリー数 + + + Number of expired entries + 期限切れエントリー数 + + + The database contains entries that have expired. + データベースに期限切れのエントリーが含まれています。 + + + Unique passwords + 固有パスワード + + + Non-unique passwords + 非固有パスワード + + + More than 10% of passwords are reused. Use unique passwords when possible. + 10% 以上のパスワードが使い回されています。可能な限り、それ専用のパスワードを使用してください。 + + + Maximum password reuse + パスワード使い回しの最大数 + + + Some passwords are used more than three times. Use unique passwords when possible. + 一部のパスワードが3回以上使い回されています。可能な限り、それ専用のパスワードを使用してください。 + + + Number of short passwords + 短いパスワードの数 + + + Recommended minimum password length is at least 8 characters. + 推奨最小パスワード長は最低8文字です。 + + + Number of weak passwords + 脆弱なパスワードの数 + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + 「良い」または「すばらしい」評価の長くてランダムなパスワードの使用を推奨します。 + + + Average password length + 平均パスワード長 + + + %1 characters + %1文字 + + + Average password length is less than ten characters. Longer passwords provide more security. + パスワード長の平均値が10文字以下です。パスワードは長いほどセキュリティが向上します。 + DatabaseTabWidget @@ -1411,7 +1873,7 @@ Are you sure you want to continue without a password? Export database to CSV file - データベースを CSV ファイルにエクスポートする + データベースを CSV ファイルへエクスポート Writing the CSV file failed. @@ -1424,13 +1886,9 @@ Are you sure you want to continue without a password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - 作成されたデータベースはキーや KDF が無いため保存しません。 + 作成したデータベースはキーや KDF が無いため保存しません。 これは確実にバグなので、開発者への報告をお願いします。 - - The database file does not exist or is not accessible. - データベースファイルは存在しないか、アクセスできません。 - Select CSV file CSV ファイルを選択 @@ -1454,6 +1912,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [読み取り専用] + + Failed to open %1. It either does not exist or is not accessible. + %1 は存在しないかアクセス可能ではないため、開くのに失敗しました。 + + + Export database to HTML file + データベースを HTML ファイルへエクスポート + + + HTML file + HTML ファイル + + + Writing the HTML file failed. + HTML ファイルの書き込みに失敗しました。 + + + Export Confirmation + エクスポートの確認 + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + データベースを暗号化せずにファイルへエクスポートしようとしています。これはパスワードや機密情報が脆弱な状態に置かれることを意味します。続行してもよろしいですか? + DatabaseWidget @@ -1543,10 +2025,6 @@ Do you want to merge your changes? Move entry(s) to recycle bin? エントリーをゴミ箱に移動しますか? - - File opened in read only mode. - 読み取り専用でファイルを開きました。 - Lock Database? データベースをロックしますか? @@ -1558,13 +2036,13 @@ Do you want to merge your changes? "%1" was modified. Save changes? - "%1" は更新されています。 + "%1" が更新されました。 変更を保存しますか? Database was modified. Save changes? - データベースは更新されています。 + データベースが更新されました。 変更を保存しますか? @@ -1586,12 +2064,6 @@ Error: %1 Disable safe saves and try again? KeePassXC はデータベースの多段階保存に失敗しました。これは恐らく、保存するファイルをロックしているファイル同期サービスが原因だと思われます。 安全な保存を無効にして再試行しますか? - - - Writing the database failed. -%1 - データベースの書き込みに失敗しました。 -%1 Passwords @@ -1627,7 +2099,7 @@ Disable safe saves and try again? Successfully merged the database files. - データベースファイルは正常にマージされました。 + データベースファイルを正常にマージしました。 Database was not modified by merge operation. @@ -1637,6 +2109,14 @@ Disable safe saves and try again? Shared group... 共有グループ... + + Writing the database failed: %1 + データベースへの書き込みに失敗しました: %1 + + + This database is opened in read-only mode. Autosave is disabled. + このデータベースは読み取り専用モードで開いています。自動保存は無効です。 + EditEntryWidget @@ -1734,7 +2214,7 @@ Disable safe saves and try again? Entry updated successfully. - エントリーは正常に更新されました。 + エントリーを正常に更新しました。 Entry has unsaved changes @@ -1756,6 +2236,18 @@ Disable safe saves and try again? Confirm Removal 削除の確認 + + Browser Integration + ブラウザー統合 + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + この URL を削除してもよろしいですか? + EditEntryWidgetAdvanced @@ -1795,6 +2287,42 @@ Disable safe saves and try again? Background Color: 背景色: + + Attribute selection + 属性選択 + + + Attribute value + 属性値 + + + Add a new attribute + 新しい属性を追加 + + + Remove selected attribute + 選択した属性を削除 + + + Edit attribute name + 属性名を編集 + + + Toggle attribute protection + 属性の保護を切り替え + + + Show a protected attribute + 保護された属性を表示 + + + Foreground color selection + 前景色選択 + + + Background color selection + 背景色選択 + EditEntryWidgetAutoType @@ -1830,6 +2358,77 @@ Disable safe saves and try again? Use a specific sequence for this association: この関連付けに特定のシーケンスを使用する: + + Custom Auto-Type sequence + カスタム自動入力シーケンス + + + Open Auto-Type help webpage + 自動入力のヘルプウェブページを開く + + + Existing window associations + 既存のウィンドウ関連付け + + + Add new window association + 新しいウィンドウ関連付けを追加 + + + Remove selected window association + 選択したウィンドウ関連付けを削除 + + + You can use an asterisk (*) to match everything + アスタリスク (*) を使用すると全てに一致させることができます + + + Set the window association title + ウィンドウ関連付けのタイトルを設定 + + + You can use an asterisk to match everything + アスタリスクを使用すると全てに一致させることができます + + + Custom Auto-Type sequence for this window + このウィンドウのカスタム自動入力シーケンス + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + これらの設定はエントリーの挙動 (ブラウザー拡張機能) に影響します。 + + + General + 一般 + + + Skip Auto-Submit for this entry + このエントリーの自動送信をスキップする + + + Hide this entry from the browser extension + このエントリーをブラウザー拡張機能から非表示にする + + + Additional URL's + 追加の URL + + + Add + 追加 + + + Remove + 削除 + + + Edit + 編集 + EditEntryWidgetHistory @@ -1849,6 +2448,26 @@ Disable safe saves and try again? Delete all 全て削除 + + Entry history selection + エントリーの履歴選択 + + + Show entry at selected history state + 選択した履歴の時点でのエントリーの状態を表示 + + + Restore entry to selected history state + エントリーを選択した履歴の状態に復元 + + + Delete selected history state + 選択した履歴を削除 + + + Delete all history + 全ての履歴を削除 + EditEntryWidgetMain @@ -1888,6 +2507,62 @@ Disable safe saves and try again? Expires 期限 + + Url field + URL フィールド + + + Download favicon for URL + URL 用のファビコンをダウンロード + + + Repeat password field + パスワード再入力フィールド + + + Toggle password generator + パスワード生成を切り替え + + + Password field + パスワードフィールド + + + Toggle password visibility + パスワードの表示/非表示を切り替え + + + Toggle notes visible + メモの表示を切り替え + + + Expiration field + 有効期限フィールド + + + Expiration Presets + 有効期限のプリセット + + + Expiration presets + 有効期限のプリセット + + + Notes field + メモフィールド + + + Title field + タイトルフィールド + + + Username field + ユーザー名フィールド + + + Toggle expiration + 有効期限を切り替え + EditEntryWidgetSSHAgent @@ -1909,7 +2584,7 @@ Disable safe saves and try again? Remove key from agent when database is closed/locked - データベースが閉じられたりロックされた際にエージェントからキーを削除する + データベースを閉じたりロックした際にエージェントからキーを削除する Public key @@ -1917,7 +2592,7 @@ Disable safe saves and try again? Add key to agent when database is opened/unlocked - データベースが開かれたりロックが解除された際にエージェントにキーを追加する + データベースを開いたりロックを解除した際にエージェントにキーを追加する Comment @@ -1962,7 +2637,23 @@ Disable safe saves and try again? Require user confirmation when this key is used - このキーが使用される際にユーザーの確認を必要とする + このキーを使用する際に必ずユーザーに確認する + + + Remove key from agent after specified seconds + 指定秒経過後にエージェントからキーを削除 + + + Browser for key file + キーファイルブラウザー + + + External key file + 外部キーファイル + + + Select attachment file + 添付ファイルを選択 @@ -1999,6 +2690,10 @@ Disable safe saves and try again? Inherit from parent group (%1) 親グループ "(%1)" から引き継ぐ + + Entry has unsaved changes + エントリーに未保存の変更があります + EditGroupWidgetKeeShare @@ -2026,34 +2721,6 @@ Disable safe saves and try again? Inactive 非アクティブ - - Import from path - パスからインポート - - - Export to path - パスにエクスポート - - - Synchronize with path - パスと同期 - - - Your KeePassXC version does not support sharing your container type. Please use %1. - このバージョンの KeePassXC は現在のコンテナ形式の共有をサポートしていません。%1 を使用してください。 - - - Database sharing is disabled - データベースの共有は無効です - - - Database export is disabled - データベースのエクスポートは無効です - - - Database import is disabled - データベースのインポートは無効です - KeeShare unsigned container KeeShare 未署名コンテナ @@ -2079,16 +2746,75 @@ Disable safe saves and try again? 消去 - The export container %1 is already referenced. - エクスポートするコンテナ %1 は既に参照されています。 + Import + インポート - The import container %1 is already imported. - インポートするコンテナ %1 は既にインポートされています。 + Export + エクスポート - The container %1 imported and export by different groups. - + Synchronize + 同期 + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + このバージョンの KeePassXC はこのコンテナ形式の共有をサポートしていません。 +サポートしている拡張機能: %1. + + + %1 is already being exported by this database. + %1 は既にこのデータベースでエクスポート済みです。 + + + %1 is already being imported by this database. + %1 は既にこのデータベースでインポート済みです。 + + + %1 is being imported and exported by different groups in this database. + %1 は既にこのデータベースの他のグループでインポート/エクスポート済みです。 + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare は現在無効です。設定でインポートとエクスポートを有効にできます。 + + + Database export is currently disabled by application settings. + 現在データベースのエクスポートは設定で無効になっています。 + + + Database import is currently disabled by application settings. + 現在データベースのインポートは設定で無効になっています。 + + + Sharing mode field + 共有モードフィールド + + + Path to share file field + 共有ファイルパスフィールド + + + Browser for share file + 共有ファイルブラウザー + + + Password field + パスワードフィールド + + + Toggle password visibility + パスワードの表示/非表示を切り替え + + + Toggle password generator + パスワード生成を切り替え + + + Clear fields + 消去フィールド @@ -2121,6 +2847,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence デフォルトの自動入力シーケンスを設定する(&Q) + + Name field + 名前フィールド + + + Notes field + メモフィールド + + + Toggle expiration + 有効期限を切り替え + + + Auto-Type toggle for this and sub groups + これとサブグループの自動入力を切り替え + + + Expiration field + 有効期限フィールド + + + Search toggle for this and sub groups + これとサブグループの検索を切り替え + + + Default auto-type sequence field + デフォルトの自動入力シーケンスフィールド + EditWidgetIcons @@ -2156,22 +2910,10 @@ Disable safe saves and try again? All files 全てのファイル - - Custom icon already exists - カスタムアイコンは既に存在します - Confirm Delete 削除の確認 - - Custom icon successfully downloaded - カスタムアイコンは正常にダウンロードされました - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - ヒント: ツール > 設定 > セキュリティから DuckDuckGo をフォールバックとして有効にすることができます - Select Image(s) 画像を選択 @@ -2196,6 +2938,42 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? このアイコンは %n 個のエントリーで使用されており、デフォルトのアイコンに置き換えられます。本当に削除してもよろしいですか? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + ツール -> 設定 -> セキュリティで DuckDuckGo ウェブサイトアイコンサービスを有効にできます + + + Download favicon for URL + URL 用のファビコンをダウンロード + + + Apply selected icon to subgroups and entries + 選択したアイコンをサブグループとエントリーに適用 + + + Apply icon &to ... + アイコンを適用(&T)... + + + Apply to this only + これにのみ適用 + + + Also apply to child groups + 子グループにも適用 + + + Also apply to child entries + 子エントリーにも適用 + + + Also apply to all children + 全ての子に適用 + + + Existing icon selected. + 選択したアイコンは既存です。 + EditWidgetProperties @@ -2241,6 +3019,30 @@ This may cause the affected plugins to malfunction. Value + + Datetime created + 作成日時 + + + Datetime modified + 更新日時 + + + Datetime accessed + アクセス日時 + + + Unique ID + 固有 ID + + + Plugin data + プラグインデータ + + + Remove selected plugin data + 選択したプラグインデータを削除 + Entry @@ -2336,6 +3138,26 @@ This may cause the affected plugins to malfunction. ファイルを開けません: %1 + + Attachments + 添付ファイル + + + Add new attachment + 新しい添付ファイルを追加 + + + Remove selected attachment + 選択した添付ファイルを削除 + + + Open selected attachment + 選択した添付ファイルを開く + + + Save selected attachment to disk + 選択した添付ファイルをディスクに保存 + EntryAttributesModel @@ -2388,7 +3210,7 @@ This may cause the affected plugins to malfunction. Never - なし + 常にしない Password @@ -2429,10 +3251,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - TOTP トークンを生成 - Close 閉じる @@ -2495,7 +3313,7 @@ This may cause the affected plugins to malfunction. Never - なし + 常にしない [PROTECTED] @@ -2518,6 +3336,14 @@ This may cause the affected plugins to malfunction. Share 共有 + + Display current TOTP value + 現在の TOTP 値を表示 + + + Advanced + 詳細設定 + EntryView @@ -2551,11 +3377,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - ゴミ箱 + Entry "%1" from database "%2" was used by %3 + データベース "%2" のエントリー "%1" が %3 に使用されました + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + %1 で DBus サービスの登録に失敗しました: 他のシークレットサービスが実行中です。 + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n 個のエントリーが %1 に使用されました + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo シークレットサービス: %1 + + + + Group [empty] group has no children @@ -2573,6 +3421,59 @@ This may cause the affected plugins to malfunction. Native messaging スクリプトファイルを保存できません。 + + IconDownloaderDialog + + Download Favicons + ファビコンをダウンロード + + + Cancel + キャンセル + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + アイコンのダウンロードに問題がありましたか? +設定のセキュリティセクションで DuckDuckGo ウェブサイトアイコンサービスを有効にできます。 + + + Close + 閉じる + + + URL + URL + + + Status + ステータス + + + Please wait, processing entry list... + エントリー一覧を処理中です、しばらくお待ちください... + + + Downloading... + ダウンロード中... + + + Ok + OK + + + Already Exists + 既に存在します + + + Download Failed + ダウンロードに失敗しました + + + Downloading favicons (%1/%2)... + ファビコンをダウンロード中 (%1/%2)... + + KMessageWidget @@ -2594,10 +3495,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. チャレンジレスポンスを発行することができません。 - - Wrong key or database file is corrupt. - キーが間違っているかデータベースファイルが破損しています。 - missing database headers データベースのヘッダーがありません @@ -2618,6 +3515,12 @@ This may cause the affected plugins to malfunction. Invalid header data length ヘッダーデータ長が不正です + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 不正な資格情報です。再試行してください。 +これが再発した場合は、データベースファイルが破損している可能性があります。 + Kdbx3Writer @@ -2648,10 +3551,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch ヘッダー SHA256 が一致しません - - Wrong key or database file is corrupt. (HMAC mismatch) - キーが間違っているかデータベースファイルが破損しています (HMAC の不一致)。 - Unknown cipher 不明な暗号です @@ -2752,6 +3651,16 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data VariantMap のフィールドタイプのサイズが不正です + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 不正な資格情報です。再試行してください。 +これが再発した場合は、データベースファイルが破損している可能性があります。 + + + (HMAC mismatch) + (HMAC が一致しません) + Kdbx4Writer @@ -2821,10 +3730,10 @@ This may cause the affected plugins to malfunction. You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. - 選択されたファイルは古い KeePass 1 のデータベース (.kdb) です。 + 選択したファイルは古い KeePass 1 のデータベース (.kdb) です。 データベース > 'KeePass 1 データベースをインポート...' をクリックすることでインポートできます。 -これは一方向の移行操作であり、インポートされたデータベースは古い KeePassX 0.4 のバージョンでは開くことはできません。 +これは一方向の移行操作であり、インポートしたデータベースは古いバージョンである KeePassX 0.4 では開くことはできません。 Unsupported KeePass 2 database version. @@ -2973,14 +3882,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - KeePass1 データベースをインポート - Unable to open the database. データベースを開けません。 + + Import KeePass1 Database + KeePass1 データベースをインポート + KeePass1Reader @@ -3037,10 +3946,6 @@ Line %2, column %3 Unable to calculate master key マスターキーを計算できません - - Wrong key or database file is corrupt. - キーが間違っているかデータベースファイルが破損しています。 - Key transformation failed キー変換に失敗しました @@ -3137,40 +4042,58 @@ Line %2, column %3 unable to seek to content position 内容の位置にシークできません + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 不正な資格情報です。再試行してください。 +これが再発した場合は、データベースファイルが破損している可能性があります。 + KeeShare - Disabled share - 共有無効 + Invalid sharing reference + 共有の参照が不正です - Import from - インポート + Inactive share %1 + 共有 %1 は非アクティブです - Export to - エクスポート + Imported from %1 + %1 からインポートしました - Synchronize with - 同期 + Exported to %1 + %1 にエクスポートしました - Disabled share %1 - 共有 %1 を無効にする + Synchronized with %1 + %1 と同期しました - Import from share %1 - 共有 %1 からインポートする + Import is disabled in settings + インポートは設定で無効になっています - Export to share %1 - 共有 %1 にエクスポートする + Export is disabled in settings + エクスポートは設定で無効になっています - Synchronize with share %1 - 共有 %1 と同期 + Inactive share + 非アクティブな共有 + + + Imported from + インポート元 + + + Exported to + エクスポート先 + + + Synchronized with + 同期先 @@ -3214,10 +4137,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - 参照 - Generate 生成 @@ -3228,7 +4147,7 @@ Line %2, column %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - <p>セキュリティ対策でランダムバイトを含むキーファイルを追加できます。</p><p>キーファイルは誰にも知られず、無くさないようにしてください。そうしないとロックアウトされることになりかねません。</p> + <p>セキュリティ対策でランダムバイトを含むキーファイルを追加できます。</p><p>キーファイルは誰にも知られず、絶対に無くさないよう注意してください。</p> Legacy key file format @@ -3240,7 +4159,7 @@ unsupported in the future. Please go to the master key settings and generate a new key file. レガシーなキーファイル形式は将来的に、 -サポートされなくなる可能性があります。 +サポートしなくなる可能性があります。 マスターキーの設定で新しいキーファイルを生成してください。 @@ -3274,6 +4193,44 @@ Message: %2 Select a key file キーファイルを選択 + + Key file selection + キーファイルを選択 + + + Browse for key file + キーファイルを探す + + + Browse... + 参照... + + + Generate a new key file + 新しいキーファイルを生成 + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + メモ: 内容が変更される可能性があるファイルを使用すると、データベースのロックを解除できなくなる恐れがあります。 + + + Invalid Key File + 不正なキーファイルです + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + 現在のデータベース自身をキーファイルにすることはできません。他のファイルを選択するか、新しいキーファイルを生成してください。 + + + Suspicious Key File + 怪しいキーファイルです + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + 選択したキーファイルはパスワードデータベースファイルだと思われます。キーファイルは絶対に変更されることがない、静的なファイルである必要があります。変更される可能性があるファイルでは、データベースに永久にアクセスできなくなる恐れがあります。 +このファイルで続行してもよろしいですか? + MainWindow @@ -3361,10 +4318,6 @@ Message: %2 &Settings 設定(&S) - - Password Generator - パスワード生成 - &Lock databases データベースをロック(&L) @@ -3551,14 +4504,6 @@ KeePassXC の配布ページから AppImage をダウンロードして使用す Show TOTP QR Code... TOTP QR コードを表示... - - Check for Updates... - 更新を確認... - - - Share entry - エントリーを共有 - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3577,6 +4522,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. 更新の確認はいつでもメニューから手動で実行できます。 + + &Export + エクスポート(&E) + + + &Check for Updates... + 更新を確認(&C)... + + + Downlo&ad all favicons + 全てのファビコンをダウンロード(&A) + + + Sort &A-Z + 並べ替え (A-Z)(&A) + + + Sort &Z-A + 並べ替え (Z-A)(&Z) + + + &Password Generator + パスワード生成(&P) + + + Download favicon + ファビコンをダウンロード + + + &Export to HTML file... + HTML ファイルへエクスポート(&E)... + + + 1Password Vault... + 1Password 保管庫... + + + Import a 1Password Vault + 1Password 保管庫をインポート + + + &Getting Started + スタートガイド(&G) + + + Open Getting Started Guide PDF + スタートガイド PDF を開く + + + &Online Help... + オンラインヘルプ(&O)... + + + Go to online documentation (opens browser) + ブラウザーでオンラインドキュメントを開く + + + &User Guide + ユーザーガイド(&U) + + + Open User Guide PDF + ユーザーガイド PDF を開く + + + &Keyboard Shortcuts + キーボードショートカット(&K) + Merger @@ -3594,7 +4607,7 @@ Expect some bugs and minor issues, this version is not meant for production use. older entry merged from database "%1" - データベース "%1" からマージされた古いエントリー + データベース "%1" からマージした古いエントリー Adding backup for older target %1 [%2] @@ -3630,12 +4643,20 @@ Expect some bugs and minor issues, this version is not meant for production use. Changed deleted objects - 削除されたオブジェクトを変更 + 削除したオブジェクトを変更 Adding missing icon %1 存在しないアイコン %1 を追加 + + Removed custom data %1 [%2] + カスタムデータ %1 [%2] を削除 + + + Adding custom data %1 [%2] + カスタムデータ %1 [%2] を追加 + NewDatabaseWizard @@ -3705,6 +4726,73 @@ Expect some bugs and minor issues, this version is not meant for production use. 新しいデータベースの名前と、必要な場合は説明文を入力してください: + + OpData01 + + Invalid OpData01, does not contain header + ヘッダーがない不正な OpData01 です + + + Unable to read all IV bytes, wanted 16 but got %1 + %1 / 16 しか取得できなかったため IV を読み取れません + + + Unable to init cipher for opdata01: %1 + opdata01 の暗号を init できません: %1 + + + Unable to read all HMAC signature bytes + HMAC 署名を読み取れません + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + データベースの読み取りはインスタンスをプロデュースしませんでした +%1 + + + + OpVaultReader + + Directory .opvault must exist + ディレクトリ .opvault が存在する必要があります + + + Directory .opvault must be readable + ディレクトリ .opvault は読み取り可能である必要があります + + + Directory .opvault/default must exist + ディレクトリ .opvault/default が存在する必要があります + + + Directory .opvault/default must be readable + ディレクトリ .opvault/default は読み取り可能である必要があります + + + Unable to decode masterKey: %1 + masterKey をデコードできません: %1 + + + Unable to derive master key: %1 + マスターキーを導出できません: %1 + + OpenSSHKey @@ -3804,11 +4892,22 @@ Expect some bugs and minor issues, this version is not meant for production use. 不明な鍵の種類です: %1 + + PasswordEdit + + Passwords do not match + パスワードが一致しません + + + Passwords match so far + 今の所パスワードは一致しています + + PasswordEditWidget Enter password: - パスワードを入力: + パスワードを入力してください: Confirm password: @@ -3830,6 +4929,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password マスターパスワードを生成 + + Password field + パスワードフィールド + + + Toggle password visibility + パスワードの表示/非表示を切り替え + + + Repeat password field + パスワード再入力フィールド + + + Toggle password generator + パスワード生成を切り替え + PasswordGeneratorWidget @@ -3858,22 +4973,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types 文字種 - - Upper Case Letters - 大文字 - - - Lower Case Letters - 小文字 - Numbers 数字 - - Special Characters - 特殊文字 - Extended ASCII 拡張 ASCII @@ -3954,18 +5057,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced 詳細設定 - - Upper Case Letters A to F - 大文字の A ~ F - A-Z A-Z - - Lower Case Letters A to F - 小文字の A ~ F - a-z a-z @@ -3998,18 +5093,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - 数学記号 - <*+!?= <*+!?= - - Dashes - ダッシュ - \_|-/ \_|-/ @@ -4058,6 +5145,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate 再生成 + + Generated password + 生成されたパスワード + + + Upper-case letters + 大文字 + + + Lower-case letters + 小文字 + + + Special characters + 特殊文字 + + + Math Symbols + 数式シンボル + + + Dashes and Slashes + ダッシュやスラッシュ + + + Excluded characters + 除外される文字 + + + Hex Passwords + 16進数パスワード + + + Password length + パスワード長 + + + Word Case: + 単語の大小文字: + + + Regenerate password + パスワードを再生成 + + + Copy password + パスワードをコピー + + + Accept password + パスワードを受容 + + + lower case + 小文字 + + + UPPER CASE + 大文字 + + + Title Case + 先頭文字のみ大文字 + + + Toggle password visibility + パスワードの表示/非表示を切り替え + QApplication @@ -4065,12 +5220,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - 選択 + Statistics + 統計 @@ -4107,12 +5259,16 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge マージ + + Continue + 続行 + QObject Database not opened - データベースが開かれていません + データベースを開いていません Database hash not available @@ -4198,10 +5354,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. エントリーのパスワードを生成する。 - - Length for the generated password. - 生成するパスワードの長さ。 - length 長さ @@ -4251,25 +5403,13 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. パスワードの詳細な分析を実行する。 - - Extract and print the content of a database. - データベースの内容を展開して出力する。 - - - Path of the database to extract. - 展開するデータベースのパス。 - - - Insert password to unlock %1: - %1 のロックを解除するパスワードを入力してください: - WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. 警告: レガシーなキーファイル形式は将来的に、 -サポートされなくなる可能性があります。 +サポートしなくなる可能性があります。 新しいキーファイルの生成を検討してください。 @@ -4307,10 +5447,6 @@ Available commands: Merge two databases. 2つのデータベースをマージする。 - - Path of the database to merge into. - マージ先のデータベースのパス。 - Path of the database to merge from. マージ元のデータベースのパス。 @@ -4387,10 +5523,6 @@ Available commands: Browser Integration ブラウザー統合 - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey [%1] のチャレンジレスポンス - スロット %2 - %3 - Press Press @@ -4421,10 +5553,6 @@ Available commands: Generate a new random password. 新しいランダムなパスワードを生成する。 - - Invalid value for password length %1. - %1 はパスワードの長さとして適正な値ではありません。 - Could not create entry with path %1. パス %1 のエントリーを作成できませんでした。 @@ -4439,7 +5567,7 @@ Available commands: Successfully added entry %1. - エントリー %1 は正常に追加されました。 + エントリー %1 を正常に追加しました。 Copy the current TOTP to the clipboard. @@ -4459,11 +5587,11 @@ Available commands: Entry's current TOTP copied to the clipboard! - エントリーの現在の TOTP がクリップボードにコピーされました。 + エントリーの現在の TOTP をクリップボードにコピーしました。 Entry's password copied to the clipboard! - エントリーのパスワードがクリップボードにコピーされました。 + エントリーのパスワードをクリップボードにコピーしました。 Clearing the clipboard in %1 second(s)... @@ -4471,7 +5599,7 @@ Available commands: Clipboard cleared! - クリップボードは消去されました。 + クリップボードを消去しました。 Silence password prompt and other secondary outputs. @@ -4482,10 +5610,6 @@ Available commands: CLI parameter カウント - - Invalid value for password length: %1 - パスワードの長さの値が不正です: %1 - Could not find entry with path %1. パス %1 のエントリーを見つけられませんでした。 @@ -4504,7 +5628,7 @@ Available commands: Successfully edited entry %1. - エントリー %1 は正常に編集されました。 + エントリー %1 を正常に編集しました。 Length %1 @@ -4610,26 +5734,6 @@ Available commands: Failed to load key file %1: %2 キーファイル %1 の読み込みに失敗しました: %2 - - File %1 does not exist. - ファイル %1 は存在しません。 - - - Unable to open file %1. - ファイル %1 を開けません。 - - - Error while reading the database: -%1 - データベースの読み込み中にエラーが発生しました: -%1 - - - Error while parsing the database: -%1 - データベースの解析中にエラーが発生しました: -%1 - Length of the generated password 生成されるパスワードの長さ @@ -4642,10 +5746,6 @@ Available commands: Use uppercase characters 大文字を使用する - - Use numbers. - 数字を使用する。 - Use special characters 特殊文字を使用する @@ -4668,7 +5768,7 @@ Available commands: Include characters from every selected group - 選択された各グループの文字を含む + 選択した各グループの文字を含む Recursively list the elements of the group. @@ -4694,11 +5794,11 @@ Available commands: Successfully recycled entry %1. - エントリー %1 は正常にリサイクルされました。 + エントリー %1 を正常にゴミ箱へ移動しました。 Successfully deleted entry %1. - エントリー %1 は正常に削除されました。 + エントリー %1 を正常に削除しました。 Show the entry's current TOTP. @@ -4710,7 +5810,7 @@ Available commands: No program defined for clipboard manipulation - クリップボード操作用プログラムとして定義されていません + クリップボード操作用プログラムとして定義していません Unable to start program %1 @@ -4780,7 +5880,7 @@ Available commands: No key is set. Aborting database creation. - キーが設定されていません。データベースの作成を中止します。 + キーを設定していません。データベースの作成を中止します。 Failed to save the database: %1. @@ -4788,11 +5888,7 @@ Available commands: Successfully created new database. - 新しいデータベースは正常に作成されました。 - - - Insert password to encrypt database (Press enter to leave blank): - データベースを暗号化するパスワードを入力してください (空のままにする場合は Enter を押してください): + 新しいデータベースを正常に作成しました。 Creating KeyFile %1 failed: %2 @@ -4802,10 +5898,6 @@ Available commands: Loading KeyFile %1 failed: %2 キーファイル %1 の読み込みに失敗しました: %2 - - Remove an entry from the database. - データベースからエントリーを削除する。 - Path of the entry to remove. 削除するエントリーのパス。 @@ -4862,6 +5954,330 @@ Available commands: Cannot create new group 新しいグループを作成できません + + Deactivate password key for the database. + データベースのパスワードキーを無効にする。 + + + Displays debugging information. + デバッグ情報を表示する。 + + + Deactivate password key for the database to merge from. + マージ元データベースのパスワードキーを無効にする。 + + + Version %1 + バージョン %1 + + + Build Type: %1 + ビルド形式: %1 + + + Revision: %1 + リビジョン: %1 + + + Distribution: %1 + 配布形式: %1 + + + Debugging mode is disabled. + デバッグモードが無効です。 + + + Debugging mode is enabled. + デバッグモードが有効です。 + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + オペレーティングシステム: %1 +CPU アーキテクチャー: %2 +カーネル: %3 %4 + + + Auto-Type + 自動入力 + + + KeeShare (signed and unsigned sharing) + KeeShare (署名共有と未署名共有) + + + KeeShare (only signed sharing) + KeeShare (署名共有のみ) + + + KeeShare (only unsigned sharing) + KeeShare (未署名共有のみ) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + なし + + + Enabled extensions: + 有効な拡張機能: + + + Cryptographic libraries: + 暗号化ライブラリ: + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + データベースに新しいグループを追加する。 + + + Path of the group to add. + 追加するグループのパス。 + + + Group %1 already exists! + グループ %1 は既に存在します! + + + Group %1 not found. + グループ %1 が見つかりません。 + + + Successfully added group %1. + グループ %1 を正常に追加しました。 + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + パスワードが公に流出しているか確認する。FILENAME は、https://haveibeenpwned.com/Passwords で利用可能な HIBP 形式 (流出したパスワードの SHA-1 ハッシュのリスト) のファイルのパスである必要があります。 + + + FILENAME + FILENAME + + + Analyze passwords for weaknesses and problems. + パスワードの脆弱性や問題点を解析する。 + + + Failed to open HIBP file %1: %2 + HIBP ファイル %1 を開くのに失敗しました: %2 + + + Evaluating database entries against HIBP file, this will take a while... + HIBP ファイルを対象にデータベースのエントリーを評価中です。しばらく時間がかかります... + + + Close the currently opened database. + 現在開いているデータベースを閉じる。 + + + Display this help. + このヘルプを表示する。 + + + Yubikey slot used to encrypt the database. + データベース暗号化に使用する Yubikey のスロット。 + + + slot + スロット + + + Invalid word count %1 + 単語数 %1 は不正です + + + The word list is too small (< 1000 items) + 単語リストが小さすぎます (< 1000 アイテム) + + + Exit interactive mode. + 対話モードを終了する。 + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + エクスポート時に使用するフォーマット。デフォルトは xml で、csv も選択可能です。 + + + Exports the content of a database to standard output in the specified format. + データベースの内容を指定した形式で標準出力にエクスポートする。 + + + Unable to export database to XML: %1 + データベースを XML にエクスポートできません: %1 + + + Unsupported format %1 + %1 はサポートしていないフォーマットです + + + Use numbers + 数字を使用する + + + Invalid password length %1 + %1 はパスワード長として不正です + + + Display command help. + コマンドヘルプを表示する + + + Available commands: + 利用可能なコマンド: + + + Import the contents of an XML database. + XML データベースの内容をインポートする。 + + + Path of the XML database export. + XML データベースエクスポートのパス。 + + + Path of the new database. + 新しいデータベースのパス。 + + + Unable to import XML database export %1 + + + + Successfully imported database. + データベースを正常にインポートしました。 + + + Unknown command %1 + %1 は不明なコマンドです + + + Flattens the output to single lines. + 出力をフラットな単一行にする。 + + + Only print the changes detected by the merge operation. + マージ処理で検出した変更のみを出力する。 + + + Yubikey slot for the second database. + 2つ目のデータベース用の Yubikey スロット。 + + + Successfully merged %1 into %2. + %1 を %2 へ正常にマージしました。 + + + Database was not modified by merge operation. + データベースはマージ処理で更新されませんでした。 + + + Moves an entry to a new group. + エントリーを新しいグループに移動する。 + + + Path of the entry to move. + 移動するエントリーのパス。 + + + Path of the destination group. + 移動先グループのパス。 + + + Could not find group with path %1. + パス %1 のグループが見つかりませんでした。 + + + Entry is already in group %1. + エントリーは既にグループ %1 に存在します。 + + + Successfully moved entry %1 to group %2. + エントリー %1 をグループ %2 へ正常に移動しました。 + + + Open a database. + データベースを開く。 + + + Path of the group to remove. + 削除するグループのパス。 + + + Cannot remove root group from database. + データベースからルートグループを削除することはできません。 + + + Successfully recycled group %1. + グループ %1 を正常にゴミ箱へ移動しました。 + + + Successfully deleted group %1. + グループ %1 を正常に削除しました。 + + + Failed to open database file %1: not found + データベースファイル %1 を開くのに失敗しました: 見つかりません + + + Failed to open database file %1: not a plain file + データベースファイル %1 を開くのに失敗しました: プレーンなファイルではありません + + + Failed to open database file %1: not readable + データベースファイル %1 を開くのに失敗しました: 読み取り可能ではありません + + + Enter password to unlock %1: + %1 のロックを解除するためのパスワードを入力してください: + + + Invalid YubiKey slot %1 + YubiKey のスロット %1 は不正です + + + Please touch the button on your YubiKey to unlock %1 + YubiKey のボタンにタッチして %1 のロックを解除してください + + + Enter password to encrypt database (optional): + データベースを暗号化するためのパスワードを入力してください (オプション): + + + HIBP file, line %1: parse error + HIBP ファイルの %1 行目: パースエラー + + + Secret Service Integration + シークレットサービス統合 + + + User name + ユーザー名 + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] チャレンジレスポンス - スロット %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + '%1' のパスワードは %2 回流出しました! + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4909,11 +6325,11 @@ Available commands: No agent running, cannot add identity. - エージェントが実行されていないため、Identity を追加できません。 + エージェントが実行中でないため、Identity を追加できません。 No agent running, cannot remove identity. - エージェントが実行されていないため、Identity を削除できません。 + エージェントが実行中でないため、Identity を削除できません。 Agent refused this identity. Possible reasons include: @@ -4921,7 +6337,7 @@ Available commands: The key has already been added. - キーが既に追加されている。 + キーは既に追加済みです。 Restricted lifetime is not supported by the agent (check options). @@ -5015,6 +6431,93 @@ Available commands: 大文字と小文字を区別 + + SettingsWidgetFdoSecrets + + Options + オプション + + + Enable KeepassXC Freedesktop.org Secret Service integration + KeepassXC Freedesktop.org シークレットサービス統合を有効にする + + + General + 一般 + + + Show notification when credentials are requested + 資格情報が要求された際に通知を表示する + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>データベースのゴミ箱が有効になっている場合は、エントリーをゴミ箱に直接移動し、そうでない場合は確認無しで削除します。</p><p>エントリーが他から参照されている場合はプロンプトを表示します。</p></body></html> + + + Don't confirm when entries are deleted by clients. + クライアントによってエントリーが削除される際に確認しない + + + Exposed database groups: + 公開するデータベースのグループ: + + + File Name + ファイル名 + + + Group + グループ + + + Manage + 管理 + + + Authorization + 認証 + + + These applications are currently connected: + これらのアプリケーションが現在接続済みです: + + + Application + アプリケーション + + + Disconnect + 切断 + + + Database settings + データベースの設定 + + + Edit database settings + データベースの設定を編集 + + + Unlock database + データベースのロックを解除 + + + Unlock database to show more information + データベースのロックを解除してより詳しい情報を表示 + + + Lock database + データベースをロックする + + + Unlock to show + ロックを解除して表示 + + + None + なし + + SettingsWidgetKeeShare @@ -5063,7 +6566,7 @@ Available commands: Imported certificates - インポートされた証明書 + インポートした証明書 Trust @@ -5128,22 +6631,113 @@ Available commands: Exporting changed certificate - 変更された証明書をエクスポートしています + 変更した証明書をエクスポートしています The exported certificate is not the same as the one in use. Do you want to export the current certificate? - エクスポートされる証明書は使用中の証明書と同一ではありません。現在の証明書をエクスポートしますか? + エクスポートする証明書は使用中の証明書と同一ではありません。現在の証明書をエクスポートしますか? Signer: 署名者: + + Allow KeeShare imports + KeeShare のインポートを許可 + + + Allow KeeShare exports + KeeShare のエクスポートを許可 + + + Only show warnings and errors + 警告とエラーのみ表示する + + + Key + キー + + + Signer name field + 署名者名フィールド + + + Generate new certificate + 新しい証明書を生成 + + + Import existing certificate + 既存の証明書をインポート + + + Export own certificate + 自身の証明書をエクスポート + + + Known shares + 既知の共有 + + + Trust selected certificate + 選択した証明書を信用 + + + Ask whether to trust the selected certificate every time + 選択した証明書を信用するかどうか毎回確認 + + + Untrust selected certificate + 選択した証明書を信用しない + + + Remove selected certificate + 選択した証明書を削除 + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + 署名共有コンテナの上書きはサポートしていません - エクスポートを阻害しました + + + Could not write export container (%1) + コンテナを書き込めませんでした (%1) + + + Could not embed signature: Could not open file to write (%1) + 署名を埋め込めませんでした: ファイルを書き込み用に開くことができません (%1) + + + Could not embed signature: Could not write file (%1) + 署名を埋め込めませんでした: ファイルに書き込むことができません (%1) + + + Could not embed database: Could not open file to write (%1) + データベースを埋め込めませんでした: ファイルを書き込み用に開くことができません (%1) + + + Could not embed database: Could not write file (%1) + データベースを埋め込めませんでした: ファイルに書き込むことができません (%1) + + + Overwriting unsigned share container is not supported - export prevented + 未署名共有コンテナの上書きはサポートしていません - エクスポートを阻害しました + + + Could not write export container + コンテナを書き込めませんでした + + + Unexpected export error occurred + 予期しないエクスポートエラーが発生しました + + + + ShareImport Import from container without signature - 署名なしコンテナからのインポート + 署名なしコンテナからインポート We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? @@ -5151,7 +6745,11 @@ Available commands: Import from container with certificate - 署名付きコンテナからのインポート + 証明書付きコンテナからインポート + + + Do you want to trust %1 with the fingerprint of %2 from %3? + %3 の %1 (フィンガープリント %2) を信用しますか?{1 ?} {2 ?} Not this time @@ -5169,21 +6767,9 @@ Available commands: Just this time 今回はする - - Import from %1 failed (%2) - %1 からのインポートに失敗しました (%2) - - - Import from %1 successful (%2) - %1 からのインポートに成功しました (%2) - - - Imported from %1 - %1 からインポートされました - Signed share container are not supported - import prevented - 署名共有コンテナはサポートされていません - インポートは阻害されました + 署名共有コンテナはサポートしていません - インポートを阻害しました File is not readable @@ -5195,7 +6781,7 @@ Available commands: Untrusted import prevented - 不信なインポートが阻害されました + 不信なインポートを阻害しました Successful signed import @@ -5207,7 +6793,7 @@ Available commands: Unsigned share container are not supported - import prevented - 未署名共有コンテナはサポートされていません - インポートは阻害されました + 未署名共有コンテナはサポートしていません - インポートを阻害しました Successful unsigned import @@ -5221,25 +6807,20 @@ Available commands: Unknown share container type 不明な共有コンテナ形式です + + + ShareObserver - Overwriting signed share container is not supported - export prevented - 署名共有コンテナの上書きはサポートされていません - エクスポートは阻害されました + Import from %1 failed (%2) + %1 からのインポートに失敗しました (%2) - Could not write export container (%1) - コンテナを書き込めませんでした (%1) + Import from %1 successful (%2) + %1 からのインポートに成功しました (%2) - Overwriting unsigned share container is not supported - export prevented - 未署名共有コンテナの上書きはサポートされていません - エクスポートは阻害されました - - - Could not write export container - コンテナを書き込めませんでした - - - Unexpected export error occurred - 予期しないエクスポートエラーが発生しました + Imported from %1 + %1 からインポートしました Export to %1 failed (%2) @@ -5253,10 +6834,6 @@ Available commands: Export to %1 %1 にエクスポート - - Do you want to trust %1 with the fingerprint of %2 from %3? - %3 の %1 (フィンガープリント %2) を信用しますか?{1 ?} {2 ?} - Multiple import source path to %1 in %2 %2 の %1 への複数のインポートソースパス @@ -5265,22 +6842,6 @@ Available commands: Conflicting export target path %1 in %2 %2 のエクスポートターゲットパス %1 が競合しています - - Could not embed signature: Could not open file to write (%1) - 署名を埋め込めませんでした: ファイルを書き込み用に開くことができません (%1) - - - Could not embed signature: Could not write file (%1) - 署名を埋め込めませんでした: ファイルに書き込むことができません (%1) - - - Could not embed database: Could not open file to write (%1) - データベースを埋め込めませんでした: ファイルを書き込み用に開くことができません (%1) - - - Could not embed database: Could not write file (%1) - データベースを埋め込めませんでした: ファイルに書き込むことができません (%1) - TotpDialog @@ -5327,10 +6888,6 @@ Available commands: Setup TOTP TOTP の設定 - - Key: - キー: - Default RFC 6238 token settings デフォルトの RFC 6238 トークン設定 @@ -5361,16 +6918,46 @@ Available commands: コードサイズ: - 6 digits - 6桁 + Secret Key: + 秘密鍵: - 7 digits - 7桁 + Secret key must be in Base32 format + 秘密鍵は Base32 形式である必要があります - 8 digits - 8桁 + Secret key field + 秘密鍵フィールド + + + Algorithm: + アルゴリズム: + + + Time step field + タイムステップフィールド + + + digits + + + + Invalid TOTP Secret + 不正な TOTP + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + 入力した秘密鍵は不正です。鍵は Base32 形式である必要があります。 +例: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + TOTP 設定の削除確認 + + + Are you sure you want to delete TOTP settings for this entry? + このエントリーの TOTP 設定を削除してもよろしいですか? @@ -5454,6 +7041,14 @@ Available commands: Welcome to KeePassXC %1 KeePassXC %1 へようこそ + + Import from 1Password + 1Password からインポートする + + + Open a recent database + 最近使用したデータベースを開く + YubiKeyEditWidget @@ -5471,11 +7066,19 @@ Available commands: No YubiKey detected, please ensure it's plugged in. - YubiKey が検出されませんでした。挿入されているかどうか確認してください。 + YubiKey を検出できませんでした。挿入しているかどうか確認してください。 No YubiKey inserted. YubiKey が挿入されていません。 + + Refresh hardware tokens + ハードウェアトークンを更新 + + + Hardware key slot selection + ハードウェアキースロットを選択 + \ No newline at end of file diff --git a/share/translations/keepassx_ko.ts b/share/translations/keepassx_ko.ts index 7ab65f3f6..54a196eca 100644 --- a/share/translations/keepassx_ko.ts +++ b/share/translations/keepassx_ko.ts @@ -95,6 +95,14 @@ Follow style 스타일 따르기 + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC KeePassXC 단일 인스턴스만 사용 - - Remember last databases - 마지막 데이터베이스 기억 - - - Remember last key files and security dongles - 마지막 키 파일과 보안 동글 기억 - - - Load previous databases on startup - 시작할 때 이전 데이터베이스 불러오기 - Minimize window at application startup 프로그램 시작 시 창 최소화 @@ -162,10 +158,6 @@ Use group icon on entry creation 항목을 만들 때 그룹 아이콘 사용 - - Minimize when copying to clipboard - 클립보드에 복사할 때 최소화 - Hide the entry preview panel 항목 미리 보기 패널 숨기기 @@ -194,10 +186,6 @@ Hide window to system tray when minimized 시스템 트레이로 최소화 - - Language - 언어 - Auto-Type 자동 입력 @@ -231,21 +219,102 @@ Auto-Type start delay 자동 입력 시작 지연 시간 - - Check for updates at application startup - 시작할 때 업데이트 확인 - - - Include pre-releases when checking for updates - 업데이트를 확인할 때 불안정 버전 포함 - Movable toolbar 이동 가능한 도구 모음 - Button style - 단추 스타일 + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -320,8 +389,29 @@ 개인 정보 - Use DuckDuckGo as fallback for downloading website icons - 웹사이트 아이콘을 다운로드할 때 DuckDuckGo를 폴백으로 사용하기 + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + + + + Clear search query after + @@ -389,6 +479,17 @@ 시퀀스 + + AutoTypeMatchView + + Copy &username + 사용자 이름 복사(&U) + + + Copy &password + 암호 복사(&P) + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: 자동으로 입력할 항목 선택: + + Search... + 찾기... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1에서 다음 항목의 암호를 요청했습니다. 접근을 허용할 지 여부를 선택하십시오. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser KeePassXC-브라우저에서 데이터베이스에 접근하려면 필요합니다 - - Enable KeepassXC browser integration - KeePassXC 브라우저 통합 사용 - General 일반 @@ -533,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension 저장된 암호를 업데이트하기 전에 묻지 않기(&U) - - Only the selected database has to be connected with a client. - 선택한 데이터베이스만 클라이언트와 연결할 수 있습니다. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser Tor 브라우저(&T) - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>경고</b>, keepassxc-proxy 프로그램을 찾을 수 없습니다!<br />KeePassXC 설치 디렉터리를 확인하거나 고급 설정의 사용자 경로를 확인하십시오.<br />프록시 프로그램이 없으면 브라우저 통합 기능을 사용할 수 없습니다.<br />예상하는 경로: - Executable Files 실행 파일 @@ -621,6 +722,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 브라우저 통합을 사용하려면 KeePassXC-브라우저가 필요합니다.<br /> %1 및 %2용으로 다운로드할 수 있습니다. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? 현재 브라우저 연결을 유지하려면 이 작업이 필요합니다. 존재하는 설정을 이전하시겠습니까? + + Don't show this warning again + 더 이상 이 경고 표시하지 않기 + CloneDialog @@ -772,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names 첫 레코드에 필드 이름 포함 - - Number of headers line to discard - 무시할 머릿글 줄 수 - Consider '\' an escape character '\' 글자를 탈출 문자로 간주 @@ -826,6 +971,22 @@ Would you like to migrate your existing settings now? CSV 가져오기: 기록 도구에 오류가 있습니다: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel @@ -866,10 +1027,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 데이터베이스 읽기 오류: %1 - - Could not save, database has no file name. - 데이터베이스 파일 이름이 없어서 저장할 수 없습니다. - File cannot be written as it is opened in read-only mode. 읽기 전용 모드로 파일을 열었기 때문에 저장할 수 없습니다. @@ -878,6 +1035,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! 키 변형 과정이 일어나지 않았습니다. 버그이므로 개발자에게 보고해 주십시오! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + 휴지통 + DatabaseOpenDialog @@ -888,30 +1066,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - 마스터 키 입력 - Key File: 키 파일: - - Password: - 암호: - - - Browse - 찾아보기 - Refresh 새로 고침 - - Challenge Response: - 질의 응답: - Legacy key file format 레거시 키 파일 형식 @@ -943,20 +1105,96 @@ Please consider generating a new key file. 키 파일 선택 - TouchID for quick unlock - 빠른 잠금 해제용 TouchID + Failed to open key file: %1 + - Unable to open the database: -%1 - 데이터베이스를 열 수 없음: -%1 + Select slot... + - Can't open key file: -%1 - 키 파일을 열 수 없음: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + 찾아보기... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + 비우기 + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -1111,6 +1349,14 @@ This is necessary to maintain compatibility with the browser plugin. 모든 레거시 브라우저 통합 데이터를 최신 표준으로 이전하시겠습니까? 브라우저 통합 플러그인과 호환성을 유지하기 위해서 필요합니다. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1236,7 +1482,7 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + MiB thread(s) @@ -1253,6 +1499,57 @@ If you keep this number, your database may be too easy to crack! seconds %1초 + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1300,6 +1597,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) 압축 사용(추천)(&C) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1367,6 +1697,10 @@ Are you sure you want to continue without a password? Failed to change master key 마스터 키를 변경할 수 없음 + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1712,129 @@ Are you sure you want to continue without a password? Description: 설명: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + 이름 + + + Value + + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1427,10 +1884,6 @@ This is definitely a bug, please report it to the developers. 이 생성된 데이터베이스에 키나 KDF가 없어서 저장하지 않을 것입니다. 버그이므로 개발자에게 보고해 주십시오. - - The database file does not exist or is not accessible. - 데이터베이스 파일이 존재하지 않거나 접근할 수 없습니다. - Select CSV file CSV 파일 선택 @@ -1454,6 +1907,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [읽기 전용] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1463,7 +1940,7 @@ This is definitely a bug, please report it to the developers. Do you really want to delete the entry "%1" for good? - 정말 항목 "%1"을(를) 삭제하시겠습니까? + 항목 "%1"을(를) 삭제하시겠습니까? Do you really want to move entry "%1" to the recycle bin? @@ -1487,7 +1964,7 @@ This is definitely a bug, please report it to the developers. Do you really want to delete the group "%1" for good? - 정말 그룹 "%1"을(를) 삭제하시겠습니까? + 그룹 "%1"을(를) 삭제하시겠습니까? No current database. @@ -1543,10 +2020,6 @@ Do you want to merge your changes? Move entry(s) to recycle bin? 항목을 휴지통으로 이동하시겠습니까? - - File opened in read only mode. - 파일을 읽기 전용 모드로 열었습니다. - Lock Database? 데이터베이스를 잠그시겠습니까? @@ -1585,12 +2058,6 @@ Error: %1 Disable safe saves and try again? KeePassXC에서 데이터베이스를 여러 번 저장하려고 시도했으나 실패했습니다. 파일 동기화 서비스에서 데이터베이스 파일을 잠근 것 같습니다. 안전 저장을 비활성화 한 다음 다시 시도하시겠습니까? - - - Writing the database failed. -%1 - 데이터베이스 파일에 기록할 수 없습니다. -%1 Passwords @@ -1636,6 +2103,14 @@ Disable safe saves and try again? Shared group... 공유된 그룹... + + Writing the database failed: %1 + 데이터베이스에기록할 수 없음: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1755,6 +2230,18 @@ Disable safe saves and try again? Confirm Removal 삭제 확인 + + Browser Integration + 브라우저 통합 + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1794,6 +2281,42 @@ Disable safe saves and try again? Background Color: 배경색: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1829,6 +2352,77 @@ Disable safe saves and try again? Use a specific sequence for this association: 이 조합에 지정된 시퀀스 사용: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + 일반 + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + 추가 + + + Remove + 삭제 + + + Edit + 편집 + EditEntryWidgetHistory @@ -1848,6 +2442,26 @@ Disable safe saves and try again? Delete all 모두 삭제 + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1887,6 +2501,62 @@ Disable safe saves and try again? Expires 만료 기간 + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1963,6 +2633,22 @@ Disable safe saves and try again? Require user confirmation when this key is used 이 키를 사용할 때 사용자에게 묻기 + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1998,6 +2684,10 @@ Disable safe saves and try again? Inherit from parent group (%1) 부모 그룹에서 상속(%1) + + Entry has unsaved changes + 항목에 저장되지 않은 변경 사항이 있음 + EditGroupWidgetKeeShare @@ -2025,34 +2715,6 @@ Disable safe saves and try again? Inactive 비활성 - - Import from path - 경로에서 가져오기 - - - Export to path - 경로로 내보내기 - - - Synchronize with path - 다음 경로와 동기화 - - - Your KeePassXC version does not support sharing your container type. Please use %1. - KeePassXC 현재 버전에서 현재 컨테이너 형식을 공유할 수 없습니다. %1을(를) 사용하십시오. - - - Database sharing is disabled - 데이터베이스 공유 비활성화됨 - - - Database export is disabled - 데이터베이스 내보내기 비활성화됨 - - - Database import is disabled - 데이터베이스 가져오기 비활성화됨 - KeeShare unsigned container KeeShare 서명되지 않은 컨테이너 @@ -2078,16 +2740,74 @@ Disable safe saves and try again? 비우기 - The export container %1 is already referenced. - 내보내기 컨테이너 %1이(가) 이미 참조되었습니다. + Import + 가져오기 - The import container %1 is already imported. - 가져오기 컨테이너 %1이(가) 이미 참조되었습니다. + Export + 내보내기 - The container %1 imported and export by different groups. - 컨테이너 %1을(를) 가져왔고 다른 그룹에서 내보냈습니다. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + @@ -2120,6 +2840,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence 기본 자동 입력 시퀀스 설정(&Q) + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2155,22 +2903,10 @@ Disable safe saves and try again? All files 모든 파일 - - Custom icon already exists - 사용자 정의 아이콘이 이미 존재함 - Confirm Delete 삭제 확인 - - Custom icon successfully downloaded - 사용자 정의 아이콘 다운로드됨 - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - 힌트: 도구>설정>보안에서 DuckDuckGo를 폴백으로 지정할 수 있습니다 - Select Image(s) 이미지 선택 @@ -2195,6 +2931,42 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? %n개 항목에서 이 아이콘을 사용하고 있으며 기본 아이콘으로 대체됩니다. 삭제하시겠습니까? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2240,6 +3012,30 @@ This may cause the affected plugins to malfunction. Value + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2335,6 +3131,26 @@ This may cause the affected plugins to malfunction. 파일을 열 수 없음: %1 + + Attachments + 첨부 + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2428,10 +3244,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - TOTP 토큰 생성 - Close 닫기 @@ -2517,6 +3329,14 @@ This may cause the affected plugins to malfunction. Share 공유 + + Display current TOTP value + + + + Advanced + 고급 + EntryView @@ -2550,11 +3370,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - 휴지통 + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2572,6 +3414,58 @@ This may cause the affected plugins to malfunction. 네이티브 메시징 스크립트 파일을 저장할 수 없습니다. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + 취소 + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + 닫기 + + + URL + URL + + + Status + 상태 + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + 확인 + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2593,10 +3487,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. 질의 응답을 실행할 수 없습니다. - - Wrong key or database file is corrupt. - 키가 잘못되었거나 데이터베이스가 손상되었습니다. - missing database headers 데이터베이스 헤더 없음 @@ -2617,6 +3507,11 @@ This may cause the affected plugins to malfunction. Invalid header data length 잘못된 헤더 데이터 길이 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2647,10 +3542,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch 헤더 SHA256이 일치하지 않음 - - Wrong key or database file is corrupt. (HMAC mismatch) - 키가 잘못되었거나 데이터베이스가 손상되었습니다.(HMAC이 일치하지 않음) - Unknown cipher 알 수 없는 암호화 @@ -2751,6 +3642,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data 잘못된 메타데이터 저장소 필드 형식 크기 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2972,14 +3872,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - KeePass1 데이터베이스 가져오기 - Unable to open the database. 데이터베이스를 열 수 없습니다. + + Import KeePass1 Database + + KeePass1Reader @@ -3036,10 +3936,6 @@ Line %2, column %3 Unable to calculate master key 마스터 키를 계산할 수 없습니다 - - Wrong key or database file is corrupt. - 키가 잘못되었거나 데이터베이스가 손상되었습니다. - Key transformation failed 키 변형 실패 @@ -3136,40 +4032,57 @@ Line %2, column %3 unable to seek to content position 내용 위치로 이동할 수 없음 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - 비활성화된 공유 + Invalid sharing reference + - Import from - 다음에서 가져오기 + Inactive share %1 + - Export to - 다음으로 내보내기 + Imported from %1 + %1에서 가져옴 - Synchronize with - 다음과 동기화 + Exported to %1 + - Disabled share %1 - 비활성화된 공유 %1 + Synchronized with %1 + - Import from share %1 - 공유 %1에서 가져오기 + Import is disabled in settings + - Export to share %1 - 공유 %1(으)로 내보내기 + Export is disabled in settings + - Synchronize with share %1 - 공유 %1와(과) 동기화 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3213,10 +4126,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - 찾아보기 - Generate 생성 @@ -3273,6 +4182,43 @@ Message: %2 Select a key file 키 파일 선택 + + Key file selection + + + + Browse for key file + + + + Browse... + 찾아보기... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3360,10 +4306,6 @@ Message: %2 &Settings 설정(&S) - - Password Generator - 암호 생성기 - &Lock databases 데이터베이스 잠금(&L) @@ -3550,14 +4492,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... TOTP QR 코드 보이기... - - Check for Updates... - 업데이트 확인... - - - Share entry - 항목 공유 - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3576,6 +4510,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. 언제든지 프로그램 메뉴에서 수동으로 업데이트를 확인할 수 있습니다. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + 파비콘 다운로드 + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3635,6 +4637,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 빠진 아이콘 %1 추가하는 중 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3704,6 +4714,72 @@ Expect some bugs and minor issues, this version is not meant for production use. 새 데이터베이스 표시 이름과 추가 설명(선택)을 입력하십시오: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3803,6 +4879,17 @@ Expect some bugs and minor issues, this version is not meant for production use. 알 수 없는 키 형식: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3829,6 +4916,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password 마스터 암호 생성 + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3857,22 +4960,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types 문자 종류 - - Upper Case Letters - 대문자 - - - Lower Case Letters - 소문자 - Numbers 숫자 - - Special Characters - 특수 문자 - Extended ASCII 확장 ASCII @@ -3953,18 +5044,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced 고급 - - Upper Case Letters A to F - 대문자 A-F - A-Z A-Z - - Lower Case Letters A to F - 소문자 A-F - a-z a-z @@ -3997,18 +5080,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - 수학 기호 - <*+!?= <*+!?= - - Dashes - 대시 - \_|-/ \_|-/ @@ -4057,6 +5132,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate 다시 생성 + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + 암호 복사 + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4064,12 +5207,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - 선택 + Statistics + @@ -4106,6 +5246,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge 합치기 + + Continue + + QObject @@ -4197,10 +5341,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. 항목 암호를 생성합니다. - - Length for the generated password. - 생성된 암호의 길이입니다. - length 길이 @@ -4250,18 +5390,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. 암호에 고급 분석을 시행합니다. - - Extract and print the content of a database. - 데이터베이스의 내용을 추출하고 표시합니다. - - - Path of the database to extract. - 표시할 데이터베이스 경로입니다. - - - Insert password to unlock %1: - %1의 잠금 해제 암호 입력: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4306,10 +5434,6 @@ Available commands: Merge two databases. 두 데이터베이스를 합칩니다. - - Path of the database to merge into. - 합칠 대상 데이터베이스 경로입니다. - Path of the database to merge from. 합칠 원본 데이터베이스 경로입니다. @@ -4386,10 +5510,6 @@ Available commands: Browser Integration 브라우저 통합 - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] 질의 응답 - 슬롯 %2 - %3 - Press 누르기 @@ -4420,10 +5540,6 @@ Available commands: Generate a new random password. 새 무작위 암호를 생성합니다. - - Invalid value for password length %1. - 암호 길이 %1의 값이 잘못되었습니다. - Could not create entry with path %1. 경로 %1에 항목을 만들 수 없습니다. @@ -4481,10 +5597,6 @@ Available commands: CLI parameter count - - Invalid value for password length: %1 - 암호 길이 값이 잘못됨: %1 - Could not find entry with path %1. 경로 %1에서 항목을 찾을 수 없습니다. @@ -4609,26 +5721,6 @@ Available commands: Failed to load key file %1: %2 키 파일 %1을(를) 불러올 수 없음: %2 - - File %1 does not exist. - 파일 %1이(가) 존재하지 않습니다. - - - Unable to open file %1. - 파일 %1을(를) 열 수 없습니다. - - - Error while reading the database: -%1 - 데이터베이스 읽기 오류: -%1 - - - Error while parsing the database: -%1 - 데이터베이스 처리 오류: -%1 - Length of the generated password 생성된 암호의 길이 @@ -4641,10 +5733,6 @@ Available commands: Use uppercase characters 대문자 사용 - - Use numbers. - 숫자를 사용합니다. - Use special characters 특수 문자 사용 @@ -4789,10 +5877,6 @@ Available commands: Successfully created new database. 새 데이터베이스를 만들었습니다. - - Insert password to encrypt database (Press enter to leave blank): - 데이터베이스를 암호화할 암호 입력(Enter 키를 누르면 비워 둡니다): - Creating KeyFile %1 failed: %2 키 파일 %1 생성 실패: %2 @@ -4801,10 +5885,6 @@ Available commands: Loading KeyFile %1 failed: %2 키 파일 %1 불러오기 실패: %2 - - Remove an entry from the database. - 데이터베이스에서 항목을 삭제합니다. - Path of the entry to remove. 삭제할 항목의 경로입니다. @@ -4861,6 +5941,330 @@ Available commands: Cannot create new group 새 그룹을 만들 수 없음 + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + + + + Build Type: %1 + + + + Revision: %1 + 리비전: %1 + + + Distribution: %1 + 배포판: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + 운영 체제: %1 +CPU 아키텍처: %2 +커널: %3 %4 + + + Auto-Type + 자동 입력 + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + + + + TouchID + + + + None + + + + Enabled extensions: + 활성화된 확장 기능: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + 수정 작업으로 데이터베이스가 변경되지 않았습니다. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -5014,6 +6418,93 @@ Available commands: 대소문자 구분 + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + 일반 + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + 그룹 + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + 데이터베이스 설정 + + + Edit database settings + + + + Unlock database + 데이터베이스 잠금 해제 + + + Unlock database to show more information + + + + Lock database + 데이터베이스 잠금 + + + Unlock to show + + + + None + + + SettingsWidgetKeeShare @@ -5137,9 +6628,100 @@ Available commands: Signer: 서명자: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + 서명된 공유 컨테이너에 덮어쓰기는 지원되지 않음 - 내보내기 중단됨 + + + Could not write export container (%1) + 내보내기 컨테이너에 기록할 수 없음 (%1) + + + Could not embed signature: Could not open file to write (%1) + 서명을 임베드할 수 없음: 쓰기 위해 파일을 열 수 없음 (%1) + + + Could not embed signature: Could not write file (%1) + 서명을 임베드할 수 없음: 파일에 쓸 수 없음 (%1) + + + Could not embed database: Could not open file to write (%1) + 데이터베이스를 임베드할 수 없음: 쓰기 위해 파일을 열 수 없음 (%1) + + + Could not embed database: Could not write file (%1) + 데이터베이스를 임베드할 수 없음: 파일에 쓸 수 없음 (%1) + + + Overwriting unsigned share container is not supported - export prevented + 서명되지 않은 공유 컨테이너에 덮어쓰기는 지원되지 않음 - 내보내기 중단됨 + + + Could not write export container + 내보내기 컨테이너에 기록할 수 없음 + + + Unexpected export error occurred + 예상하지 못한 내보내기 오류 + + + + ShareImport Import from container without signature 서명되지 않은 컨테이너에서 가져오기 @@ -5152,6 +6734,10 @@ Available commands: Import from container with certificate 서명된 컨테이너에서 가져오기 + + Do you want to trust %1 with the fingerprint of %2 from %3? + %3에서 온 지문이 %2인 %1을(를) 신뢰하시겠습니까? + Not this time 지금은 하지 않음 @@ -5168,18 +6754,6 @@ Available commands: Just this time 이번 한 번 - - Import from %1 failed (%2) - %1에서 가져오기 실패 (%2) - - - Import from %1 successful (%2) - %1에서 가져오기 성공 (%2) - - - Imported from %1 - %1에서 가져옴 - Signed share container are not supported - import prevented 서명된 공유 컨테이너는 지원하지 않음 - 가져오기 중단됨 @@ -5220,25 +6794,20 @@ Available commands: Unknown share container type 알 수 없는 공유 컨테이너 형식 + + + ShareObserver - Overwriting signed share container is not supported - export prevented - 서명된 공유 컨테이너에 덮어쓰기는 지원되지 않음 - 내보내기 중단됨 + Import from %1 failed (%2) + %1에서 가져오기 실패 (%2) - Could not write export container (%1) - 내보내기 컨테이너에 기록할 수 없음 (%1) + Import from %1 successful (%2) + %1에서 가져오기 성공 (%2) - Overwriting unsigned share container is not supported - export prevented - 서명되지 않은 공유 컨테이너에 덮어쓰기는 지원되지 않음 - 내보내기 중단됨 - - - Could not write export container - 내보내기 컨테이너에 기록할 수 없음 - - - Unexpected export error occurred - 예상하지 못한 내보내기 오류 + Imported from %1 + %1에서 가져옴 Export to %1 failed (%2) @@ -5252,10 +6821,6 @@ Available commands: Export to %1 %1(으)로 내보내기 - - Do you want to trust %1 with the fingerprint of %2 from %3? - %3에서 온 지문이 %2인 %1을(를) 신뢰하시겠습니까? - Multiple import source path to %1 in %2 %2의 %1(으)로 다중 가져오기 원본 경로 @@ -5264,22 +6829,6 @@ Available commands: Conflicting export target path %1 in %2 %2의 내보내기 대상 경로 %1이(가) 충돌함 - - Could not embed signature: Could not open file to write (%1) - 서명을 임베드할 수 없음: 쓰기 위해 파일을 열 수 없음 (%1) - - - Could not embed signature: Could not write file (%1) - 서명을 임베드할 수 없음: 파일에 쓸 수 없음 (%1) - - - Could not embed database: Could not open file to write (%1) - 데이터베이스를 임베드할 수 없음: 쓰기 위해 파일을 열 수 없음 (%1) - - - Could not embed database: Could not write file (%1) - 데이터베이스를 임베드할 수 없음: 파일에 쓸 수 없음 (%1) - TotpDialog @@ -5326,10 +6875,6 @@ Available commands: Setup TOTP TOTP 설정 - - Key: - 키: - Default RFC 6238 token settings 기본 RFC 6238 토큰 설정 @@ -5360,16 +6905,45 @@ Available commands: 코드 크기: - 6 digits - 6자리 + Secret Key: + - 7 digits - 7자리 + Secret key must be in Base32 format + - 8 digits - 8자리 + Secret key field + + + + Algorithm: + 알고리즘: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5453,6 +7027,14 @@ Available commands: Welcome to KeePassXC %1 KeePassXC %1에 오신 것을 환영합니다 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5476,5 +7058,13 @@ Available commands: No YubiKey inserted. YubiKey가 연결되지 않았습니다. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_lt.ts b/share/translations/keepassx_lt.ts index bf5f5cf22..2508cd510 100644 --- a/share/translations/keepassx_lt.ts +++ b/share/translations/keepassx_lt.ts @@ -95,6 +95,14 @@ Follow style Sekti stiliumi + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Paleisti tik vieną KeePassXC egzempliorių - - Remember last databases - Prisiminti paskutines duomenų bazes - - - Remember last key files and security dongles - Prisiminti paskutinius rakto failus ir saugumo saugiklius - - - Load previous databases on startup - Paleidžiant programą, įkelti ankstesnes duomenų bazes - Minimize window at application startup Paleidus programą, suskleisti langą @@ -162,10 +158,6 @@ Use group icon on entry creation Kuriant įrašus, naudoti grupės piktogramą - - Minimize when copying to clipboard - Kopijuojant į iškarpinę, suskleisti langą - Hide the entry preview panel Slėpti įrašo peržiūros skydelį @@ -194,10 +186,6 @@ Hide window to system tray when minimized Suskleidus langą, slėpti jį į sistemos dėklą - - Language - Kalba - Auto-Type Automatinis rinkimas @@ -231,21 +219,102 @@ Auto-Type start delay - - Check for updates at application startup - Paleidus programą, tikrinti ar yra atnaujinimų - - - Include pre-releases when checking for updates - Tikrinant atnaujinimus, įtraukti išankstinės programos laidas - Movable toolbar Perkeliama įrankių juosta - Button style - Mygtukų stilius + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sek. + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -320,7 +389,28 @@ Privatumas - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min. + + + Clear search query after @@ -389,6 +479,17 @@ Seka + + AutoTypeMatchView + + Copy &username + Kopijuoti &naudotojo vardą + + + Copy &password + Kopijuoti sla&ptažodį + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Pasirinkite įrašą automatiniam rinkimui: + + Search... + Ieškoti... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 užklausė prieigos prie slaptažodžių šiam elementui(-ams). Pasirinkite, ar norite leisti prieigą. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Prisijungimo duomenų įrašymui, pasirinkite teisingą duomenų bazę.This is required for accessing your databases with KeePassXC-Browser - - Enable KeepassXC browser integration - Įjungti KeepassXC naršyklės integraciją - General Bendra @@ -533,10 +642,6 @@ Prisijungimo duomenų įrašymui, pasirinkite teisingą duomenų bazę.Credentials mean login data requested via browser extension Niekada neklausti prieš atna&ujinant prisijungimo duomenis - - Only the selected database has to be connected with a client. - Su klientu turi būti sujungta tik pasirinkta duomenų bazė. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Prisijungimo duomenų įrašymui, pasirinkite teisingą duomenų bazę.&Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files Vykdomieji failai @@ -621,6 +722,50 @@ Prisijungimo duomenų įrašymui, pasirinkite teisingą duomenų bazę.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -707,6 +852,10 @@ This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? + + Don't show this warning again + Daugiau neberodyti šio įspėjimo + CloneDialog @@ -716,7 +865,7 @@ Would you like to migrate your existing settings now? Append ' - Clone' to title - Pridėti prie pavadinimo " - Dublikatas" + Pridėti prie antraštės " - Dublikatas" Replace username and password with references @@ -765,10 +914,6 @@ Would you like to migrate your existing settings now? First record has field names Pirmame įraše yra laukų pavadinimai - - Number of headers line to discard - Antraštės eilučių, kurias atmesti, skaičius - Consider '\' an escape character Laikyti "\" kaitos ženklu @@ -818,12 +963,28 @@ Would you like to migrate your existing settings now? %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n stulpelis%n stulpeliai%n stulpelių%n stulpelių + %1, %2, %3 @@ -858,10 +1019,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Klaida skaitant duomenų bazę: %1 - - Could not save, database has no file name. - Nepavyko įrašyti, duomenų bazė neturi failo pavadinimo. - File cannot be written as it is opened in read-only mode. Failas negali būti įrašytas, nes jis atvertas tik skaitymo veiksenoje. @@ -870,6 +1027,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Šiukšlinė + DatabaseOpenDialog @@ -880,30 +1058,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Įveskite pagrindinį raktą - Key File: Rakto failas: - - Password: - Slaptažodis: - - - Browse - Naršyti - Refresh Įkelti iš naujo - - Challenge Response: - Iššūkio atsakymas: - Legacy key file format @@ -932,20 +1094,96 @@ Please consider generating a new key file. Pasirinkite rakto failą - TouchID for quick unlock + Failed to open key file: %1 - Unable to open the database: -%1 - Nepavyko atverti duomenų bazės: -%1 + Select slot... + - Can't open key file: -%1 - Nepavyksta atverti rakto failo: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Naršyti... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Išvalyti + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -1096,6 +1334,14 @@ Permissions to access entries will be revoked. This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1217,22 +1463,73 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB MiB MiB + thread(s) Threads for parallel execution (KDF settings) - gija gijos gijų gija + %1 ms milliseconds - %1 ms%1 ms%1 ms%1 ms + %1 s seconds - %1 s%1 s%1 s%1 s + + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1281,6 +1578,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Įjungti &glaudinimą (rekomenduojama) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1346,6 +1676,10 @@ Are you sure you want to continue without a password? Failed to change master key Nepavyko pakeisti pagrindinio rakto + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1357,6 +1691,129 @@ Are you sure you want to continue without a password? Description: Aprašas: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Pavadinimas + + + Value + Reikšmė + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1382,7 +1839,7 @@ Are you sure you want to continue without a password? Open KeePass 1 database - Atverkite KeePass 1 duomenų bazę + Atverti KeePass 1 duomenų bazę KeePass 1 database @@ -1405,10 +1862,6 @@ Are you sure you want to continue without a password? This is definitely a bug, please report it to the developers. - - The database file does not exist or is not accessible. - Duomenų failo nėra arba jis nepasiekiamas. - Select CSV file @@ -1432,6 +1885,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [Tik skaitymui] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1521,10 +1998,6 @@ Ar norite sulieti savo pakeitimus? Move entry(s) to recycle bin? - - File opened in read only mode. - Failas atvertas tik skaitymo veiksenoje. - Lock Database? Užrakinti duomenų bazę? @@ -1562,12 +2035,6 @@ Error: %1 Disable safe saves and try again? - - Writing the database failed. -%1 - Rašymas į duomenų bazę patyrė nesėkmę. -%1 - Passwords Slaptažodžiai @@ -1612,6 +2079,14 @@ Disable safe saves and try again? Shared group... + + Writing the database failed: %1 + + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1673,7 +2148,7 @@ Disable safe saves and try again? Edit entry - Keisti įrašą + Taisyti įrašą Different passwords supplied. @@ -1693,11 +2168,11 @@ Disable safe saves and try again? %n week(s) - %n savaitė%n savaitės%n savaičių%n savaičių + %n month(s) - %n mėnesis%n mėnesiai%n mėnesių%n mėnesių + Apply generated password? @@ -1731,6 +2206,18 @@ Disable safe saves and try again? Confirm Removal + + Browser Integration + Naršyklės integracija + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1770,6 +2257,42 @@ Disable safe saves and try again? Background Color: Fono spalva: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1805,6 +2328,77 @@ Disable safe saves and try again? Use a specific sequence for this association: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Bendra + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Pridėti + + + Remove + Šalinti + + + Edit + Keisti + EditEntryWidgetHistory @@ -1824,6 +2418,26 @@ Disable safe saves and try again? Delete all Ištrinti visus + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1863,6 +2477,62 @@ Disable safe saves and try again? Expires Baigia galioti + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1939,6 +2609,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Naudojant šį raktą, reikalauti naudotojo patvirtinimo + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1960,7 +2646,7 @@ Disable safe saves and try again? Edit group - Keisti grupę + Taisyti grupę Enable @@ -1974,6 +2660,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Paveldėti iš pirminės grupės (%1) + + Entry has unsaved changes + Įraše yra neįrašytų pakeitimų + EditGroupWidgetKeeShare @@ -2001,34 +2691,6 @@ Disable safe saves and try again? Inactive - - Import from path - Importuoti iš kelio - - - Export to path - Eksportuoti į kelią - - - Synchronize with path - Sinchronizuoti su keliu - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - Duomenų bazės eksportavimas yra išjungtas - - - Database import is disabled - Duomenų bazės importavimas yra išjungtas - KeeShare unsigned container @@ -2054,15 +2716,73 @@ Disable safe saves and try again? Išvalyti - The export container %1 is already referenced. + Import + Importuoti + + + Export - The import container %1 is already imported. + Synchronize - The container %1 imported and export by different groups. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2096,6 +2816,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence Nustatyti numatytąją automatinio rinkimo se&ką + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2131,22 +2879,10 @@ Disable safe saves and try again? All files Visi failai - - Custom icon already exists - Tinkinta piktograma jau yra - Confirm Delete Patvirtinti ištrynimą - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) @@ -2165,12 +2901,48 @@ Disable safe saves and try again? The following icon(s) failed: - Ši piktograma patyrė nesėkmę:Šios piktogramos patyrė nesėkmę:Šios piktogramos patyrė nesėkmę:Šios piktogramos patyrė nesėkmę: + This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2215,6 +2987,30 @@ This may cause the affected plugins to malfunction. Value Reikšmė + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2262,7 +3058,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Ar tikrai norite pašalinti %n priedą?Ar tikrai norite pašalinti %n priedus?Ar tikrai norite pašalinti %n priedų?Ar tikrai norite pašalinti %n priedų? + Save attachments @@ -2309,6 +3105,26 @@ This may cause the affected plugins to malfunction. %1 + + Attachments + Priedai + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2402,10 +3218,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Generuoti NTVS prieigos raktą - Close Užverti @@ -2491,6 +3303,14 @@ This may cause the affected plugins to malfunction. Share + + Display current TOTP value + + + + Advanced + Išplėstiniai + EntryView @@ -2524,11 +3344,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Šiukšlinė + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2546,6 +3388,58 @@ This may cause the affected plugins to malfunction. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Atsisakyti + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Užverti + + + URL + URL + + + Status + Būsena + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Gerai + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2567,10 +3461,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. Nepavyko išduoti iššūkio atsakymo. - - Wrong key or database file is corrupt. - Neteisingas raktas arba duomenų bazės failas yra pažeistas. - missing database headers trūksta duomenų bazės antraščių @@ -2591,6 +3481,11 @@ This may cause the affected plugins to malfunction. Invalid header data length Neteisingas antraštės duomenų ilgis + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2621,10 +3516,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch Antraštės SHA256 neatitikimas - - Wrong key or database file is corrupt. (HMAC mismatch) - Neteisingas raktas arba sugadintas duomenų bazės failas. (HMAC neatitikimas) - Unknown cipher Nežinomas šifras @@ -2725,6 +3616,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2946,14 +3846,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Importuoti KeePass1 duomenų bazę - Unable to open the database. Nepavyko atverti duomenų bazės. + + Import KeePass1 Database + + KeePass1Reader @@ -3010,10 +3910,6 @@ Line %2, column %3 Unable to calculate master key Nepavyko apskaičiuoti pagrindinio rakto - - Wrong key or database file is corrupt. - Neteisingas raktas arba duomenų bazės failas yra pažeistas. - Key transformation failed Rakto transformacija nepavyko @@ -3110,39 +4006,56 @@ Line %2, column %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from - Importuoti iš - - - Export to - Eksportuoti į - - - Synchronize with + Inactive share %1 - Disabled share %1 + Imported from %1 + Importuota iš %1 + + + Exported to %1 - Import from share %1 + Synchronized with %1 - Export to share %1 + Import is disabled in settings - Synchronize with share %1 + Export is disabled in settings + + + + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3187,10 +4100,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Naršyti - Generate Generuoti @@ -3243,6 +4152,43 @@ Message: %2 Select a key file Pasirinkite rakto failą + + Key file selection + + + + Browse for key file + + + + Browse... + Naršyti... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3330,10 +4276,6 @@ Message: %2 &Settings &Nustatymai - - Password Generator - Slaptažodžių generatorius - &Lock databases &Užrakinti duomenų bazes @@ -3344,7 +4286,7 @@ Message: %2 Copy title to clipboard - Kopijuoti pavadinimą į iškarpinę + Kopijuoti antraštę į iškarpinę &URL @@ -3517,14 +4459,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... - - Check for Updates... - Tikrinti, ar yra atnaujinimų... - - - Share entry - - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3542,6 +4476,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Atsisiųsti svetainės piktogramą + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3601,6 +4603,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 Pridedama trūkstama piktograma %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3670,6 +4680,72 @@ Expect some bugs and minor issues, this version is not meant for production use. + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3769,6 +4845,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Nežinomas rakto tipas: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3795,6 +4882,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3823,22 +4926,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Simbolių tipai - - Upper Case Letters - Viršutinio registro raidės - - - Lower Case Letters - Apatinio registro raidės - Numbers Skaičiai - - Special Characters - Specialūs simboliai - Extended ASCII Papildomi ASCII @@ -3919,18 +5010,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Išplėstiniai - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3963,18 +5046,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Matematika - <*+!?= <*+!?= - - Dashes - Brūkšniai - \_|-/ \_|-/ @@ -4023,6 +5098,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Kopijuoti slaptažodį + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4030,11 +5173,8 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare - - - QFileDialog - Select + Statistics @@ -4072,6 +5212,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + + Continue + + QObject @@ -4163,10 +5307,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Generuoti įrašui slaptažodį. - - Length for the generated password. - Generuoto slaptažodžio ilgis. - length ilgis @@ -4186,7 +5326,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Timeout in seconds before clearing the clipboard. - Skirtas laikas, sekundėmis, prieš išvalant iškarpinę. + Laiko limitas, sekundėmis, prieš išvalant iškarpinę. Edit an entry. @@ -4194,7 +5334,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Title for the entry. - Įrašo pavadinimas. + Įrašo antraštė. title @@ -4216,18 +5356,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Atlikti išplėstinę slaptažodžio analizę - - Extract and print the content of a database. - Išskleisti ir spausdinti duomenų bazės turinį. - - - Path of the database to extract. - Duomenų bazės, kurią išskleisti, kelias. - - - Insert password to unlock %1: - Norėdami atrakinti %1, įterpkite slaptažodį: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4269,10 +5397,6 @@ Prieinamos komandos: Merge two databases. Sulieti dvi duomenų bazes. - - Path of the database to merge into. - Duomenų bazės, į kurią sulieti, kelias. - Path of the database to merge from. Duomenų bazės, iš kurios sulieti, kelias. @@ -4349,10 +5473,6 @@ Prieinamos komandos: Browser Integration Naršyklės integracija - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] iššūkio atsakymas - Lizdas %2 - %3 - Press Paspausti @@ -4382,10 +5502,6 @@ Prieinamos komandos: Generate a new random password. Generuoti naują atsitiktinį slaptažodį. - - Invalid value for password length %1. - - Could not create entry with path %1. @@ -4443,10 +5559,6 @@ Prieinamos komandos: CLI parameter kiekis - - Invalid value for password length: %1 - - Could not find entry with path %1. @@ -4571,25 +5683,6 @@ Prieinamos komandos: Failed to load key file %1: %2 Nepavyko įkelti rakto failo %1: %2 - - File %1 does not exist. - Failo %1 nėra. - - - Unable to open file %1. - Nepavyko atverti failą %1. - - - Error while reading the database: -%1 - Klaida skaitant duomenų bazę: -%1 - - - Error while parsing the database: -%1 - - Length of the generated password @@ -4602,10 +5695,6 @@ Prieinamos komandos: Use uppercase characters - - Use numbers. - - Use special characters @@ -4749,10 +5838,6 @@ Prieinamos komandos: Successfully created new database. Nauja duomenų bazė sėkmingai sukurta. - - Insert password to encrypt database (Press enter to leave blank): - - Creating KeyFile %1 failed: %2 @@ -4761,10 +5846,6 @@ Prieinamos komandos: Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Šalinti įrašą iš duomenų bazės. - Path of the entry to remove. Įrašo, kurį šalinti, kelias. @@ -4821,6 +5902,330 @@ Prieinamos komandos: Cannot create new group + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versija %1 + + + Build Type: %1 + Darinio tipas: %1 + + + Revision: %1 + Revizija: %1 + + + Distribution: %1 + Platinimas: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operacinė sistema: %1 +Procesoriaus architektūra: %2 +Branduolys: %3 %4 + + + Auto-Type + Automatinis rinkimas + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nėra + + + Enabled extensions: + Įjungti plėtiniai: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4974,6 +6379,93 @@ Prieinamos komandos: Skiriant raidžių registrą + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Bendra + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Grupė + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Duomenų bazės nustatymai + + + Edit database settings + + + + Unlock database + Atrakinti duomenų bazę + + + Unlock database to show more information + + + + Lock database + Užrakinti duomenų bazę + + + Unlock to show + + + + None + Nėra + + SettingsWidgetKeeShare @@ -5097,9 +6589,100 @@ Prieinamos komandos: Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Raktas + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + + + + Could not write export container (%1) + + + + Could not embed signature: Could not open file to write (%1) + + + + Could not embed signature: Could not write file (%1) + + + + Could not embed database: Could not open file to write (%1) + + + + Could not embed database: Could not write file (%1) + + + + Overwriting unsigned share container is not supported - export prevented + + + + Could not write export container + + + + Unexpected export error occurred + Įvyko netikėta eksportavimo klaida + + + + ShareImport Import from container without signature @@ -5112,6 +6695,10 @@ Prieinamos komandos: Import from container with certificate + + Do you want to trust %1 with the fingerprint of %2 from %3? + + Not this time Ne šį kartą @@ -5128,18 +6715,6 @@ Prieinamos komandos: Just this time Tik šį kartą - - Import from %1 failed (%2) - Importavimas iš %1 nepavyko (%2) - - - Import from %1 successful (%2) - Importavimas iš %1 sėkmingas (%2) - - - Imported from %1 - Importuota iš %1 - Signed share container are not supported - import prevented @@ -5180,25 +6755,20 @@ Prieinamos komandos: Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented - + Import from %1 failed (%2) + Importavimas iš %1 nepavyko (%2) - Could not write export container (%1) - + Import from %1 successful (%2) + Importavimas iš %1 sėkmingas (%2) - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - Įvyko netikėta eksportavimo klaida + Imported from %1 + Importuota iš %1 Export to %1 failed (%2) @@ -5212,10 +6782,6 @@ Prieinamos komandos: Export to %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - - Multiple import source path to %1 in %2 @@ -5224,22 +6790,6 @@ Prieinamos komandos: Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - - TotpDialog @@ -5286,10 +6836,6 @@ Prieinamos komandos: Setup TOTP Nustatyti NTVS - - Key: - Raktas: - Default RFC 6238 token settings Numatytojo RFC 6238 prieigos rakto nustatymai @@ -5320,16 +6866,45 @@ Prieinamos komandos: Kodo dydis: - 6 digits - 6 skaitmenys - - - 7 digits + Secret Key: - 8 digits - 8 skaitmenys + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + Algoritmas: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5413,6 +6988,14 @@ Prieinamos komandos: Welcome to KeePassXC %1 Sveiki atvykę į KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5436,5 +7019,13 @@ Prieinamos komandos: No YubiKey inserted. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_nb.ts b/share/translations/keepassx_nb.ts index cdf0a12b5..0c71bc6a3 100644 --- a/share/translations/keepassx_nb.ts +++ b/share/translations/keepassx_nb.ts @@ -23,11 +23,11 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Se Bidrag på GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Se bidrag på GitHub</a> Debug Info - Debuggingsinfo + Feilsøkingsinformasjon Include the following information whenever you report a bug: @@ -35,7 +35,7 @@ Copy to clipboard - Kopier til utklippstavle + Kopier til utklippstavla Project Maintainers: @@ -54,7 +54,7 @@ Use OpenSSH for Windows instead of Pageant - + Bruk OpenSSH for Windows i stedet for Pageant @@ -95,6 +95,14 @@ Follow style Følg stil + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Kjør kun én instans av KeePassXC om gangen - - Remember last databases - Husk de sist brukte databasene - - - Remember last key files and security dongles - Husk de sist brukte nøkkelfilene og kopibeskyttelsesnøklene - - - Load previous databases on startup - Åpne sist brukte databaser ved oppstart - Minimize window at application startup Minimer ved programstart @@ -162,13 +158,9 @@ Use group icon on entry creation Bruk gruppeikon ved ny oppføring - - Minimize when copying to clipboard - Minimer ved kopiering til utklippstavla - Hide the entry preview panel - + Skjul forhåndsvisningspanelet General @@ -194,10 +186,6 @@ Hide window to system tray when minimized Skjul vindu til systemkurven når minimert - - Language - Språk - Auto-Type Autoskriv @@ -231,21 +219,102 @@ Auto-Type start delay Autoskriv start-forsinkelse - - Check for updates at application startup - - - - Include pre-releases when checking for updates - - Movable toolbar + Bevegelig verktøylinje + + + Remember previously used databases - Button style - Knappestil + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sek + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -305,11 +374,11 @@ Don't use placeholder for empty password fields - + Ikke bruk plassholder for tomme passordfelter Hide passwords in the entry preview panel - + Skjul passord i forhåndsvisningspanelet Hide entry notes by default @@ -320,7 +389,28 @@ Personvern - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after @@ -328,7 +418,7 @@ AutoType Couldn't find an entry that matches the window title: - Kunne ikke finne en oppføring som samsvarer med vindutittelen: + Finner ingen oppføring som samsvarer med vindustittelen: Auto-Type - KeePassXC @@ -363,7 +453,7 @@ Sequence - Sekvens + Rekkefølge Default sequence @@ -389,6 +479,17 @@ Rekkefølge + + AutoTypeMatchView + + Copy &username + Kopier &brukernavn + + + Copy &password + Kopier &passord + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Velg oppføring som skal autoskrives: + + Search... + Søk... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 spør om passordtilgang for følgende elementer. Velg om du vil gi tilgang eller ikke. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -442,7 +555,8 @@ Velg om du vil gi tilgang eller ikke. You have multiple databases open. Please select the correct database for saving credentials. - + Du har flere databaser åpne. +Vennligst velg riktig database for å lagre legitimasjon. @@ -455,10 +569,6 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser Dette er nødvendig for å få tilgang til dine databaser med KeePassXC-Browser - - Enable KeepassXC browser integration - Slå på nettlesertillegget - General Generelt @@ -532,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Aldri spør før &oppdatering av identifikasjon - - Only the selected database has to be connected with a client. - Kun den valgte databasen behøver å kobles til en klient. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -591,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor nettleser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files Kjørbare filer @@ -614,12 +716,56 @@ Please select the correct database for saving credentials. Please see special instructions for browser extension use below - + Vennligst se spesielle instruksjoner for bruk av nettleserutvidelse nedenfor KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -689,7 +835,7 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - + KeePassXC: Gammel nettleser integrasjon innstillinger oppdaget KeePassXC: Create a new group @@ -707,6 +853,10 @@ This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? + + Don't show this warning again + Ikke vis denne advarselen igjen + CloneDialog @@ -765,10 +915,6 @@ Would you like to migrate your existing settings now? First record has field names Første post har feltnavn - - Number of headers line to discard - Antall header-linjer å se bort fra - Consider '\' an escape character Betrakt '\' som en escape-sekvens @@ -799,7 +945,7 @@ Would you like to migrate your existing settings now? Empty fieldname %1 - + Tomt feltnavn %1 column %1 @@ -807,7 +953,7 @@ Would you like to migrate your existing settings now? Error(s) detected in CSV file! - + Feil(er) oppdaget i CSV-fil! [%n more message(s) skipped] @@ -818,17 +964,33 @@ Would you like to migrate your existing settings now? %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n kolonne(r)%n kolonne(r) + %1, %2, %3 file info: bytes, rows, columns - + %1, %2, %3 %n byte(s) @@ -848,7 +1010,7 @@ Would you like to migrate your existing settings now? File %1 does not exist. - + Filen %1 eksisterer ikke. Unable to open file %1. @@ -856,20 +1018,37 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 - - - - Could not save, database has no file name. - Kunne ikke lagre, databasen har ingen filnavn. + Feil under lesing av databasen: %1 File cannot be written as it is opened in read-only mode. - + Filen kan ikke skrives da den åpnes i skrivebeskyttet modus. Key not transformed. This is a bug, please report it to the developers! + Nøkkel ikke transformert. Dette er en feil, vennligst rapporter det til utviklerne! + + + %1 +Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Papirkurv + DatabaseOpenDialog @@ -880,33 +1059,17 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Angi hovednøkkel - Key File: Nøkkelfil: - - Password: - Passord: - - - Browse - Bla - Refresh Last på ny - - Challenge Response: - Utfordrer-respons: - Legacy key file format - Eldre nøkkelfilformat + Eldre nøkkelfil-format You are using a legacy key file format which may become @@ -934,17 +1097,95 @@ Vurder å opprette en ny nøkkelfil. Velg nøkkelfil - TouchID for quick unlock + Failed to open key file: %1 - Unable to open the database: -%1 + Select slot... - Can't open key file: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Bla gjennom... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Tøm + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password @@ -1027,7 +1268,7 @@ This may prevent connection to the browser plugin. Enable Browser Integration to access these settings. - + Aktiver nettleserintegrasjon for å få tilgang til disse innstillingene. Disconnect all browsers @@ -1044,7 +1285,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - + Ingen delte krypteringsnøkler funnet i KeePassXC-innstillingene. KeePassXC: Removed keys from database @@ -1096,6 +1337,14 @@ Permissions to access entries will be revoked. This is necessary to maintain compatibility with the browser plugin. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1137,7 +1386,7 @@ This is necessary to maintain compatibility with the browser plugin. ?? s - + ?? s Change @@ -1153,7 +1402,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - + Høyere verdier gir mer beskyttelse, men å åpne database vil ta lengre tid. Database format: @@ -1161,7 +1410,7 @@ This is necessary to maintain compatibility with the browser plugin. This is only important if you need to use your database with other programs. - + Dette er bare viktig hvis du trenger å bruke database med andre programmer. KDBX 4.0 (recommended) @@ -1221,22 +1470,73 @@ Dersom du beholder dette antallet så kan databasen være for lett å knekke! MiB Abbreviation for Mebibytes (KDF settings) - MiBMiB + thread(s) Threads for parallel execution (KDF settings) - tråd(er)tråd(er) + %1 ms milliseconds - %1 s%1 ms + %1 s seconds - %1 s%1 s + + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1271,7 +1571,7 @@ Dersom du beholder dette antallet så kan databasen være for lett å knekke! MiB - MiB + MiB Use recycle bin @@ -1285,6 +1585,39 @@ Dersom du beholder dette antallet så kan databasen være for lett å knekke!Enable &compression (recommended) Aktiver &komprimering (anbefalt) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1340,7 +1673,9 @@ Dersom du beholder dette antallet så kan databasen være for lett å knekke!WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - + ADVARSEL! Du har ikke angitt et passord. Å bruke en database uten passord frarådes sterkt! + +Er du sikker på at du vil fortsette uten passord? Unknown error @@ -1348,6 +1683,10 @@ Are you sure you want to continue without a password? Failed to change master key + Feilet å endre hovednøkkel + + + Continue without password @@ -1361,6 +1700,129 @@ Are you sure you want to continue without a password? Description: Beskrivelse: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Navn + + + Value + Verdi + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1402,16 +1864,13 @@ Are you sure you want to continue without a password? Database creation error - + Database opprettelsesfeil The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + Den opprettede databasen har ingen nøkkel eller KDF, og nekter å lagre den. +Dette er definitivt en feil, rapporter det til utviklerne. Select CSV file @@ -1424,18 +1883,42 @@ This is definitely a bug, please report it to the developers. %1 [New Database] Database tab name modifier - + %1 [Ny Database] %1 [Locked] Database tab name modifier - + %1 [Låst] %1 [Read-only] Database tab name modifier + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1453,7 +1936,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - Ønsker du virkelig å flytte %n oppføring(er) til søppelkurven?Ønsker du virkelig å flytte %n oppføring(er) til søppelkurven? + Execute command? @@ -1525,17 +2008,13 @@ Vil du slå sammen fila med endringene dine? Move entry(s) to recycle bin? - - File opened in read only mode. - Fil åpnet i skrivebeskyttet modus. - Lock Database? Låse database? You are editing an entry. Discard changes and lock anyway? - + Du redigerer en oppføring. Kast endringer og lås likevel? "%1" was modified. @@ -1546,7 +2025,8 @@ Lagre endringer? Database was modified. Save changes? - + Databasen ble endret. +Lagre endringer? Save changes? @@ -1567,11 +2047,6 @@ Disable safe saves and try again? KeePassXC har mislykkes i å lagre databasen flere ganger. Dette er trolig forårsaket av at synkroniserings-tjenester har låst lagrings-filen. Deaktivere sikker lagring og prøve igjen? - - Writing the database failed. -%1 - - Passwords Passord @@ -1586,7 +2061,7 @@ Deaktivere sikker lagring og prøve igjen? Replace references to entry? - + Erstatte referanser til oppføring? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? @@ -1598,7 +2073,7 @@ Deaktivere sikker lagring og prøve igjen? Move group to recycle bin? - + Flytt gruppe til søppelbøtte? Do you really want to move the group "%1" to the recycle bin? @@ -1614,6 +2089,14 @@ Deaktivere sikker lagring og prøve igjen? Shared group... + Delt gruppe... + + + Writing the database failed: %1 + + + + This database is opened in read-only mode. Autosave is disabled. @@ -1641,7 +2124,7 @@ Deaktivere sikker lagring og prøve igjen? History - Historie + Historikk SSH Agent @@ -1697,11 +2180,11 @@ Deaktivere sikker lagring og prøve igjen? %n week(s) - %n uke(r)%n uke(r) + %n month(s) - %n måned(er)%n måned(er) + Apply generated password? @@ -1733,6 +2216,18 @@ Deaktivere sikker lagring og prøve igjen? Confirm Removal + Bekreft fjerning + + + Browser Integration + Nettlesertillegg + + + <empty URL> + + + + Are you sure you want to remove this URL? @@ -1774,6 +2269,42 @@ Deaktivere sikker lagring og prøve igjen? Background Color: Bakgrunnsfarge: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1809,6 +2340,77 @@ Deaktivere sikker lagring og prøve igjen? Use a specific sequence for this association: Bruk en spesiell sekvens for denne tilknytningen: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Generelt + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Legg til + + + Remove + Fjern + + + Edit + + EditEntryWidgetHistory @@ -1828,6 +2430,26 @@ Deaktivere sikker lagring og prøve igjen? Delete all Slett alt + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1867,6 +2489,62 @@ Deaktivere sikker lagring og prøve igjen? Expires Utløper + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1912,7 +2590,7 @@ Deaktivere sikker lagring og prøve igjen? Copy to clipboard - Kopier til utklippstavle + Kopier til utklippstavla Private key @@ -1943,6 +2621,22 @@ Deaktivere sikker lagring og prøve igjen? Require user confirmation when this key is used Krev brukerbekreftelse når denne nøkkelen blir brukt + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1978,6 +2672,10 @@ Deaktivere sikker lagring og prøve igjen? Inherit from parent group (%1) Arv fra foreldre-gruppe (%1) + + Entry has unsaved changes + + EditGroupWidgetKeeShare @@ -1987,7 +2685,7 @@ Deaktivere sikker lagring og prøve igjen? Type: - + Type: Path: @@ -2005,34 +2703,6 @@ Deaktivere sikker lagring og prøve igjen? Inactive Inaktiv - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - - KeeShare unsigned container @@ -2058,15 +2728,73 @@ Deaktivere sikker lagring og prøve igjen? Tøm - The export container %1 is already referenced. + Import + Importer + + + Export + Eksporter + + + Synchronize - The import container %1 is already imported. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. - The container %1 imported and export by different groups. + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2100,6 +2828,34 @@ Deaktivere sikker lagring og prøve igjen? Set default Auto-Type se&quence &Angi standard autoskriv-sekvens + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2135,22 +2891,10 @@ Deaktivere sikker lagring og prøve igjen? All files Alle filer - - Custom icon already exists - Tilpasset ikon finnes allerede - Confirm Delete Bekreft sletting - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) Velg Bilde(-r) @@ -2161,7 +2905,7 @@ Deaktivere sikker lagring og prøve igjen? No icons were loaded - + Ingen ikoner ble lastet %n icon(s) already exist in the database @@ -2175,6 +2919,42 @@ Deaktivere sikker lagring og prøve igjen? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2220,6 +3000,30 @@ Dette kan føre til feil for de berørte programtilleggene. Value Verdi + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2267,7 +3071,7 @@ Dette kan føre til feil for de berørte programtilleggene. Are you sure you want to remove %n attachment(s)? - Er du sikker på at du vil fjerne %n vedlegg?Er du sikker på at du vil fjerne %n vedlegg? + Save attachments @@ -2307,13 +3111,33 @@ Dette kan føre til feil for de berørte programtilleggene. Confirm remove - + Bekreft fjerning Unable to open file(s): %1 + + Attachments + Vedlegg + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2338,7 +3162,7 @@ Dette kan føre til feil for de berørte programtilleggene. URL - URL + Adresse @@ -2362,7 +3186,7 @@ Dette kan føre til feil for de berørte programtilleggene. URL - URL + Adresse Never @@ -2398,19 +3222,15 @@ Dette kan føre til feil for de berørte programtilleggene. Yes - + JA TOTP - + TOTP EntryPreviewWidget - - Generate TOTP Token - Opprett TOTP Token - Close Lukk @@ -2482,7 +3302,7 @@ Dette kan føre til feil for de berørte programtilleggene. <b>%1</b>: %2 attributes line - + <b>%1</b>: %2 Enabled @@ -2496,6 +3316,14 @@ Dette kan føre til feil for de berørte programtilleggene. Share Del + + Display current TOTP value + + + + Advanced + Avansert + EntryView @@ -2529,15 +3357,37 @@ Dette kan føre til feil for de berørte programtilleggene. - Group + FdoSecrets::Item - Recycle Bin - Papirkurv + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children - + [tom] @@ -2551,6 +3401,58 @@ Dette kan føre til feil for de berørte programtilleggene. Kan ikke lagre den lokale meldings-skriptfilen. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Avbryt + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Lukk + + + URL + Adresse + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2572,10 +3474,6 @@ Dette kan føre til feil for de berørte programtilleggene. Unable to issue challenge-response. Kan ikke utstede utfordrer-respons. - - Wrong key or database file is corrupt. - Feil nøkkel eller databasefil er skadet. - missing database headers manglende database-headere @@ -2596,6 +3494,11 @@ Dette kan føre til feil for de berørte programtilleggene. Invalid header data length Ugyldig: Header data length + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2626,10 +3529,6 @@ Dette kan føre til feil for de berørte programtilleggene. Header SHA256 mismatch Ikke samsvar med SHA256-header - - Wrong key or database file is corrupt. (HMAC mismatch) - Feil nøkkel eller databasefil er skadet. (HMAC-uoverensstemmelse) - Unknown cipher Ukjent kryptering @@ -2730,6 +3629,15 @@ Dette kan føre til feil for de berørte programtilleggene. Translation: variant map = data structure for storing meta data Ugyldig: Variant map field type size + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2818,7 +3726,7 @@ Dette er en en-veis-migrasjon. Du kan ikke åpne den importerte databasen med de Failed to read database file. - + Kunne ikke lese databasefilen. @@ -2949,14 +3857,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Importer KeePass1-database - Unable to open the database. Kan ikke åpne databasen. + + Import KeePass1 Database + + KeePass1Reader @@ -3013,10 +3921,6 @@ Line %2, column %3 Unable to calculate master key Kan ikke kalkulere hovednøkkel - - Wrong key or database file is corrupt. - Feil nøkkel eller databasefil er skadet. - Key transformation failed Nøkkeltransformasjon feila @@ -3113,39 +4017,56 @@ Line %2, column %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from - Importer fra - - - Export to - Eksporter til - - - Synchronize with - Synkroniser med - - - Disabled share %1 - Deaktiver deling %1 - - - Import from share %1 + Inactive share %1 - Export to share %1 + Imported from %1 - Synchronize with share %1 + Exported to %1 + + + + Synchronized with %1 + + + + Import is disabled in settings + + + + Export is disabled in settings + + + + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3175,25 +4096,21 @@ Line %2, column %3 Change %1 Change a key component - + Endre %1 Remove %1 Remove a key component - + Fjern %1 %1 set, click to change or remove Change or remove a key component - + %1 sett, klikk for å endre eller fjerne KeyFileEditWidget - - Browse - Bla gjennom - Generate Lag passord @@ -3236,16 +4153,53 @@ Message: %2 Error creating key file - + Feil ved oppretting av nøkkelfil Unable to create key file: %1 - + Kunne ikke opprette nøkkelfil: %1 Select a key file Velg en nøkkelfil + + Key file selection + + + + Browse for key file + + + + Browse... + Bla gjennom... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3333,10 +4287,6 @@ Message: %2 &Settings &Oppsett - - Password Generator - Passordgenerator - &Lock databases &Lås databaser @@ -3387,7 +4337,7 @@ Message: %2 Access error for config file %1 - Feil ved tilgang for konfigurasjonsfilen %1 + Feil ved tilgang til konfigurasjonsfilen %1 Settings @@ -3437,15 +4387,15 @@ Vi anbefaler at du bruker det AppImage som er tilgjengelig på nedlastingssiden. TOTP... - + TOTP... &New database... - + &Ny database... Create a new database - + Opprett en ny database &Merge from database... @@ -3457,7 +4407,7 @@ Vi anbefaler at du bruker det AppImage som er tilgjengelig på nedlastingssiden. &New entry - + &Ny oppføring Add a new entry @@ -3469,7 +4419,7 @@ Vi anbefaler at du bruker det AppImage som er tilgjengelig på nedlastingssiden. View or edit entry - + Vis eller endre oppføring &New group @@ -3489,7 +4439,7 @@ Vi anbefaler at du bruker det AppImage som er tilgjengelig på nedlastingssiden. Copy &password - + Kopier &passord Perform &Auto-Type @@ -3497,39 +4447,31 @@ Vi anbefaler at du bruker det AppImage som er tilgjengelig på nedlastingssiden. Open &URL - + Åpne &URL KeePass 1 database... - + KeePass 1 database... Import a KeePass 1 database - + Importer en KeePass 1 database CSV file... - + CSV fil... Import a CSV file - + Importer en CSV-fil Show TOTP... - + Vis TOTP... Show TOTP QR Code... - - - - Check for Updates... - - - - Share entry - + Vis TOTP QR Kode... NOTE: You are using a pre-release version of KeePassXC! @@ -3538,14 +4480,82 @@ Expect some bugs and minor issues, this version is not meant for production use. Check for updates on startup? - + Sjekk etter oppdateringer ved oppstart? Would you like KeePassXC to check for updates on startup? - + Vil du at KeePassXC skal se etter oppdateringer ved oppstart? You can always check for updates manually from the application menu. + Du kan alltid sjekke om oppdateringer manuelt fra programmenyen. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Last ned ikoner + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts @@ -3607,12 +4617,20 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard Create a new KeePassXC database... - + Opprett en ny KeePassXC database... Root @@ -3658,7 +4676,7 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPageMasterKey Database Master Key - + Database hovednøkkel A master key known only to you protects your database. @@ -3669,13 +4687,79 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPageMetaData General Database Information - + Generell database informasjon Please fill in the display name and an optional description for your new database: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3775,6 +4859,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Ukjent nøkkeltype: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3783,7 +4878,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Confirm password: - + Bekreft passord: Password @@ -3795,10 +4890,26 @@ Expect some bugs and minor issues, this version is not meant for production use. Passwords do not match. - + Passordene er ikke like. Generate master password + Opprette hovedpassord + + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator @@ -3829,29 +4940,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Tegntyper - - Upper Case Letters - Store bokstaver - - - Lower Case Letters - Små bokstaver - Numbers Tall - - Special Characters - Spesialtegn - Extended ASCII - Utvida ASCII + Utvidet ASCII Exclude look-alike characters - Ekskluder tegn som er nesten makne + Ekskluder tegn som ligner hverandre Pick characters from every group @@ -3919,24 +5018,16 @@ Expect some bugs and minor issues, this version is not meant for production use. Switch to advanced mode - + Bytt til avansert modus Advanced Avansert - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3969,18 +5060,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' - - Math - - <*+!?= - - Dashes - - \_|-/ @@ -3995,11 +5078,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Switch to simple mode - + Bytt til enkel modus Simple - + Enkel Character set to exclude from generated password @@ -4029,6 +5112,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4036,11 +5187,8 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare - - - QFileDialog - Select + Statistics @@ -4048,7 +5196,7 @@ Expect some bugs and minor issues, this version is not meant for production use. QMessageBox Overwrite - + Erstatte Delete @@ -4056,7 +5204,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + Flytt Empty @@ -4068,7 +5216,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + Hopp over Disable @@ -4078,6 +5226,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + + Continue + + QObject @@ -4159,7 +5311,7 @@ Expect some bugs and minor issues, this version is not meant for production use. URL - URL + Adresse Prompt for the entry's password. @@ -4169,10 +5321,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Generer et passord til oppføringa. - - Length for the generated password. - Lengde på det genererte passordet. - length lengde @@ -4222,18 +5370,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Utfør avansert analyse på passordet. - - Extract and print the content of a database. - Pakk ut og print innholdet av en database. - - - Path of the database to extract. - Sti til databasen som skal pakkes ut. - - - Insert password to unlock %1: - Sett inn passord for å låse opp %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4277,10 +5413,6 @@ Tilgjengelige kommandoer: Merge two databases. Slå sammen to databaser. - - Path of the database to merge into. - Sti til databasen det skal kombineres til. - Path of the database to merge from. Sti til databasen det skal slås sammen fra. @@ -4357,10 +5489,6 @@ Tilgjengelige kommandoer: Browser Integration Nettlesertillegg - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] utfordrings-respons - slot %2 - %3 - Press Trykk @@ -4391,10 +5519,6 @@ Tilgjengelige kommandoer: Generate a new random password. Generer et nytt tilfeldig passord. - - Invalid value for password length %1. - - Could not create entry with path %1. @@ -4441,7 +5565,7 @@ Tilgjengelige kommandoer: Clipboard cleared! - + Utklippstavle ryddet! Silence password prompt and other secondary outputs. @@ -4452,10 +5576,6 @@ Tilgjengelige kommandoer: CLI parameter Antall - - Invalid value for password length: %1 - - Could not find entry with path %1. @@ -4478,7 +5598,7 @@ Tilgjengelige kommandoer: Length %1 - + Lengde %1 Entropy %1 @@ -4526,7 +5646,7 @@ Tilgjengelige kommandoer: Type: Date - + Type: Dato Type: Bruteforce(Rep) @@ -4566,7 +5686,7 @@ Tilgjengelige kommandoer: Type: Unknown%1 - + Type: Ukjent%1 Entropy %1 (%2) @@ -4580,24 +5700,6 @@ Tilgjengelige kommandoer: Failed to load key file %1: %2 - - File %1 does not exist. - - - - Unable to open file %1. - Kan ikke åpne filen %1. - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - - Length of the generated password @@ -4610,10 +5712,6 @@ Tilgjengelige kommandoer: Use uppercase characters - - Use numbers. - - Use special characters @@ -4644,7 +5742,7 @@ Tilgjengelige kommandoer: Cannot find group %1. - + Kan ikke finne gruppe %1 . Error reading merge file: @@ -4718,7 +5816,7 @@ Tilgjengelige kommandoer: Invalid Settings TOTP - + Ugyldige innstillinger Invalid Key @@ -4731,15 +5829,15 @@ Tilgjengelige kommandoer: No groups found - + Ingen grupper funnet Create a new database. - + Opprett en ny database. File %1 already exists. - + Filen %1 eksisterer allerede. Loading the key file failed @@ -4755,11 +5853,7 @@ Tilgjengelige kommandoer: Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + Vellykket oppretting ny database. Creating KeyFile %1 failed: %2 @@ -4769,10 +5863,6 @@ Tilgjengelige kommandoer: Loading KeyFile %1 failed: %2 - - Remove an entry from the database. - Fjern oppføring fra databasen. - Path of the entry to remove. Sti til oppføring som skal fjernes. @@ -4829,6 +5919,330 @@ Tilgjengelige kommandoer: Cannot create new group + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versjon %1 + + + Build Type: %1 + Byggetype: %1 + + + Revision: %1 + Revisjon: %1 + + + Distribution: %1 + Distribusjon: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operativsystem: %1 +CPU-arkitektur: %2 +Kjerne: %3 %4 + + + Auto-Type + Autoskriv + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + YubiKey + + + TouchID + Berørings-id + + + None + Ingen + + + Enabled extensions: + Aktive utvidelser: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4876,7 +6290,7 @@ Tilgjengelige kommandoer: No agent running, cannot add identity. - Ingen agent kjører. Kan ikke identifisere. + Ingen agent kjører, kan ikke identifisere. No agent running, cannot remove identity. @@ -4951,7 +6365,7 @@ Tilgjengelige kommandoer: Examples - + Eksempler @@ -4982,11 +6396,98 @@ Tilgjengelige kommandoer: + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Generelt + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Gruppe + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Databaseoppsett + + + Edit database settings + + + + Unlock database + Lås opp databasen + + + Unlock database to show more information + + + + Lock database + Lås database + + + Unlock to show + + + + None + Ingen + + SettingsWidgetKeeShare Active - + Aktiv Allow export @@ -5002,7 +6503,7 @@ Tilgjengelige kommandoer: Fingerprint: - + Fingeravtrykk: Certificate: @@ -5105,89 +6606,61 @@ Tilgjengelige kommandoer: Signer: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Nøkkel + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver - - Import from container without signature - - - - We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - - - - Import from container with certificate - - - - Not this time - - - - Never - Aldri - - - Always - - - - Just this time - - - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - - - - Signed share container are not supported - import prevented - - - - File is not readable - - - - Invalid sharing container - - - - Untrusted import prevented - - - - Successful signed import - - - - Unexpected error - - - - Unsigned share container are not supported - import prevented - - - - Successful unsigned import - - - - File does not exist - - - - Unknown share container type - - + ShareExport Overwriting signed share container is not supported - export prevented @@ -5196,42 +6669,6 @@ Tilgjengelige kommandoer: Could not write export container (%1) - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - Kunne ikke skrive eksport-container - - - Unexpected export error occurred - Uventet feil oppstått - - - Export to %1 failed (%2) - Eksport til %1 feilet (%2) - - - Export to %1 successful (%2) - Eksport til %1 vellykket (%2) - - - Export to %1 - Eksporter til %1 - - - Do you want to trust %1 with the fingerprint of %2 from %3? - - - - Multiple import source path to %1 in %2 - - - - Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) @@ -5248,6 +6685,128 @@ Tilgjengelige kommandoer: Could not embed database: Could not write file (%1) + + Overwriting unsigned share container is not supported - export prevented + + + + Could not write export container + Kunne ikke skrive eksport-container + + + Unexpected export error occurred + Uventet feil oppstått + + + + ShareImport + + Import from container without signature + + + + We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? + + + + Import from container with certificate + + + + Do you want to trust %1 with the fingerprint of %2 from %3? + + + + Not this time + Ikke denne gangen + + + Never + Aldri + + + Always + Alltid + + + Just this time + Bare denne gangen + + + Signed share container are not supported - import prevented + + + + File is not readable + Filen er ikke lesbar + + + Invalid sharing container + + + + Untrusted import prevented + + + + Successful signed import + + + + Unexpected error + Uventet feil + + + Unsigned share container are not supported - import prevented + + + + Successful unsigned import + + + + File does not exist + Filen eksisterer ikke + + + Unknown share container type + + + + + ShareObserver + + Import from %1 failed (%2) + + + + Import from %1 successful (%2) + + + + Imported from %1 + + + + Export to %1 failed (%2) + Eksport til %1 feilet (%2) + + + Export to %1 successful (%2) + Eksport til %1 vellykket (%2) + + + Export to %1 + Eksporter til %1 + + + Multiple import source path to %1 in %2 + + + + Conflicting export target path %1 in %2 + + TotpDialog @@ -5265,7 +6824,7 @@ Tilgjengelige kommandoer: Expires in <b>%n</b> second(s) - Utløper om %n sekundUtløper om <b>%n</b> sekunder + @@ -5294,10 +6853,6 @@ Tilgjengelige kommandoer: Setup TOTP Oppsett TOTP - - Key: - Nøkkel: - Default RFC 6238 token settings Standard RFC 6238 token-innstillinger @@ -5328,16 +6883,45 @@ Tilgjengelige kommandoer: Kodestørrelse: - 6 digits - 6 siffer + Secret Key: + - 7 digits - 7 siffer + Secret key must be in Base32 format + - 8 digits - 8 siffer + Secret key field + + + + Algorithm: + Algoritme: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5411,7 +6995,7 @@ Tilgjengelige kommandoer: Import from CSV - Importer fra CSV-fil + Importer fra CSV Recent databases @@ -5421,6 +7005,14 @@ Tilgjengelige kommandoer: Welcome to KeePassXC %1 Velkommen til KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5444,5 +7036,13 @@ Tilgjengelige kommandoer: No YubiKey inserted. Ingen YubiKey satt inn. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_nl_NL.ts b/share/translations/keepassx_nl_NL.ts index 3939985fc..49feaec0b 100644 --- a/share/translations/keepassx_nl_NL.ts +++ b/share/translations/keepassx_nl_NL.ts @@ -61,7 +61,7 @@ ApplicationSettingsWidget Application Settings - Programma-instellingen + Programma instellingen General @@ -95,6 +95,14 @@ Follow style Volg stijl + + Reset Settings? + Instellingen herstellen? + + + Are you sure you want to reset all general and security settings to default? + Weet je zeker dat je de algemene en beveiligingsinstellingen opnieuw wilt instellen? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Start niet meer dan één instantie van KeePassXC - - Remember last databases - Laatstgebruikte databases onthouden - - - Remember last key files and security dongles - Laatstgebruikte sleutelbestanden en beveiligingsdongles onthouden - - - Load previous databases on startup - Laatstgebruikte databases openen bij het opstarten - Minimize window at application startup Scherm minimaliseren bij het opstarten @@ -162,10 +158,6 @@ Use group icon on entry creation Gebruik groepspictogram voor nieuwe items - - Minimize when copying to clipboard - Minimaliseer bij kopiëren naar klembord - Hide the entry preview panel Verberg voorvertoning @@ -194,10 +186,6 @@ Hide window to system tray when minimized Minimaliseren naar systeemvak - - Language - Taal - Auto-Type Auto-type @@ -231,21 +219,102 @@ Auto-Type start delay Auto-type startvertraging - - Check for updates at application startup - Controleer op updates bij het starten van de applicatie - - - Include pre-releases when checking for updates - Zoek ook naar pre-releases bij het controleren op updates - Movable toolbar Beweegbare gereedschapsbalk - Button style - Knopstijl + Remember previously used databases + Laatstgebruikte databases onthouden + + + Load previously open databases on startup + Laatstgebruikte databases openen bij het opstarten + + + Remember database key files and security dongles + Laatstgebruikte sleutelbestanden en beveiligingsdongles onthouden + + + Check for updates at application startup once per week + Eens per week bij het opstarten van de toepassing zoeken naar updates + + + Include beta releases when checking for updates + Zoek ook naar bèta-releases bij het zoeken naar updates + + + Button style: + Knopstijl: + + + Language: + Taal: + + + (restart program to activate) + (programma opnieuw starten om te activeren) + + + Minimize window after unlocking database + Venster minimaliseren na ontgrendelen van database + + + Minimize when opening a URL + Minimaliseren bij het openen van een URL + + + Hide window when copying to clipboard + Venster verbergen bij kopiëren naar klembord + + + Minimize + Minimaliseren + + + Drop to background + Naar achtergrond verplaatsen + + + Favicon download timeout: + Favicon download time-out: + + + Website icon download timeout in seconds + Websitepictogram download time-out seconden + + + sec + Seconds + sec + + + Toolbar button style + Knopstijl van de werkbalk + + + Use monospaced font for Notes + Mono-lettertype gebruiken voor notities + + + Language selection + Taalkeuze + + + Reset Settings to Default + Standaardinstellingen herstellen + + + Global auto-type shortcut + Globale sneltoets voor Auto-type + + + Auto-type character typing delay milliseconds + Auto-typevertraging milliseconden + + + Auto-type start delay milliseconds + Auto-type startvertraging milliseconden @@ -320,8 +389,29 @@ Privacy - Use DuckDuckGo as fallback for downloading website icons - Gebruik DuckDuckGo voor het downloaden van de website-pictogrammen + Use DuckDuckGo service to download website icons + DuckDuckGo gebruiken om websitepictogrammen te downloaden + + + Clipboard clear seconds + Klembord wissen in seconden + + + Touch ID inactivity reset + Touch ID inactiviteit resetten + + + Database lock timeout seconds + Database vergrendeling wachttijd seconden + + + min + Minutes + min + + + Clear search query after + Zoekopdracht wissen na @@ -389,6 +479,17 @@ Tekenreeks + + AutoTypeMatchView + + Copy &username + &Gebruikersnaam kopiëren + + + Copy &password + &Wachtwoord kopiëren + + AutoTypeSelectDialog @@ -397,7 +498,11 @@ Select entry to Auto-Type: - Kies item om automatisch te typen: + Kies item voor Auto-type: + + + Search... + Zoeken… @@ -421,9 +526,17 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 vraagt toegang tot jouw wachtwoorden voor de volgende item(s). + %1 vraagt toegang tot jouw wachtwoorden voor het volgende. Geef aan of je toegang wilt verlenen of niet. + + Allow access + Toegang verlenen + + + Deny access + Weiger toegang + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Selecteer de database voor het opslaan van de inloggegevens. This is required for accessing your databases with KeePassXC-Browser Dit is vereist voor toegang tot jouw databases met KeePassXC-Browser - - Enable KeepassXC browser integration - KeePassXC browserintegratie activeren - General Algemeen @@ -491,11 +600,11 @@ Selecteer de database voor het opslaan van de inloggegevens. Re&quest to unlock the database if it is locked - Verzoek om database te ontgrendelen als deze vergrendeld is + Verzoek om database te ontgrendelen Only entries with the same scheme (http://, https://, ...) are returned. - Alleen invoer van hetzelfde schema (http://, https://, …) wordt gegeven. + Alleen items van hetzelfde schema (http://, https://, …) wordt gegeven. &Match URL scheme (e.g., https://...) @@ -526,21 +635,17 @@ Selecteer de database voor het opslaan van de inloggegevens. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Nooit &waarschuwen bij toegang tot logingegevens + Nooit &waarschuwen bij toegang tot inloggegevens Never ask before &updating credentials Credentials mean login data requested via browser extension - Nooit waarschuwen bij &bijwerken van logingegevens - - - Only the selected database has to be connected with a client. - Alleen de geselecteerde database hoeft verbonden te zijn. + Nooit waarschuwen bij &bijwerken van inloggegevens Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - &Zoek in alle geopende databases voor overeenkomende logingegevens + &Zoek in alle geopende databases voor overeenkomende inloggegevens Automatically creating or updating string fields is not supported. @@ -548,7 +653,7 @@ Selecteer de database voor het opslaan van de inloggegevens. &Return advanced string fields which start with "KPH: " - Geef geavanceerde teken&reeks-velden die beginnen met "KPH: " + Lever &geavanceerde tekenreeks-velden die met "KPH: " beginnen. Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. @@ -592,10 +697,6 @@ Selecteer de database voor het opslaan van de inloggegevens. &Tor Browser &Tor browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Waarschuwing</b>, de keepassxc-proxy-applicatie is niet gevonden!<br />Controleer de installatiemap van KeePassXC of bevestig het aangepaste pad in geavanceerde opties.<br />De browserintegratie zal NIET WERKEN zonder de proxy-applicatie.<br />Verwacht pad: - Executable Files Uitvoerbare bestanden @@ -611,7 +712,7 @@ Selecteer de database voor het opslaan van de inloggegevens. Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - Vanwege de Snap sandboxing, moet je een script uitvoeren waarmee browser integratie mogelijk wordt. <br /> Je kunt dit script vinden op %1 + Vanwege de module sandboxing is het nodig een script uit te voeren dat de browser integratie mogelijk maakt. <br /> Je kunt dit script krijgen via %1 Please see special instructions for browser extension use below @@ -619,7 +720,51 @@ Selecteer de database voor het opslaan van de inloggegevens. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 - KeePassXC-Browser is vereist om de integratie van de browser te laten werken. <br /> download het voor %1 en %2. %3 + KeePassXC-Browser is vereist om de integratie van de browser te laten werken. <br /> Download het voor %1 en %2. %3 + + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Geeft verlopen inloggegevens. Woord [expired] is aan de titel toegevoegd. + + + &Allow returning expired credentials. + &Verlopen inloggegevens toestaan. + + + Enable browser integration + Browserintegratie inschakelen + + + Browsers installed as snaps are currently not supported. + Browsers die als snaps zijn geïnstalleerd, worden momenteel niet ondersteund. + + + All databases connected to the extension will return matching credentials. + Alle databases verbonden met de extensie kunnen overeenkomende inloggegevens geven. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Laat de pop-up die de migratie van KeePassHTTP naar KeePassXC-Browser aanbiedt, niet meer zien. + + + &Do not prompt for KeePassHTTP settings migration. + &Vraag niet om de KeePassHTTP instellingen te migreren naar KeePassXC-Browser. + + + Custom proxy location field + Handmatig Proxy invulveld + + + Browser for custom proxy file + Blader naar eigen Proxy configuratiebestand + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Waarschuwing</b>, de keepassxc-proxy-applicatie kon niet worden gevonden!<br />Controleer de KeePassXC-installatiefolder of bevestig het aangepaste pad in de geavanceerde instellingen.<br />Browserintegratie ZAL NIET WERKEN zonder de proxy-applicatie.<br />Verwacht Pad: %1 @@ -666,7 +811,7 @@ Wil je deze overschrijven? Converting attributes to custom data… - Kenmerken worden omgezet in speciala data... + Kenmerken worden omgezet in gebruikersinstellingen... KeePassXC: Converted KeePassHTTP attributes @@ -676,11 +821,11 @@ Wil je deze overschrijven? Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. Kenmerken van %1 item(s) is/zijn geconverteerd. -%2 sleutels naar speciale data verplaatst. +%2 sleutels naar gebruikersinstellingen verplaatst. Successfully moved %n keys to custom data. - Sleutel is verplaats naar speciale data.Sleutels zijn verplaats naar speciale data. + Verplaatst %n sleutels aan aangepaste gegevens.%n sleutels verplaatst naar gebruikersinstellingen. KeePassXC: No entry with KeePassHTTP attributes found! @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Dit is nodig om de huidige browser verbindingen te behouden. Wil je de bestaande instellingen nu migreren? + + Don't show this warning again + Deze waarschuwing niet meer geven + CloneDialog @@ -731,7 +880,7 @@ Wil je de bestaande instellingen nu migreren? Copy history - Historie kopiëren + Geschiedenis kopiëren @@ -772,13 +921,9 @@ Wil je de bestaande instellingen nu migreren? First record has field names Eerste record bevat veldnamen - - Number of headers line to discard - Aantal te negeren kopregels - Consider '\' an escape character - Beschouw '\' als escape-karakter + Beschouw '\' als escape-teken Preview @@ -826,12 +971,28 @@ Wil je de bestaande instellingen nu migreren? CSV importeren: schrijver heeft fouten: %1 + + Text qualification + Tekstkwalificatie + + + Field separation + Veld scheiding + + + Number of header lines to discard + Aantal te negeren kopregels + + + CSV import preview + CSV import voorbeeld + CsvParserModel %n column(s) - 1 kolom%n kolom(men) + %n kolom(men)%n kolom(men) %1, %2, %3 @@ -840,7 +1001,7 @@ Wil je de bestaande instellingen nu migreren? %n byte(s) - %n byte (s)%n byte(s) + %n byte(s)%n byte(s) %n row(s) @@ -866,17 +1027,35 @@ Wil je de bestaande instellingen nu migreren? Error while reading the database: %1 Fout bij het lezen van de database: %1 - - Could not save, database has no file name. - Kan niet opslaan, database heeft geen bestandsnaam. - File cannot be written as it is opened in read-only mode. Bestand kan niet worden geschreven omdat het in de alleen-lezen modus is geopend. Key not transformed. This is a bug, please report it to the developers! - Toets niet getransformeerd. Dit is een bug, rapporteer deze alstublieft aan de ontwikkelaars! + Sleutel niet getransformeerd. Dit is een bug, rapporteer deze alstublieft aan de ontwikkelaars! + + + %1 +Backup database located at %2 + %1 +Back-up databestand staat op %2 + + + Could not save, database does not point to a valid file. + Kan niet opslaan. Database is geen geldig bestand. + + + Could not save, database file is read-only. + Kan niet opslaan. Database is alleen-lezen. + + + Database file has unmerged changes. + Database heeft niet opgeslagen gegevens. + + + Recycle Bin + Prullenbak @@ -888,30 +1067,14 @@ Wil je de bestaande instellingen nu migreren? DatabaseOpenWidget - - Enter master key - Hoofdsleutel invoeren - Key File: Sleutelbestand: - - Password: - Wachtwoord: - - - Browse - Bladeren - Refresh Vernieuwen - - Challenge Response: - Challenge/response: - Legacy key file format Verouderd sleutelbestandsformaat @@ -923,7 +1086,7 @@ unsupported in the future. Please consider generating a new key file. Je gebruikt een verouderd sleutelbestandsformaat dat in de toekomst niet ondersteund zal worden. -Overweeg a.u.b. een nieuw sleutelbestand te genereren. +Overweeg een nieuw sleutelbestand te genereren. Don't show this warning again @@ -942,20 +1105,100 @@ Overweeg a.u.b. een nieuw sleutelbestand te genereren. Kies sleutelbestand - TouchID for quick unlock - TouchID voor snel ontgrendelen + Failed to open key file: %1 + Kon sleutelbestand niet openen: %1 - Unable to open the database: -%1 - Kan database niet openen: -%1 + Select slot... + Kies positie... - Can't open key file: -%1 - Kan sleutelbestand niet openen: -%1 + Unlock KeePassXC Database + Ontgrendel KeePassXC-database + + + Enter Password: + Geef wachtwoord: + + + Password field + Wachtwoord invulveld + + + Toggle password visibility + Laat wachtwoord wel/niet zien. + + + Enter Additional Credentials: + Aanvullende inloggegevens: + + + Key file selection + Sleutelbestand + + + Hardware key slot selection + Hardwaresleutel positie selectie + + + Browse for key file + Blader naar sleutelbestand + + + Browse... + Bladeren… + + + Refresh hardware tokens + Hardwaretoken verversen + + + Hardware Key: + Hardwaresleutel: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Je kunt een hardwarebeveiligingssleutel gebruiken, zoals een <strong>YubiKey</strong> of <strong>onlykey</strong> met posities "slots" die zijn geconfigureerd voor HMAC-SHA1.</p> + <p>Klik hier voor meer informatie...</p> + + + Hardware key help + Hardwaresleutelhulp + + + TouchID for Quick Unlock + TouchID voor snelle ontgrendeling + + + Clear + Wissen + + + Clear Key File + Wis sleutelbestand + + + Select file... + Kies bestand... + + + Unlock failed and no password given + Ontgrendeling mislukt en geen wachtwoord ingevoerd + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Het ontgrendelen van de database is mislukt en je hebt geen wachtwoord ingevoerd. +Wil je het opnieuw proberen met een "leeg" wachtwoord? + +Om te voorkomen dat deze fout verschijnt ga je naar "Database instellingen.../Beveiliging" gaan en reset dan het wachtwoord. + + + Retry with empty password + Probeer opnieuw met leeg wachtwoord @@ -1008,7 +1251,7 @@ Overweeg a.u.b. een nieuw sleutelbestand te genereren. Move KeePassHTTP attributes to KeePassXC-Browser &custom data - Verplaats KeePassHTTP kenmerken naar KeePassXC-browser &speciale data + Verplaats KeePassHTTP kenmerken naar KeePassXC-browser &gebruikersinstellingen Stored keys @@ -1064,7 +1307,7 @@ Hierdoor werkt de verbinding met de browser plugin mogelijk niet meer. Successfully removed %n encryption key(s) from KeePassXC settings. - %n coderingssleutel uit KeePassXC instellingen verwijderd.%n coderingssleutel(s) uit KeePassXC instellingen verwijderd. + %n encryptiesleutel(s) is/zijn verwijderd van KeePassXC-instellingen.%n encryptiesleutel(s) is/zijn verwijderd van KeePassXC-instellingen. Forget all site-specific settings on entries @@ -1089,7 +1332,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Machtigingen zijn verwijderd uit %n item(s).Machtigingen zijn verwijderd uit %n item(s). + Machtigingen van %n entry(s) zijn verwijderd.Machtigingen van %n entry(s) zijn verwijderd. KeePassXC: No entry with permissions found! @@ -1101,7 +1344,7 @@ Permissions to access entries will be revoked. Move KeePassHTTP attributes to custom data - Verplaats KeePassHTTP kenmerken naar speciale data + Verplaats KeePassHTTP kenmerken naar gebruikersinstellingen Do you really want to move all legacy browser integration data to the latest standard? @@ -1109,6 +1352,14 @@ This is necessary to maintain compatibility with the browser plugin. Wil je echt alle instellingen voor de oudere browserintegratie veranderen naar de nieuwste standaard? Dit is nodig om compatibiliteit met de browser plugin te behouden. + + Stored browser keys + Opgeslagen browsersleutels + + + Remove selected key + Verwijder gekozen sleutel + DatabaseSettingsWidgetEncryption @@ -1239,7 +1490,7 @@ Als je dit aantal aanhoudt is het mogelijk heel gemakkelijk om de database te kr thread(s) Threads for parallel execution (KDF settings) - thread(s)thread(s) + thread(s) thread(s) %1 ms @@ -1251,6 +1502,57 @@ Als je dit aantal aanhoudt is het mogelijk heel gemakkelijk om de database te kr seconds %1 s%1 s + + Change existing decryption time + Verander bestaande decodeer tijd + + + Decryption time in seconds + Decodeer tijd in seconden + + + Database format + Database-indeling + + + Encryption algorithm + Versleutelingsalgoritme + + + Key derivation function + Sleutelafleidingsfunctie + + + Transform rounds + Transformatierondes + + + Memory usage + Geheugengebruik + + + Parallelism + Parallelliteit + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Beschikbare items + + + Don't e&xpose this database + Deze database niet blootstellen + + + Expose entries &under this group: + Items onder deze groep beschikbaar stellen: + + + Enable fd.o Secret Service to access these settings. + Schakel fd.o Secret Service in om toegang te krijgen tot deze instellingen. + DatabaseSettingsWidgetGeneral @@ -1272,11 +1574,11 @@ Als je dit aantal aanhoudt is het mogelijk heel gemakkelijk om de database te kr History Settings - Geschiedenis-instellingen + Geschiedenis instellingen Max. history items: - Max. geschiedenisitems: + Max. aantal vorige versies: Max. history size: @@ -1298,6 +1600,40 @@ Als je dit aantal aanhoudt is het mogelijk heel gemakkelijk om de database te kr Enable &compression (recommended) &Compressie toepassen (aanbevolen) + + Database name field + Databasenaamveld + + + Database description field + Databaseomschrijvingveld + + + Default username field + Standaardgebruikersnaamveld + + + Maximum number of history items per entry + Maximum aantal vorige versies per item + + + Maximum size of history per entry + Maximale grootte van vorige versies per item + + + Delete Recycle Bin + Verwijder prullenbak + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Wil je de huidige prullenbak verwijderen en al zijn inhoud? +Deze actie is onomkeerbaar. + + + (old) + (oud) + DatabaseSettingsWidgetKeeShare @@ -1343,7 +1679,7 @@ Als je dit aantal aanhoudt is het mogelijk heel gemakkelijk om de database te kr You must add at least one encryption key to secure your database! - Je moet minstens één coderingssleutel aan de database toevoegen om deze te beveiligen! + Je moet minstens één coderingssleutel aan uw database toevoegen om deze te beveiligen! No password set @@ -1365,6 +1701,10 @@ Weet je zeker dat je door wilt gaan zonder wachtwoord? Failed to change master key Hoofdsleutel wijzigen is niet gelukt + + Continue without password + Doorgaan zonder wachtwoord + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1716,129 @@ Weet je zeker dat je door wilt gaan zonder wachtwoord? Description: Beschrijving: + + Database name field + Databasenaamveld + + + Database description field + Databaseomschrijvingveld + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statistieken + + + Hover over lines with error icons for further information. + Beweeg de muis over regels met fout pictogrammen voor meer informatie. + + + Name + Naam + + + Value + Waarde + + + Database name + Database naam + + + Description + Beschrijving + + + Location + Locatie + + + Last saved + Laatst opgeslagen + + + Unsaved changes + Niet-opgeslagen wijzigingen + + + yes + ja + + + no + nee + + + The database was modified, but the changes have not yet been saved to disk. + De database is bewerkt, maar de wijzigingen zijn nog niet op disk opgeslagen. + + + Number of groups + Aantal groepen + + + Number of entries + Aantal items + + + Number of expired entries + Aantal verlopen items + + + The database contains entries that have expired. + De database bevat items die verlopen zijn. + + + Unique passwords + Unieke wachtwoorden + + + Non-unique passwords + Niet-unieke wachtwoorden + + + More than 10% of passwords are reused. Use unique passwords when possible. + Meer dan 10% van de wachtwoorden zijn herbruikt. Gebruik waar mogelijk unieke wachtwoorden. + + + Maximum password reuse + Maximaal wachtwoordherbruik + + + Some passwords are used more than three times. Use unique passwords when possible. + Verscheidene wachtwoorden worden meer dan drie keer gebruikt. Gebruik waar mogelijk unieke wachtwoorden. + + + Number of short passwords + Aantal korte wachtwoorden + + + Recommended minimum password length is at least 8 characters. + Aangeraden minimumlengte voor wachtwoorden is 8 tekens. + + + Number of weak passwords + Aantal zwakke wachtwoorden + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Het is aanbevolen om lange, willekeurige wachtwoorden te gebruiken met een beoordeling van 'goed' of 'uitstekend'. + + + Average password length + Gemiddeld wachtwoordlengte + + + %1 characters + %1 tekens + + + Average password length is less than ten characters. Longer passwords provide more security. + Gemiddeld wachtwoordlengte is minder dan tien tekens. Langere wachtwoorden bieden meer veiligheid. + DatabaseTabWidget @@ -1423,11 +1886,7 @@ Weet je zeker dat je door wilt gaan zonder wachtwoord? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. De aangemaakte database heeft geen sleutel of KDF, dit weiger ik op te slaan. -Dit is zeker een bug, rapporteer dit a.u.b. aan de ontwikkelaars. - - - The database file does not exist or is not accessible. - Het databasebestand bestaat niet of is niet toegankelijk. +Dit is zeker een bug, rapporteer dit alsjeblieft aan de ontwikkelaars. Select CSV file @@ -1452,6 +1911,30 @@ Dit is zeker een bug, rapporteer dit a.u.b. aan de ontwikkelaars. Database tab name modifier %1 [alleen lezen] + + Failed to open %1. It either does not exist or is not accessible. + Kon %1 niet openen. Het bestaat niet of is niet toegankelijk. + + + Export database to HTML file + Exporteer database naar HTML-bestand + + + HTML file + HTML bestand + + + Writing the HTML file failed. + Schrijven van het HTML-bestand is mislukt. + + + Export Confirmation + Exporteerbevestiging + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Je gaat je database naar een niet-versleuteld bestand exporteren. Dit zal je wachtwoorden en gevoelige informatie kwetsbaar maken! Weet je zeker dat je door wil gaan? + DatabaseWidget @@ -1469,7 +1952,7 @@ Dit is zeker een bug, rapporteer dit a.u.b. aan de ontwikkelaars. Do you really want to move %n entry(s) to the recycle bin? - Wil je echt %n item naar de Prullenbak verplaatsen?Wil je echt %n item(s) naar de Prullenbak verplaatsen? + Wil je echt %n entry(s) naar de prullenbak verplaatsen?Weet je zeker dat je %n entry(s) naar de prullenbak wil verplaatsen? Execute command? @@ -1531,19 +2014,15 @@ Wil je de wijzigingen samenvoegen? Do you really want to delete %n entry(s) for good? - Wilt u echt %n item(s) voorgoed verwijderen?Wil je echt %n item(s) voorgoed verwijderen? + Wil je echt %n entry(s) definitief verwijderen?Weet je zeker dat je %n entry(s) definitief wil verwijderen? Delete entry(s)? - Verwijderen entry(s)?Item(s) verwijderen? + Verwijderen entry(s)?Verwijderen entry(s)? Move entry(s) to recycle bin? - Item(s) naar prullenbak verplaatsen?Item(s) naar prullenbak verplaatsen? - - - File opened in read only mode. - Bestand geopend in lees-modus. + Entry(s) naar Prullenbak verplaatsenItem(s) naar Prullenbak verplaatsen Lock Database? @@ -1583,13 +2062,7 @@ Fout: %1 KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? KeePassXC heeft meerdere keren geprobeerd de database op te slaan maar het is niet gelukt. Dit wordt waarschijnlijk veroorzaakt doordat een synchronisatie-dienst het bestand bezet houd. -Veilig opslaan afschakelen en opnieuw proberen? - - - Writing the database failed. -%1 - Het schrijven van de database is mislukt. -%1 +Veilig opslaan uitschakelen en opnieuw proberen? Passwords @@ -1609,7 +2082,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Vermelding "%1" heeft %2 reference(s). Wilt u verwijzingen vervangen door waarden, dit bericht overslaan of verwijderen toch?Item "%1" heeft %2 referentie(s). Wil je de verwijzingen vervangen door waarden, dit bericht overslaan, of toch verwijderen ? + Item "%1" heeft %2 referentie(s). Wil je verwijzingen vervangen door waarden, dit item overslaan, of alsnog verwijderen?Item "%1" heeft %2 referentie(s). Wil je verwijzingen vervangen door waarden, dit item overslaan, of alsnog verwijderen? Delete group @@ -1635,6 +2108,14 @@ Veilig opslaan afschakelen en opnieuw proberen? Shared group... Gedeelde groep... + + Writing the database failed: %1 + Het schrijven van de database is mislukt: %1 + + + This database is opened in read-only mode. Autosave is disabled. + De database is in alleen-lezenmodus geopend. Automatisch opslaan is uitgeschakeld. + EditEntryWidget @@ -1648,7 +2129,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Icon - Icoon + Pictogram Auto-Type @@ -1688,7 +2169,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Entry history - Geschiedenis van item + Item geschiedenis Add entry @@ -1716,19 +2197,19 @@ Veilig opslaan afschakelen en opnieuw proberen? %n week(s) - %n week%n weken + 1 week%n weken %n month(s) - %n maand%n maanden + %n maand(en)%n maand(en) Apply generated password? - Gegenereerd wachtwoord toepassen? + Gegenereerde wachtwoord opslaan? Do you want to apply the generated password to this entry? - Wil je het gegenereerde wachtwoord toepassen voor dit item? + Wil je het gegenereerde wachtwoord in dit item opslaan? Entry updated successfully. @@ -1748,12 +2229,24 @@ Veilig opslaan afschakelen en opnieuw proberen? %n year(s) - %n jaar%n jaren + 1 jaar%n jaren Confirm Removal Verwijdering bevestigen + + Browser Integration + Browserintegratie + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Weet je zeker dat je dit URL wil verwijderen? + EditEntryWidgetAdvanced @@ -1779,7 +2272,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Reveal - Tonen + Weergeven Attachments @@ -1793,6 +2286,42 @@ Veilig opslaan afschakelen en opnieuw proberen? Background Color: Achtergrondkleur: + + Attribute selection + Kenmerkselectie + + + Attribute value + Kenmerkwaarde + + + Add a new attribute + Een nieuw kenmerk toevoegen + + + Remove selected attribute + Gekozen kenmerk verwijderen + + + Edit attribute name + Wijzig kenmerknaam + + + Toggle attribute protection + Kenmerkbescherming aan/uit + + + Show a protected attribute + Een beschermd kenmerk weergeven + + + Foreground color selection + Voorgrondkleurselectie + + + Background color selection + Achtergrondkleurselectie + EditEntryWidgetAutoType @@ -1828,12 +2357,83 @@ Veilig opslaan afschakelen en opnieuw proberen? Use a specific sequence for this association: Gebruik een specifieke tekenreeks voor deze associatie. + + Custom Auto-Type sequence + Aangepaste Auto-type tekenreeks + + + Open Auto-Type help webpage + Open Auto-type help-webpagina + + + Existing window associations + Bestaande venster koppelingen + + + Add new window association + Voeg venster koppeling toe + + + Remove selected window association + Verwijder scherm koppeling + + + You can use an asterisk (*) to match everything + Je kunt een ster (*) gebruiken om alles te vinden + + + Set the window association title + Stel de venster koppeling titel in + + + You can use an asterisk to match everything + Je kunt een sterretje gebruiken om alles te vinden + + + Custom Auto-Type sequence for this window + Aangepaste Auto-type tekenreeks voor dit venster + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Deze instellingen beïnvloeden het gedrag van de browserextensie voor dit item. + + + General + Algemeen + + + Skip Auto-Submit for this entry + Automatisch versturen uitzetten voor dit item + + + Hide this entry from the browser extension + Verberg dit item in de browserextensie + + + Additional URL's + Extra URLs + + + Add + Toevoegen + + + Remove + Verwijderen + + + Edit + Wijzigen + EditEntryWidgetHistory Show - Tonen + Weergeven Restore @@ -1847,6 +2447,26 @@ Veilig opslaan afschakelen en opnieuw proberen? Delete all Alles verwijderen + + Entry history selection + Item geschiedenis selectie + + + Show entry at selected history state + Toon het item zoals in geselecteerde vorige versie + + + Restore entry to selected history state + Herstel het item naar de geselecteerde vorige versie + + + Delete selected history state + Verwijder geselecteerde vorige versie + + + Delete all history + Verwijder alle vorige versies + EditEntryWidgetMain @@ -1876,7 +2496,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Toggle the checkbox to reveal the notes section. - Schakelen aan om notities te tonen. + Selecteer om notities weer te geven. Username: @@ -1886,6 +2506,62 @@ Veilig opslaan afschakelen en opnieuw proberen? Expires Verloopt + + Url field + URL veld + + + Download favicon for URL + Pictogram downloaden voor URL + + + Repeat password field + Wachtwoord herhaling veld + + + Toggle password generator + Laat wachtwoordgenerator wel/niet zien. + + + Password field + Wachtwoord invulveld + + + Toggle password visibility + Laat wachtwoord wel/niet zien. + + + Toggle notes visible + Laat notities wel/niet zien. + + + Expiration field + Vervaldatum veld + + + Expiration Presets + Vervaldatum voorinstellingen + + + Expiration presets + Vervaldatum voorinstellingen + + + Notes field + Notities veld + + + Title field + Titel veld + + + Username field + Gebruikersnaam veld + + + Toggle expiration + Vervaldatum wel/niet tonen + EditEntryWidgetSSHAgent @@ -1962,6 +2638,22 @@ Veilig opslaan afschakelen en opnieuw proberen? Require user confirmation when this key is used Bevestiging van de gebruiker vragen als deze sleutel wordt gebruikt + + Remove key from agent after specified seconds + + + + Browser for key file + Blader naar sleutelbestand + + + External key file + Extern sleutelbestand + + + Select attachment file + Selecteer bijlage bestand + EditGroupWidget @@ -1971,7 +2663,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Icon - Icoon + Pictogram Properties @@ -1997,6 +2689,10 @@ Veilig opslaan afschakelen en opnieuw proberen? Inherit from parent group (%1) Overnemen van bovenliggende groep (%1) + + Entry has unsaved changes + Het item heeft niet opgeslagen wijzigingen + EditGroupWidgetKeeShare @@ -2024,34 +2720,6 @@ Veilig opslaan afschakelen en opnieuw proberen? Inactive Inactief - - Import from path - Importeren van pad - - - Export to path - Exporteren naar pad - - - Synchronize with path - Synchroniseren met pad - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Deze KeePassXC-versie biedt geen ondersteuning voor het delen van jouw container type. Gebruik %1. - - - Database sharing is disabled - Database delen is uitgeschakeld - - - Database export is disabled - Database exporteren is uitgeschakeld - - - Database import is disabled - Database importeren is uitgeschakeld - KeeShare unsigned container KeeShare niet-ondertekende container @@ -2077,16 +2745,75 @@ Veilig opslaan afschakelen en opnieuw proberen? Wissen - The export container %1 is already referenced. - Er wordt al verwezen naar export container %1. + Import + Importeren - The import container %1 is already imported. - Import container %1 is al geïmporteerd. + Export + Exporteren - The container %1 imported and export by different groups. - De container %1 is geïmporteerd en geëxporteerd door verschillende groepen. + Synchronize + Synchroniseer + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Deze KeePassXC-versie biedt geen ondersteuning voor het delen van dit container type. +Ondersteund zijn: %1. + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare is momenteel uitgeschakeld. Je kunt importeren/exporteren inschakelen in de instellingen. + + + Database export is currently disabled by application settings. + Database export is momenteel uitgeschakeld in de programma instellingen. + + + Database import is currently disabled by application settings. + Database import is momenteel uitgeschakeld in de programma instellingen. + + + Sharing mode field + Delen modus veld + + + Path to share file field + Pad naar te delen bestand veld + + + Browser for share file + + + + Password field + Wachtwoord invulveld + + + Toggle password visibility + Laat wachtwoord wel/niet zien. + + + Toggle password generator + Laat wachtwoordgenerator wel/niet zien. + + + Clear fields + Wis velden @@ -2117,26 +2844,54 @@ Veilig opslaan afschakelen en opnieuw proberen? Set default Auto-Type se&quence - Standaard Auto-type volgorde instellen + Standaard Auto-type tekenreeks instellen + + + Name field + Naam veld + + + Notes field + Notities veld + + + Toggle expiration + Vervaldatum wel/niet tonen + + + Auto-Type toggle for this and sub groups + Auto-type aan/uit voor deze en onderliggende groepen + + + Expiration field + Vervaldatum veld + + + Search toggle for this and sub groups + Zoeken aan/uit voor deze en onderliggende groepen + + + Default auto-type sequence field + Standaard Auto-type tekenreeks veld EditWidgetIcons &Use default icon - Standaardicoon &gebruiken + Standaardpictogram &gebruiken Use custo&m icon - Aangepast icoon gebruiken + Aangepast pictogram gebruiken Add custom icon - Icoon toevoegen + Pictogram toevoegen Delete custom icon - Icoon verwijderen + Pictogram verwijderen Download favicon @@ -2144,7 +2899,7 @@ Veilig opslaan afschakelen en opnieuw proberen? Unable to fetch favicon. - Favicon kan niet worden opgehaald. + Kan favicon niet ophalen. Images @@ -2154,22 +2909,10 @@ Veilig opslaan afschakelen en opnieuw proberen? All files Alle bestanden - - Custom icon already exists - Icoon bestaat al - Confirm Delete Verwijdering bevestigen - - Custom icon successfully downloaded - Pictogram is gedownload - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Tip: Je kunt DuckDuckGo als alternatief inschakelen onder Extra>Instellingen>Beveiliging - Select Image(s) Selecteer afbeelding(en) @@ -2188,11 +2931,47 @@ Veilig opslaan afschakelen en opnieuw proberen? The following icon(s) failed: - De volgende pictogram(men) mislukten:De volgende pictogram(men) mislukten: + De volgende pictogram(men) mislukte(n):De volgende pictogram(men) mislukte(n): This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Dit pictogram wordt gebruikt door %n item(s) en zal worden vervangen door het standaardpictogram. Weet je zeker dat je het wilt verwijderen?Dit pictogram wordt gebruikt door %n item(s) en zal worden vervangen door het standaardpictogram. Weet je zeker dat je het wilt verwijderen? + Dit pictogram wordt gebruikt door %n item(s) en zal worden vervangen door het standaardpictogram. Weet je zeker dat je het wil verwijderen?Dit pictogram wordt gebruikt door %n item(s) en zal worden vervangen door het standaardpictogram. Weet je zeker dat je het wil verwijderen? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Je kunt de DuckDuckGo website pictogram dienst inschakelen onder Extra>Instellingen>Beveiliging + + + Download favicon for URL + Pictogram downloaden voor URL + + + Apply selected icon to subgroups and entries + Gebruik het geselecteerde pictogram voor onderliggende groepen en items + + + Apply icon &to ... + Pictogram &toepassen op... + + + Apply to this only + Alleen hier toepassen + + + Also apply to child groups + Ook toepassen op onderliggende groepen + + + Also apply to child entries + Ook toepassen op onderliggende items + + + Also apply to all children + Ook toepassen op alle onderliggenden + + + Existing icon selected. + Bestaand pictogram geselecteerd. @@ -2239,6 +3018,30 @@ Hierdoor werken de plugins mogelijk niet meer goed. Value Waarde + + Datetime created + Datum tijd gemaakt + + + Datetime modified + Datum tijd gewijzigd + + + Datetime accessed + Datum tijd laatste toegang + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2286,7 +3089,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Are you sure you want to remove %n attachment(s)? - Weet je zeker dat je %n bijlage wil verwijderen?Weet je zeker dat je %n bijlagen wil verwijderen? + Weet je zeker dat je %n bijlage(n) wil verwijderen?Weet je zeker dat je %n bijlage(n) wil verwijderen? Save attachments @@ -2295,7 +3098,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to create directory: %1 - Map niet kunnen maken: + Kan de map niet maken: %1 @@ -2309,19 +3112,19 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to save attachments: %1 - Bijlagen niet kunnen opslaan: + Kan de bijlagen niet opslaan: %1 Unable to open attachment: %1 - Bijlage niet kunnen openen: + Kan de bijlage niet openen: %1 Unable to open attachments: %1 - Kon de bijlagen niet openen: + Kan de bijlagen niet openen: %1 @@ -2331,7 +3134,29 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to open file(s): %1 - Kan niet openen van bestanden: %1Kan bestand(en): %1 niet openen + Kan de volgende bestanden niet openen: +%1Kan de volgende bestanden niet openen: +%1 + + + Attachments + Bijlagen + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2426,10 +3251,6 @@ Hierdoor werken de plugins mogelijk niet meer goed. EntryPreviewWidget - - Generate TOTP Token - TOTP-token genereren - Close Sluiten @@ -2515,6 +3336,14 @@ Hierdoor werken de plugins mogelijk niet meer goed. Share Delen + + Display current TOTP value + Toon huidige TOTP-waarde + + + Advanced + Geavanceerd + EntryView @@ -2548,11 +3377,33 @@ Hierdoor werken de plugins mogelijk niet meer goed. - Group + FdoSecrets::Item - Recycle Bin - Prullenbak + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2570,6 +3421,59 @@ Hierdoor werken de plugins mogelijk niet meer goed. Kan het native messaging scriptbestand niet opslaan. + + IconDownloaderDialog + + Download Favicons + Favicons downloaden + + + Cancel + Annuleren + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Problemen met het downloaden van pictogrammen? +Je kunt de DuckDuckGo website pictogram dienst inschakelen in de sectie 'Beveiliging' in de instellingen. + + + Close + Sluiten + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + Downloaden... + + + Ok + Oké + + + Already Exists + Bestaat al + + + Download Failed + Downloaden is mislukt + + + Downloading favicons (%1/%2)... + Favicons downloaden (%1/%2)... + + KMessageWidget @@ -2585,16 +3489,12 @@ Hierdoor werken de plugins mogelijk niet meer goed. Kdbx3Reader Unable to calculate master key - Niet mogelijk om hoofdsleutel te berekenen + Kan hoofdsleutel niet berekenen Unable to issue challenge-response. Kan challenge/response niet uitvoeren. - - Wrong key or database file is corrupt. - Verkeerde sleutel of beschadigde database. - missing database headers ontbrekende database-koppen @@ -2615,6 +3515,12 @@ Hierdoor werken de plugins mogelijk niet meer goed. Invalid header data length Ongeldige lengte van header-data + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ongeldige inloggegevens, probeer het opnieuw. +Als dit vaker gebeurt, is het databasebestand mogelijk beschadigd. + Kdbx3Writer @@ -2624,7 +3530,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to calculate master key - Niet mogelijk om hoofdsleutel te berekenen + Kan hoofdsleutel niet berekenen @@ -2635,7 +3541,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to calculate master key - Niet mogelijk om hoofdsleutel te berekenen + Kan hoofdsleutel niet berekenen Invalid header checksum size @@ -2645,10 +3551,6 @@ Hierdoor werken de plugins mogelijk niet meer goed. Header SHA256 mismatch SHA256-kop komt niet overeen - - Wrong key or database file is corrupt. (HMAC mismatch) - Verkeerde sleutel of database-bestand is beschadigd. (HMAC mismatch) - Unknown cipher Onbekend versleutelingsalgoritme @@ -2749,6 +3651,16 @@ Hierdoor werken de plugins mogelijk niet meer goed. Translation: variant map = data structure for storing meta data Ongeldige grootte van variant map veld-type + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ongeldige inloggegevens, probeer het opnieuw. +Als dit vaker gebeurt, is het databasebestand mogelijk beschadigd. + + + (HMAC mismatch) + + Kdbx4Writer @@ -2763,7 +3675,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to calculate master key - Niet mogelijk om hoofdsleutel te berekenen + Kan hoofdsleutel niet berekenen Failed to serialize KDF parameters variant map @@ -2856,7 +3768,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Missing custom data key or value - Ontbrekende aangepaste datasleutel of -waarde + Ontbrekende gebruikersinstelling of -waarde Multiple group elements @@ -2900,7 +3812,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open History element in history entry - Geschiedenis element in geschiedenis item + Geschiedenis element in vorige versie No entry uuid found @@ -2912,7 +3824,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Duplicate custom attribute found - Duplicaat aangepast kenmerk gevonden + Duplicaat gebruikers-kenmerk gevonden Entry string key or value missing @@ -2957,7 +3869,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Unable to decompress binary Translator meant is a binary data inside an entry - Het is niet gelukt om de binary uit te pakken + Kan binary niet uitpakken XML error: @@ -2971,23 +3883,23 @@ Lijn %2, kolom %3 KeePass1OpenWidget - Import KeePass1 database - KeePass 1-database importeren + Unable to open the database. + Kan database niet openen. - Unable to open the database. - Niet mogelijk om de database te openen. + Import KeePass1 Database + Importeer KeePass1 database KeePass1Reader Unable to read keyfile. - Niet mogelijk om sleutelbestand te lezen + Kan sleutelbestand niet lezen Not a KeePass database. - Geen KeePass-database + Geen KeePass-database. Unsupported encryption algorithm. @@ -3000,7 +3912,7 @@ Lijn %2, kolom %3 Unable to read encryption IV IV = Initialization Vector for symmetric cipher - Versleuteling IV kon niet gelezen worden + Kan versleuteling IV niet lezen Invalid number of groups @@ -3024,7 +3936,7 @@ Lijn %2, kolom %3 Unable to construct group tree - Groepsstructuur niet kunnen opbouwen + Kan groepsstructuur niet opbouwen Root @@ -3032,11 +3944,7 @@ Lijn %2, kolom %3 Unable to calculate master key - Hoofdsleutel niet kunnen berekenen - - - Wrong key or database file is corrupt. - Verkeerde sleutel of beschadigde database. + Kan hoofdsleutel niet berekenen Key transformation failed @@ -3132,42 +4040,60 @@ Lijn %2, kolom %3 unable to seek to content position - niet in staat om naar positie te springen + kan niet naar positie in inhoud springen + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Ongeldige inloggegevens, probeer het opnieuw. +Als dit vaker gebeurt, is het databasebestand mogelijk beschadigd. KeeShare - Disabled share - Delen uitgeschakeld + Invalid sharing reference + - Import from - Importeren uit + Inactive share %1 + - Export to - Exporteren naar - - - Synchronize with - Synchroniseren met - - - Disabled share %1 - Delen uitgeschakeld %1 - - - Import from share %1 + Imported from %1 Geïmporteerd van %1 - Export to share %1 - Ge-exporteerd naar %1 + Exported to %1 + - Synchronize with share %1 - Synchroniseren met %1 + Synchronized with %1 + + + + Import is disabled in settings + + + + Export is disabled in settings + + + + Inactive share + + + + Imported from + + + + Exported to + Geëxporteerd naar + + + Synchronized with + Gesynchroniseerd met @@ -3191,12 +4117,12 @@ Lijn %2, kolom %3 Add %1 Add a key component - Toevoegen van %1 + Voeg %1 toe Change %1 Change a key component - Wijzigen van %1 + Wijzig %1 Remove %1 @@ -3211,10 +4137,6 @@ Lijn %2, kolom %3 KeyFileEditWidget - - Browse - Bladeren - Generate Genereren @@ -3238,7 +4160,7 @@ unsupported in the future. Please go to the master key settings and generate a new key file. Je gebruikt een verouderd sleutelbestandsformaat dat in de toekomst niet ondersteund zal worden. -Ga a.u.b. naar de hoofdsleutel instellingen en genereer een nieuw sleutelbestand. +Ga naar de hoofdsleutel instellingen en genereer een nieuw sleutelbestand. Error loading the key file '%1' @@ -3270,6 +4192,44 @@ Bericht: %2 Select a key file Kies een sleutelbestand + + Key file selection + Sleutelbestand + + + Browse for key file + Blader naar sleutelbestand + + + Browse... + Bladeren… + + + Generate a new key file + Een nieuw sleutelbestand genereren + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Merk op: gebruik geen bestand dat kan veranderen; elke verandering maakt het ontgrendelen van je database onmogelijk! + + + Invalid Key File + Ongeldig sleutelbestand + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Je kunt de huidige database niet gebruiken als zijn eigen sleutelbestand. Kies een ander bestand of genereer een nieuw sleutelbestand. + + + Suspicious Key File + Verdacht sleutelbestand + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Het gekozen sleutelbestand ziet eruit als een wachtwoord databasebestand. Een sleutelbestand moet een statisch bestand zijn dat nooit wijzigt ander verlies je voor altijd toegang tot de database. +Weet je zeker dat je wilt doorgaan met dit bestand? + MainWindow @@ -3357,10 +4317,6 @@ Bericht: %2 &Settings &Instellingen - - Password Generator - Wachtwoordgenerator - &Lock databases Databases &Vergrendelen @@ -3439,7 +4395,7 @@ Er is een hoog risico op beschadiging. Bewaar een back-up van jouw databases. &Donate - & Doneren + &Doneren Report a &bug @@ -3469,7 +4425,7 @@ Wij raden je aan om de AppImage te gebruiken welke beschikbaar is op onze downlo Create a new database - Een nieuwe database maken + Nieuwe database maken &Merge from database... @@ -3517,7 +4473,7 @@ Wij raden je aan om de AppImage te gebruiken welke beschikbaar is op onze downlo Perform &Auto-Type - Uitvoeren & Auto-Type + Uitvoeren &Auto-Type Open &URL @@ -3547,31 +4503,91 @@ Wij raden je aan om de AppImage te gebruiken welke beschikbaar is op onze downlo Show TOTP QR Code... Toon TOTP QR code... - - Check for Updates... - Controleren op Updates... - - - Share entry - Deel item - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - Opmerking: Je gebruikt een pre-release versie van KeePassXC! + Merk op: Je gebruikt een pre-release versie van KeePassXC! Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor productiedoeleinden. Check for updates on startup? - Controleren op updates bij het opstarten? + Zoek naar updates bij het opstarten? Would you like KeePassXC to check for updates on startup? - Wil je dat KeePassXC controleert op updates bij het opstarten? + Wil je dat KeePassXC naar updates zoekt bij het opstarten? You can always check for updates manually from the application menu. - Je kunt altijd handmatig controleren of er updates zijn vanuit het programmamenu. + Je kunt altijd handmatig naar updates zoeken vanuit het menu. + + + &Export + &Exporteren + + + &Check for Updates... + &Zoek naar updates... + + + Downlo&ad all favicons + Alle favicons downloaden + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + &Wachtwoordgenerator + + + Download favicon + Favicon downloaden + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + &Aan de slag + + + Open Getting Started Guide PDF + Open de aan de slag gids PDF + + + &Online Help... + &Online hulp... + + + Go to online documentation (opens browser) + Online documentatie (opent een browser) + + + &User Guide + &Gebruikershandleiding + + + Open User Guide PDF + Open de gebruikershandleiding PDF + + + &Keyboard Shortcuts + &Sneltoetsen @@ -3632,6 +4648,14 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Adding missing icon %1 Toevoegen van ontbrekend pictogram %1 + + Removed custom data %1 [%2] + Gebruikersinstellingen verwijderd %1[%2] + + + Adding custom data %1 [%2] + Gebruikersinstellingen toegevoegd %1[%2] + NewDatabaseWizard @@ -3701,6 +4725,72 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Geef de weergavenaam en een optionele beschrijving voor de nieuwe database: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3800,6 +4890,17 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Onbekend sleuteltype: %1 + + PasswordEdit + + Passwords do not match + Wachtwoorden komen niet overeen + + + Passwords match so far + Wachtwoorden overeenkomst tot nu toe + + PasswordEditWidget @@ -3826,6 +4927,22 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Generate master password Genereer een hoofdwachtwoord + + Password field + Wachtwoord invulveld + + + Toggle password visibility + Laat wachtwoord wel/niet zien. + + + Repeat password field + Wachtwoord herhaling veld + + + Toggle password generator + Laat wachtwoordgenerator wel/niet zien + PasswordGeneratorWidget @@ -3854,22 +4971,10 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Character Types Tekens - - Upper Case Letters - Hoofdletters - - - Lower Case Letters - Kleine letters - Numbers Cijfers - - Special Characters - Speciale tekens - Extended ASCII Uitgebreide ASCII @@ -3950,18 +5055,10 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Advanced Geavanceerd - - Upper Case Letters A to F - Hoofdletters A tot F - A-Z A-Z - - Lower Case Letters A to F - Kleine letters A tot F - a-z a-z @@ -3980,7 +5077,7 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Punctuation - Leestekens + Interpunctie .,:; @@ -3994,18 +5091,10 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p " ' " ' - - Math - Wiskunde - <*+!?= <*+!? = - - Dashes - Streepjes - \_|-/ \_|-/ @@ -4036,7 +5125,7 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Add non-hex letters to "do not include" list - Voeg niet-hex karakters toe aan de "niet gebruiken" lijst + Voeg niet-hex tekens toe aan de "niet gebruiken" lijst Hex @@ -4044,7 +5133,7 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - Niet te gebruiken karakters: "0", "1", "l", "I", "O", "|", "﹒" + Niet te gebruiken tekens: "0", "1", "l", "I", "O", "|", "﹒" Word Co&unt: @@ -4052,7 +5141,75 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Regenerate - Regenereren + Opnieuw genereren + + + Generated password + Gegenereerd wachtwoord + + + Upper-case letters + Hoofdletters + + + Lower-case letters + Kleine letters + + + Special characters + Speciale tekens + + + Math Symbols + Wiskunde tekens + + + Dashes and Slashes + Streepjes en schuine streepjes + + + Excluded characters + Niet te gebruiken tekens + + + Hex Passwords + Hex wachtwoord + + + Password length + Wachtwoordlengte + + + Word Case: + + + + Regenerate password + Wachtwoord opnieuw genereren + + + Copy password + Wachtwoord kopiëren + + + Accept password + Wachtwoord accepteren + + + lower case + kleine letters + + + UPPER CASE + HOOFDLETTERS + + + Title Case + Titel in hoofd-/kleine letters + + + Toggle password visibility + Laat wachtwoord wel/niet zien @@ -4061,12 +5218,9 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p KeeShare KeeShare - - - QFileDialog - Select - Selecteer + Statistics + Statistieken @@ -4103,6 +5257,10 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Merge Samenvoegen + + Continue + Doorgaan + QObject @@ -4194,10 +5352,6 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Generate a password for the entry. Genereer een wachtwoord voor het item. - - Length for the generated password. - Lengte van het gegenereerde wachtwoord. - length lengte @@ -4247,18 +5401,6 @@ Verwacht een aantal bugs en kleine problemen, deze versie is niet bedoeld voor p Perform advanced analysis on the password. Geavanceerde analyse op het wachtwoord uitvoeren. - - Extract and print the content of a database. - De inhoud van de database uitpakken en afdrukken. - - - Path of the database to extract. - Pad naar de database. - - - Insert password to unlock %1: - Geef het wachtwoord voor %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4266,7 +5408,7 @@ unsupported in the future. Please consider generating a new key file. WAARSCHUWING: Je gebruikt een verouderd sleutelbestandsformaat dat in de toekomst mogelijk niet ondersteund zal worden. -Overweeg a.u.b. een nieuw sleutelbestand te genereren. +Overweeg een nieuw sleutelbestand te genereren. @@ -4302,17 +5444,13 @@ Beschikbare opdrachten: Merge two databases. Twee databases samenvoegen. - - Path of the database to merge into. - Pad naar de doeldatabase. - Path of the database to merge from. Pad naar de samen te voegen brondatabase. Use the same credentials for both database files. - Gebruik dezelfde gegevens voor beide gegevensbestanden. + Gebruik dezelfde inloggegevens voor beide gegevensbestanden. Key file of the database to merge from. @@ -4324,7 +5462,7 @@ Beschikbare opdrachten: Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - Namen van de te tonen kenmerken. Deze optie kan meer dan eens worden opgegeven, waarbij elk kenmerk op een regel wordt getoond in de opgegeven volgorde. Als er geen kenmerken worden opgegeven, wordt een samenvatting van de standaardkenmerken gegeven. + Namen van de weer te geven kenmerken. Deze optie kan meer dan eens worden opgegeven, waarbij elk kenmerk op een regel wordt getoond in de opgegeven volgorde. Als er geen kenmerken worden opgegeven, wordt een samenvatting van de standaardkenmerken gegeven. attribute @@ -4382,10 +5520,6 @@ Beschikbare opdrachten: Browser Integration Browserintegratie - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] challenge/response - slot %2 - %3 - Press Druk @@ -4416,10 +5550,6 @@ Beschikbare opdrachten: Generate a new random password. Genereer een willekeurig wachtwoord - - Invalid value for password length %1. - Ongeldige waarde voor wachtwoordlengte %1. - Could not create entry with path %1. Kan geen item maken met pad %1. @@ -4462,7 +5592,7 @@ Beschikbare opdrachten: Clearing the clipboard in %1 second(s)... - Het klemboard wordt over %1 seconde(n) gewist...Het klemboard wordt over %1 seconde(n) gewist... + Het klembord wordt over %1 seconde(n) gewist...Het klembord wordt over %1 seconde(n) gewist... Clipboard cleared! @@ -4477,10 +5607,6 @@ Beschikbare opdrachten: CLI parameter aantal - - Invalid value for password length: %1 - Ongeldige waarde voor wachtwoordlengte %1. - Could not find entry with path %1. Kan item met pad %1 niet vinden. @@ -4523,7 +5649,7 @@ Beschikbare opdrachten: Type: Dictionary - Type: woordenboek + Type: Woordenboek Type: Dict+Leet @@ -4605,41 +5731,17 @@ Beschikbare opdrachten: Failed to load key file %1: %2 Er ging iets fout bij het laden van sleutelbestand %1: %2 - - File %1 does not exist. - Bestand %1 bestaat niet. - - - Unable to open file %1. - Kan bestand %1 niet openen. - - - Error while reading the database: -%1 - Fout bij het lezen van de database: -%1 - - - Error while parsing the database: -%1 - Fout bij het ontleden van de database: -%1 - Length of the generated password Lengte van het gegenereerde wachtwoord Use lowercase characters - Gebruik kleine letters + Kleine letters gebruiken Use uppercase characters - Gebruik hoofdletters - - - Use numbers. - Getallen gebruiken. + Hoofdletters gebruiken Use special characters @@ -4651,11 +5753,11 @@ Beschikbare opdrachten: Exclude character set - Niet te gebruiken karakterset + Niet te gebruiken tekens chars - karakters + tekens Exclude similar looking characters @@ -4721,19 +5823,19 @@ Beschikbare opdrachten: AES: 256-bit - AES: 256-bits + AES: 256-bit Twofish: 256-bit - Twofish: 256-bits + Twofish: 256-bit ChaCha20: 256-bit - ChaCha20: 256-bits + ChaCha20: 256-bit Argon2 (KDBX 4 – recommended) - Argon2 (KDBX 4 – aanbevolen) + Argon2 (KDBX 4 - aanbevolen) AES-KDF (KDBX 4) @@ -4785,10 +5887,6 @@ Beschikbare opdrachten: Successfully created new database. Nieuwe database is gemaakt - - Insert password to encrypt database (Press enter to leave blank): - Voer het wachtwoord in voor het versleutelen van de database (druk op enter om het te laat leeg): - Creating KeyFile %1 failed: %2 Creëren van sleutelbestand %1 is mislukt: %2 @@ -4797,10 +5895,6 @@ Beschikbare opdrachten: Loading KeyFile %1 failed: %2 Laden van sleutelbestand %1 is mislukt: %2 - - Remove an entry from the database. - Een item uit de database verwijderen. - Path of the entry to remove. Pad van het te verwijderen item. @@ -4857,6 +5951,330 @@ Beschikbare opdrachten: Cannot create new group Kon nieuwe groep niet maken + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versie %1 + + + Build Type: %1 + Bouwtype: %1 + + + Revision: %1 + Revisie: %1 + + + Distribution: %1 + Distributie: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Besturingssysteem: %1 +CPU-architectuur: %2 +Kernelversie: %3 %4 + + + Auto-Type + Auto-type + + + KeeShare (signed and unsigned sharing) + KeeShare (getekend en ongetekend delen) + + + KeeShare (only signed sharing) + KeeShare (alleen ondertekend delen) + + + KeeShare (only unsigned sharing) + KeeShare (alleen niet-ondertekend delen) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Geen + + + Enabled extensions: + Geactiveerde extensies: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + Groep %1 bestaat al! + + + Group %1 not found. + Groep %1 niet gevonden. + + + Successfully added group %1. + Groep %1 toegevoegd. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Controleer of er wachtwoorden zijn gelekt en openbaar zijn gemaakt. BESTANDSNAAM moet het pad zijn van een bestand met SHA-1-hashes van gelekte wachtwoorden in HIBP-indeling, zoals beschikbaar op https://haveibeenpwned.com/Passwords. + + + FILENAME + BESTANDSNAAM + + + Analyze passwords for weaknesses and problems. + Analyseer wachtwoorden op zwakke punten en problemen. + + + Failed to open HIBP file %1: %2 + Kon HIBP bestand niet openen %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + De database items worden onderzocht met behulp van het HIBP-bestand, dit zal een tijdje duren... + + + Close the currently opened database. + Sluit de geopende database. + + + Display this help. + Toont deze helptekst. + + + Yubikey slot used to encrypt the database. + YubiKey positie voor het versleutelen van de database. + + + slot + positie + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + De woordenlijst is te klein (< 1000 items) + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + Getallen gebruiken. + + + Invalid password length %1 + Ongeldige wachtwoordlengte %1 + + + Display command help. + Toon helptekst voor opdracht. + + + Available commands: + Beschikbare opdrachten: + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + Database is geïmporteerd. + + + Unknown command %1 + Onbekende opdracht %1 + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + YubiKey positie voor de tweede database. + + + Successfully merged %1 into %2. + %1 en %2 zijn samengevoegd. + + + Database was not modified by merge operation. + Database werd niet gewijzigd door het samenvoegen. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + Open een gegevensbestand. + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + Groep %1 is hergebruikt. + + + Successfully deleted group %1. + Groep %1 is verwijderd. + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + Geef het wachtwoord om %1 te ontgrendelen: + + + Invalid YubiKey slot %1 + Ongeldige YubiKey positie %1 + + + Please touch the button on your YubiKey to unlock %1 + Druk op de knop van je YubiKey om %1 te ontgrendelen + + + Enter password to encrypt database (optional): + Voer een wachtwoord in om de database te versleutelen (optioneel): + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + Gebruikersnaam + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] challenge/response - Positie %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + Wachtwoord voor '%1' is %2 keer gelekt!Wachtwoord voor '%1' is %2 keer gelekt! + + + Invalid password generator after applying all options + Ongeldige wachtwoordgenerator na het toepassen van alle opties + QtIOCompressor @@ -4908,7 +6326,7 @@ Beschikbare opdrachten: No agent running, cannot remove identity. - Geen agent wordt uitgevoerd, niet het verwijderen van identiteit. + Geen agent wordt uitgevoerd, kan deze identiteit niet verwijderen. Agent refused this identity. Possible reasons include: @@ -4920,11 +6338,11 @@ Beschikbare opdrachten: Restricted lifetime is not supported by the agent (check options). - Beperkte levensduur wordt niet ondersteund door de agent (selectievakje opties). + Beperkte levensduur wordt niet ondersteund door de agent (controleer de instellingen). A confirmation request is not supported by the agent (check options). - Een aanvraag voor transactiebevestiging wordt niet ondersteund door de agent (selectievakje opties). + Een aanvraag voor transactiebevestiging wordt niet ondersteund door de agent (controleer de instellingen). @@ -4943,7 +6361,7 @@ Beschikbare opdrachten: Modifiers - Modifiers + wijzigers exclude term from results @@ -5003,13 +6421,100 @@ Beschikbare opdrachten: Search (%1)... Search placeholder text, %1 is the keyboard shortcut - Zoeken (%1)... + Zoek (%1)... Case sensitive Hoofdlettergevoelig + + SettingsWidgetFdoSecrets + + Options + Opties + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Algemeen + + + Show notification when credentials are requested + Toon een melding wanneer inloggegevens worden gevraagd + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head></head><body><p>Als de prullenbak is ingeschakeld voor de database, worden items rechtstreeks naar de prullenbak verplaatst. Anders, zullen ze zonder bevestiging worden verwijderd.</p><p>Je wordt nog steeds gevraagd voor het verwijderen van items waarnaar wordt verwezen door andere items.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Vraag niet om bevestiging wanneer items worden verwijderd door clients. + + + Exposed database groups: + + + + File Name + Bestandsnaam + + + Group + Groep + + + Manage + Beheren + + + Authorization + Autorisatie + + + These applications are currently connected: + Deze programma's zijn momenteel verbonden: + + + Application + Programma + + + Disconnect + Verbreken + + + Database settings + Database-instellingen + + + Edit database settings + + + + Unlock database + Database ontgrendelen + + + Unlock database to show more information + Ontgrendel de database voor meer informatie + + + Lock database + Database vergrendelen + + + Unlock to show + Ontgrendel voor deze informatie + + + None + Geen + + SettingsWidgetKeeShare @@ -5133,9 +6638,100 @@ Beschikbare opdrachten: Signer: Ondertekenaar: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Sleutel + + + Signer name field + Ondertekenaar naam veld + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Het overschrijven van een ondertekende deel-container wordt niet ondersteund - export is niet uitgevoerd + + + Could not write export container (%1) + Kan geen export-container schrijven (%1) + + + Could not embed signature: Could not open file to write (%1) + Kon handtekening niet insluiten: kan bestand niet openen om te schrijven (%1) + + + Could not embed signature: Could not write file (%1) + Kon handtekening niet insluiten: kan niet schrijven naar bestand (%1) + + + Could not embed database: Could not open file to write (%1) + Kan database niet insluiten: kan bestand niet openen om te schrijven (%1) + + + Could not embed database: Could not write file (%1) + Kan database niet insluiten: kan niet schrijven naar bestand (%1) + + + Overwriting unsigned share container is not supported - export prevented + Overschrijven van een niet-ondertekende deel-container wordt niet ondersteund - export is niet uitgevoerd + + + Could not write export container + Kan niet schrijven naar export-container + + + Unexpected export error occurred + Onverwachte fout bij het exporteren + + + + ShareImport Import from container without signature Importeren vanuit de container zonder handtekening @@ -5148,6 +6744,10 @@ Beschikbare opdrachten: Import from container with certificate Importeren uit de container met certificaat + + Do you want to trust %1 with the fingerprint of %2 from %3? + Wil je %1 met vingerafdruk %2 vanaf %3 vertrouwen? {1 ?} {2 ?} + Not this time Deze keer niet @@ -5164,21 +6764,9 @@ Beschikbare opdrachten: Just this time Alleen deze keer - - Import from %1 failed (%2) - Importeren van %1 is mislukt (%2) - - - Import from %1 successful (%2) - Importeren van %1 is gelukt (%2) - - - Imported from %1 - Geïmporteerd van %1 - Signed share container are not supported - import prevented - Ondertekende deel-containers worden niet ondersteund - import is voorkomen + Ondertekende deel-containers worden niet ondersteund - import is niet uitgevoerd File is not readable @@ -5190,7 +6778,7 @@ Beschikbare opdrachten: Untrusted import prevented - Niet vertrouwde import voorkomen + Onbetrouwbare import is niet uitgevoerd Successful signed import @@ -5202,7 +6790,7 @@ Beschikbare opdrachten: Unsigned share container are not supported - import prevented - Niet ondertekende deel-container worden niet ondersteund - import is voorkomen + Niet ondertekende deel-container worden niet ondersteund - import is niet uitgevoerd Successful unsigned import @@ -5216,25 +6804,20 @@ Beschikbare opdrachten: Unknown share container type Type van deel-container is onbekend + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Het overschrijven van een ondertekende deel-container wordt niet ondersteund - export is voorkomen + Import from %1 failed (%2) + Importeren van %1 is mislukt (%2) - Could not write export container (%1) - Kan geen export container schrijven (%1) + Import from %1 successful (%2) + Importeren van %1 is gelukt (%2) - Overwriting unsigned share container is not supported - export prevented - Overschrijven van een niet-ondertekende deel-container wordt niet ondersteund - export is voorkomen - - - Could not write export container - Kan niet schrijven naar export container - - - Unexpected export error occurred - Onverwachte fout bij het exporteren + Imported from %1 + Geïmporteerd van %1 Export to %1 failed (%2) @@ -5248,10 +6831,6 @@ Beschikbare opdrachten: Export to %1 Exporteer naar %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Wil je %1 met de vingerafdruk van %2 vanaf %3 vertrouwen? {1 ?} {2 ?}  - Multiple import source path to %1 in %2 Meerdere import bronpaden naar %1 in %2 @@ -5260,22 +6839,6 @@ Beschikbare opdrachten: Conflicting export target path %1 in %2 Conflicterende exporteerdoelpad %1 in %2 - - Could not embed signature: Could not open file to write (%1) - Kon handtekening niet insluiten: Kan bestand niet openen om naar te schrijven (%1) - - - Could not embed signature: Could not write file (%1) - Kon handtekening niet insluiten: Kan niet schrijven naar bestand (%1) - - - Could not embed database: Could not open file to write (%1) - Kon database niet insluiten: Kan bestand niet openen om naar te schrijven (%1) - - - Could not embed database: Could not write file (%1) - Kon database niet insluiten: Kan niet schrijven naar bestand (%1) - TotpDialog @@ -5293,7 +6856,7 @@ Beschikbare opdrachten: Expires in <b>%n</b> second(s) - Verloopt in <b>%n</b> seconde(n)Verloopt in <b>%n</b> seconde(n) + Verloopt over <b>%n</b> seconde(n)Verloopt over <b>%n</b> seconde(n) @@ -5305,26 +6868,22 @@ Beschikbare opdrachten: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - Let op: deze TOTP-instellingen zijn applicatie specifiek en werken mogelijk niet met andere authenticators. + Merk op: deze TOTP-instellingen zijn op maat en werken mogelijk niet met andere authenticators. There was an error creating the QR code. - Er was een fout bij het maken van de QR-code. + Er ging iets fout bij het creëren van de QR-code. Closing in %1 seconds. - Sluiten in %1 seconden. + Sluit over %1 seconden. TotpSetupDialog Setup TOTP - TOTP-instellen - - - Key: - Sleutel: + TOTP instellen Default RFC 6238 token settings @@ -5356,27 +6915,57 @@ Beschikbare opdrachten: Grootte van de code: - 6 digits - 6 cijfers + Secret Key: + - 7 digits - 7 cijfers + Secret key must be in Base32 format + - 8 digits - 8 cijfers + Secret key field + Geheime sleutel veld + + + Algorithm: + Algoritme: + + + Time step field + Tijd-stap veld + + + digits + cijfers + + + Invalid TOTP Secret + Ongeldig TOTP-geheim + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Je hebt een ongeldige geheime sleutel ingevoerd. De sleutel moet in Base32-indeling zijn. +Voorbeeld: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Bevestig het verwijderen van de TOTP instellingen + + + Are you sure you want to delete TOTP settings for this entry? + Weet je zeker dat je de TOTP-instellingen voor dit item wilt verwijderen? UpdateCheckDialog Checking for updates - Controleren op updates + Updates worden gezocht Checking for updates... - Controleren op updates... + Updates worden gezocht... Close @@ -5388,7 +6977,7 @@ Beschikbare opdrachten: An error occurred in retrieving update information. - Er is iets fout gegaan bij het ophalen van update informatie. + Er is iets fout gegaan bij het zoeken naar updates. Please try again later. @@ -5396,7 +6985,7 @@ Beschikbare opdrachten: Software Update - Software-update + Software update A new version of KeePassXC is available! @@ -5449,6 +7038,14 @@ Beschikbare opdrachten: Welcome to KeePassXC %1 Welkom bij KeePassXC %1 + + Import from 1Password + Van 1Password importeren + + + Open a recent database + Een recente database openen + YubiKeyEditWidget @@ -5462,15 +7059,23 @@ Beschikbare opdrachten: <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - <p>Als je zelf een <a href="https://www.yubico.com/"> YubiKey</a> hebt, kun je deze gebruiken voor extra beveiliging.</p> <p>De YubiKey vereist dat een van zijn "slots" wordt geprogrammeerd als <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/"> HMAC-SHA1 Challenge-Response</a>.</p> + <p>Als je zelf een <a href="https://www.yubico.com/"> YubiKey</a> hebt, kun je deze gebruiken voor extra beveiliging.</p> <p>De YubiKey vereist dat een van zijn posities "slots" wordt geprogrammeerd als <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/"> HMAC-SHA1 Challenge-Response</a>.</p> No YubiKey detected, please ensure it's plugged in. - Geen YubiKey gedetecteerd, plug deze a.u.b. in. + Geen YubiKey gedetecteerd, plug deze alsjeblieft in. No YubiKey inserted. Geen YubiKey ingeplugd. + + Refresh hardware tokens + Hardwaretoken verversen + + + Hardware key slot selection + Hardwaresleutel positie selectie + \ No newline at end of file diff --git a/share/translations/keepassx_pl.ts b/share/translations/keepassx_pl.ts index 9bcb1f41a..977c075ca 100644 --- a/share/translations/keepassx_pl.ts +++ b/share/translations/keepassx_pl.ts @@ -95,6 +95,14 @@ Follow style Utrzymaj styl + + Reset Settings? + Zresetować ustawienia? + + + Are you sure you want to reset all general and security settings to default? + Czy na pewno chcesz zresetować wszystkie ustawienia ogólne i zabezpieczeń do domyślnych? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Uruchom tylko jedną instancję KeePassXC - - Remember last databases - Pamiętaj ostatnią bazę danych - - - Remember last key files and security dongles - Zapamiętaj ostatnie pliki klucze i klucze sprzętowe - - - Load previous databases on startup - Załaduj poprzednie bazy danych podczas uruchomienia - Minimize window at application startup Minimalizuj okno podczas uruchomienia aplikacji @@ -162,10 +158,6 @@ Use group icon on entry creation Użyj ikony grupy podczas tworzenia wpisu - - Minimize when copying to clipboard - Zminimalizuj po skopiowaniu do schowka - Hide the entry preview panel Ukryj panel podglądu wpisu @@ -180,7 +172,7 @@ Minimize instead of app exit - Zminimalizuj zamiast wyjść z aplikacji + Minimalizuj zamiast wyjść z aplikacji Show a system tray icon @@ -194,10 +186,6 @@ Hide window to system tray when minimized Schowaj okno do zasobnika podczas minimalizacji - - Language - Język - Auto-Type Autowpisywanie @@ -231,21 +219,102 @@ Auto-Type start delay Opóźnienie rozpoczęcia autowpisywania - - Check for updates at application startup - Sprawdź aktualizacje podczas uruchomienia aplikacji - - - Include pre-releases when checking for updates - Uwzględnij wstępne wydania podczas sprawdzania aktualizacji - Movable toolbar Ruchomy pasek narzędzi - Button style - Styl przycisku + Remember previously used databases + Pamiętaj wcześniej używane bazy danych + + + Load previously open databases on startup + Załaduj wcześniej otwarte bazy danych podczas uruchamiania + + + Remember database key files and security dongles + Pamiętaj pliki kluczy bazy danych i klucze sprzętowe + + + Check for updates at application startup once per week + Sprawdzaj aktualizacje przy uruchamianiu aplikacji raz w tygodniu + + + Include beta releases when checking for updates + Uwzględnij wersje beta podczas sprawdzania aktualizacji + + + Button style: + Styl przycisku: + + + Language: + Język: + + + (restart program to activate) + (uruchom ponownie program, aby aktywować) + + + Minimize window after unlocking database + Minimalizuj okno po odblokowaniu bazy danych + + + Minimize when opening a URL + Minimalizuj podczas otwierania adresu URL + + + Hide window when copying to clipboard + Ukryj okno podczas kopiowania do schowka + + + Minimize + Minimalizuj + + + Drop to background + Upuść w tle + + + Favicon download timeout: + Limit czasu pobierania ikony ulubionych: + + + Website icon download timeout in seconds + Limit czasu pobierania ikony witryny w sekundach + + + sec + Seconds + s + + + Toolbar button style + Styl przycisku paska narzędzi + + + Use monospaced font for Notes + Użyj czcionek o stałej szerokości w notatkach + + + Language selection + Wybór języka + + + Reset Settings to Default + Zresetuj ustawienia do domyślnych + + + Global auto-type shortcut + Globalny skrót autowpisywania + + + Auto-type character typing delay milliseconds + Opóźnienie wpisywania znaków przez autowpisywanie w milisekundach + + + Auto-type start delay milliseconds + Opóźnienie rozpoczęcia autowpisywania w milisekundach @@ -320,8 +389,29 @@ Prywatność - Use DuckDuckGo as fallback for downloading website icons - Użyj DuckDuckGo jako zastępstwo dla pobierania ikon witryn + Use DuckDuckGo service to download website icons + Użyj usługi DuckDuckGo do pobierania ikon witryn + + + Clipboard clear seconds + Wyczyszczenie schowka w sekundach + + + Touch ID inactivity reset + Reset nieaktywności Touch ID + + + Database lock timeout seconds + Limit czasu blokady bazy danych w sekundach + + + min + Minutes + min + + + Clear search query after + Wyczyść wyszukaną frazę po @@ -389,6 +479,17 @@ Sekwencja + + AutoTypeMatchView + + Copy &username + Skopi&uj nazwę użytkownika + + + Copy &password + Skopiuj &hasło + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Wybierz wpis do autowpisywania: + + Search... + Szukaj... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 zażądał dostępu do haseł dla następujących element(ów). Wybierz, czy chcesz zezwolić na dostęp. + + Allow access + Zezwól na dostęp + + + Deny access + Odmów dostępu + BrowserEntrySaveDialog @@ -450,16 +563,12 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających.BrowserOptionDialog Dialog - Dialog + Okno dialogowe This is required for accessing your databases with KeePassXC-Browser Wymagane jest to aby uzyskać dostęp do baz danych za pomocą KeePassXC-Browser - - Enable KeepassXC browser integration - Włącz integrację KeePassXC z przeglądarką - General Ogólne @@ -487,7 +596,7 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających. Show a &notification when credentials are requested Credentials mean login data requested via browser extension - P&okaż powiadomienie, gdy wymagane są poświadczenia + P&okaż powiadomienie, gdy wymagane są dane uwierzytelniające Re&quest to unlock the database if it is locked @@ -507,17 +616,17 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających. &Return only best-matching credentials - Z&wróć tylko najlepiej pasujące poświadczenia + Z&wróć tylko najlepiej pasujące dane uwierzytelniające Sort &matching credentials by title Credentials mean login data requested via browser extension - Sortuj dopasowane poświadczenia według &tytułu + Sortuj dopasowane dane uwierzytelniające według &tytułu Sort matching credentials by &username Credentials mean login data requested via browser extension - Sortuj dopasowane poświadczenia według &użytkownika + Sortuj dopasowane dane uwierzytelniające według nazwy &użytkownika Advanced @@ -526,21 +635,17 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Nigdy nie &pytaj przed uzyskaniem dostępu do poświadczeń + Nigdy nie &pytaj przed uzyskaniem dostępu do danych uwierzytelniających Never ask before &updating credentials Credentials mean login data requested via browser extension - Nigdy nie &pytaj przed aktualizacją poświadczeń - - - Only the selected database has to be connected with a client. - Tylko wybrana baza danych musi być podłączona do klienta. + Nigdy nie &pytaj przed aktualizacją danych uwierzytelniających Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - Szuk&aj we wszystkich otwartych bazach danych dopasowanych poświadczeń + Szuk&aj we wszystkich otwartych bazach danych dopasowanych danych uwierzytelniających Automatically creating or updating string fields is not supported. @@ -592,10 +697,6 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających.&Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Ostrzeżenie</b>, aplikacja keepassxc-proxy nie została znaleziona!<br />Proszę sprawdzić katalog instalacyjny KeePassXC albo potwierdzić niestandardową ścieżkę w opcjach zaawansowanych.<br />Integracja z przeglądarką NIE BĘDZIE DZIAŁAĆ bez aplikacji proxy.<br />Oczekiwana ścieżka: - Executable Files Pliki wykonywalne @@ -607,7 +708,7 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - Nie pytaj o uprawnienie dla HTTP &Basic Auth + Nie pytaj o uprawnienie dla podstawowego &uwierzytelniania HTTP Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 @@ -621,6 +722,50 @@ Wybierz właściwą bazę danych do zapisania danych uwierzytelniających.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser jest potrzebny do integracji przeglądarki. <br />Pobierz go dla %1 i %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Zwraca wygasłe dane uwierzytelniające. Ciąg [wygasłe] jest dodawany do tytułu. + + + &Allow returning expired credentials. + &Zezwalaj na zwrot wygasłych danych uwierzytelniających. + + + Enable browser integration + Włącz integrację z przeglądarką + + + Browsers installed as snaps are currently not supported. + Przeglądarki zainstalowane jako snapy są obecnie nieobsługiwane. + + + All databases connected to the extension will return matching credentials. + Wszystkie bazy danych podłączone do rozszerzenia zwrócą pasujące dane uwierzytelniające. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Nie wyświetlaj wyskakującego okienka sugerującego migrację przestarzałych ustawień KeePassHTTP. + + + &Do not prompt for KeePassHTTP settings migration. + &Nie pytaj o migrację ustawień KeePassHTTP. + + + Custom proxy location field + Niestandardowe pole lokalizacji proxy + + + Browser for custom proxy file + Przeglądarka niestandardowego pliku proxy + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Ostrzeżenie</b>, aplikacja keepassxc-proxy nie została znaleziona!<br />Proszę sprawdzić katalog instalacyjny KeePassXC albo potwierdzić niestandardową ścieżkę w opcjach zaawansowanych.<br />Integracja z przeglądarką NIE BĘDZIE DZIAŁAĆ bez aplikacji proxy.<br />Oczekiwana ścieżka: %1 + BrowserService @@ -696,7 +841,7 @@ Przeniesiono %2 klucze do niestandardowych danych. KeePassXC: Create a new group - KeePassXC: Utwórz nową grupę + KeePassXC: Stwórz nową grupę A request for creating a new group "%1" has been received. @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Jest to konieczne, aby utrzymać bieżące połączenia przeglądarki. Czy chcesz teraz migrować istniejące ustawienia? + + Don't show this warning again + Nie wyświetlaj ponownie tego ostrzeżenia + CloneDialog @@ -723,7 +872,7 @@ Czy chcesz teraz migrować istniejące ustawienia? Append ' - Clone' to title - Dodaj ' - Klon' do nazwy + Dodaj ' - klon' do nazwy Replace username and password with references @@ -772,10 +921,6 @@ Czy chcesz teraz migrować istniejące ustawienia? First record has field names Pierwszy rekord zawiera nazwy pól - - Number of headers line to discard - Liczba linii nagłówków do odrzucenia - Consider '\' an escape character Traktuj '\' jako znak ucieczki @@ -818,7 +963,7 @@ Czy chcesz teraz migrować istniejące ustawienia? [%n more message(s) skipped] - [%n więcej komunikat pominięto] [%n więcej komunikatów pominięto] [%n więcej komunikatów pominięto] [%n więcej komunikatów pominięto] + [%n więcej komunikat pominięto] [%n więcej komunikaty pominięto] [%n więcej komunikatów pominięto] [%n więcej komunikatów pominięto] CSV import: writer has errors: @@ -826,6 +971,22 @@ Czy chcesz teraz migrować istniejące ustawienia? Import CSV: zapisywanie z błędami: %1 + + Text qualification + Kwalifikacja tekstu + + + Field separation + Separacja pola + + + Number of header lines to discard + Liczba linii nagłówka do odrzucenia + + + CSV import preview + Podgląd importu CSV + CsvParserModel @@ -866,10 +1027,6 @@ Czy chcesz teraz migrować istniejące ustawienia? Error while reading the database: %1 Błąd podczas odczytu bazy danych: %1 - - Could not save, database has no file name. - Nie można zapisać, baza danych nie ma nazwy pliku. - File cannot be written as it is opened in read-only mode. Plik nie może zostać zapisany, ponieważ jest otwarty w trybie tylko do odczytu. @@ -878,6 +1035,28 @@ Czy chcesz teraz migrować istniejące ustawienia? Key not transformed. This is a bug, please report it to the developers! Klucz nie został przekształcony. To jest błąd, zgłoś go deweloperom! + + %1 +Backup database located at %2 + %1 +Zapasowa baza danych znajduje się w %2 + + + Could not save, database does not point to a valid file. + Nie można zapisać, baza danych nie wskazuje poprawnego pliku. + + + Could not save, database file is read-only. + Nie można zapisać, plik bazy danych jest tylko do odczytu. + + + Database file has unmerged changes. + Plik bazy danych zawiera niescalone zmiany. + + + Recycle Bin + Kosz + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Czy chcesz teraz migrować istniejące ustawienia? DatabaseOpenWidget - - Enter master key - Wprowadź klucz główny - Key File: Plik klucza: - - Password: - Hasło: - - - Browse - Przeglądaj - Refresh Odśwież - - Challenge Response: - Wyzwanie-odpowiedź: - Legacy key file format Przestarzały format pliku klucza @@ -943,20 +1106,100 @@ Proszę rozważyć wygenerowanie nowego pliku klucza. Wybierz plik klucza - TouchID for quick unlock + Failed to open key file: %1 + Nie można otworzyć pliku klucza: %1 + + + Select slot... + Wybierz slot... + + + Unlock KeePassXC Database + Odblokuj bazę danych KeePassXC + + + Enter Password: + Wprowadź hasło: + + + Password field + Pole hasła + + + Toggle password visibility + Przełącz widoczność hasła + + + Enter Additional Credentials: + Wprowadź dodatkowe dane uwierzytelniające: + + + Key file selection + Wybór pliku klucza + + + Hardware key slot selection + Wybór slotu klucza sprzętowego + + + Browse for key file + Przeglądaj plik klucza + + + Browse... + Przeglądaj... + + + Refresh hardware tokens + Odśwież tokeny sprzętowe + + + Hardware Key: + Klucz sprzętowy: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Możesz użyć sprzętowego klucza bezpieczeństwa, takiego jak <strong>YubiKey</strong> albo <strong>OnlyKey</strong> ze slotami skonfigurowanymi dla HMAC-SHA1.</p> + <p>Kliknij, aby uzyskać więcej informacji...</p> + + + Hardware key help + Pomoc klucza sprzętowego + + + TouchID for Quick Unlock TouchID do szybkiego odblokowania - Unable to open the database: -%1 - Nie można otworzyć bazy danych: -%1 + Clear + Wyczyść - Can't open key file: -%1 - Nie można otworzyć pliku klucza: -%1 + Clear Key File + Wyczyść plik klucza + + + Select file... + Wybierz plik... + + + Unlock failed and no password given + Odblokowanie nie powiodło się i nie podano hasła + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Odblokowanie bazy danych nie powiodło się i nie wprowadzono hasła. +Czy zamiast tego chcesz spróbować ponownie z "pustym" hasłem? + +Aby zapobiec pojawianiu się tego błędu, musisz przejść do "Ustawienia bazy danych / Bezpieczeństwo" i zresetować hasło. + + + Retry with empty password + Spróbuj ponownie z pustym hasłem @@ -1111,6 +1354,14 @@ This is necessary to maintain compatibility with the browser plugin. Czy na pewno chcesz przenieść wszystkie dane przestarzałej integracji z przeglądarką do najnowszego standardu? Jest to konieczne, aby zachować zgodność z wtyczką przeglądarki. + + Stored browser keys + Przechowywane klucze przeglądarki + + + Remove selected key + Usuń wybrany klucz + DatabaseSettingsWidgetEncryption @@ -1253,6 +1504,57 @@ Jeśli zachowasz tę liczbę, twoja baza danych może być zbyt łatwa do złama seconds %1 s%1 s%1 s%1 s + + Change existing decryption time + Zmień istniejący czas odszyfrowywania + + + Decryption time in seconds + Czas odszyfrowania w sekundach + + + Database format + Format bazy danych + + + Encryption algorithm + Algorytm szyfrowania + + + Key derivation function + Funkcja derywacji klucza + + + Transform rounds + Liczba rund szyfrowania + + + Memory usage + Zużycie pamięci + + + Parallelism + Paralelizm + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Odsłonięte wpisy + + + Don't e&xpose this database + Nie o&dsłaniaj tej bazy danych + + + Expose entries &under this group: + Odsłoń wpisy w &tej grupie: + + + Enable fd.o Secret Service to access these settings. + Włącz usługę sekretną fd.o , aby uzyskać dostęp do tych ustawień. + DatabaseSettingsWidgetGeneral @@ -1300,6 +1602,40 @@ Jeśli zachowasz tę liczbę, twoja baza danych może być zbyt łatwa do złama Enable &compression (recommended) Włącz &kompresję (zalecane) + + Database name field + Pole nazwy bazy danych + + + Database description field + Pole opisu bazy danych + + + Default username field + Pole domyślnej nazwy użytkownika + + + Maximum number of history items per entry + Maksymalna liczba pozycji historii na wpis + + + Maximum size of history per entry + Maksymalny rozmiar historii na wpis + + + Delete Recycle Bin + Usuń kosz + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Czy chcesz usunąć bieżący kosz i całą jego zawartość? +To działanie jest nieodwracalne. + + + (old) + (stare) + DatabaseSettingsWidgetKeeShare @@ -1367,6 +1703,10 @@ Czy na pewno chcesz kontynuować bez hasła? Failed to change master key Nie udało się zmienić klucza głównego + + Continue without password + Kontynuuj bez hasła + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1718,129 @@ Czy na pewno chcesz kontynuować bez hasła? Description: Opis: + + Database name field + Pole nazwy bazy danych + + + Database description field + Pole opisu bazy danych + + + + DatabaseSettingsWidgetStatistics + + Statistics + Statystyka + + + Hover over lines with error icons for further information. + Najedź kursorem na linie z ikonami błędów, aby uzyskać więcej informacji. + + + Name + Nazwa + + + Value + Wartość + + + Database name + Nazwa bazy danych + + + Description + Opis + + + Location + Lokalizacja + + + Last saved + Ostatnio zapisane + + + Unsaved changes + Niezapisane zmiany + + + yes + tak + + + no + nie + + + The database was modified, but the changes have not yet been saved to disk. + Baza danych została zmodyfikowana, ale zmiany nie zostały jeszcze zapisane na dysku. + + + Number of groups + Liczba grup + + + Number of entries + Liczba wpisów + + + Number of expired entries + Liczba wygasłych wpisów + + + The database contains entries that have expired. + Baza danych zawiera wpisy, które wygasły. + + + Unique passwords + Niepowtarzalne hasła + + + Non-unique passwords + Powtarzalne hasła + + + More than 10% of passwords are reused. Use unique passwords when possible. + Ponad 10% haseł jest ponownie wykorzystywanych. Jeśli to możliwe, używaj niepowtarzalnych haseł. + + + Maximum password reuse + Maksymalne ponowne użycie hasła + + + Some passwords are used more than three times. Use unique passwords when possible. + Niektóre hasła są używane więcej niż trzy razy. Jeśli to możliwe, używaj niepowtarzalnych haseł. + + + Number of short passwords + Liczba krótkich haseł + + + Recommended minimum password length is at least 8 characters. + Zalecana minimalna długość hasła to co najmniej 8 znaków. + + + Number of weak passwords + Liczba słabych haseł + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Zaleca się używanie długich, losowych haseł z oceną 'dobra' lub 'znakomita'. + + + Average password length + Średnia długość hasła + + + %1 characters + %1 znaków + + + Average password length is less than ten characters. Longer passwords provide more security. + Średnia długość hasła wynosi mniej niż dziesięć znaków. Dłuższe hasła zapewniają większe bezpieczeństwo. + DatabaseTabWidget @@ -1395,7 +1858,7 @@ Czy na pewno chcesz kontynuować bez hasła? CSV file - plik CSV + Plik CSV Merge database @@ -1427,10 +1890,6 @@ This is definitely a bug, please report it to the developers. Utworzona baza danych nie ma klucza ani KDF, odmawiam jej zapisania. Jest to z pewnością błąd, zgłoś go programistom. - - The database file does not exist or is not accessible. - Plik bazy danych nie istnieje lub nie jest dostępny. - Select CSV file Wybierz plik CSV @@ -1454,6 +1913,30 @@ Jest to z pewnością błąd, zgłoś go programistom. Database tab name modifier %1 [Tylko do odczytu] + + Failed to open %1. It either does not exist or is not accessible. + Nie udało się otworzyć %1. To nie istnieje lub jest niedostępne. + + + Export database to HTML file + Eksportuj bazę danych do pliku HTML + + + HTML file + Plik HTML + + + Writing the HTML file failed. + Nie udało się zapisać pliku HTML. + + + Export Confirmation + Potwierdzenie eksportu + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Za chwilę wyeksportujesz bazę danych do niezaszyfrowanego pliku. To narazi twoje hasła i wrażliwe informacje! Jesteś pewien, że chcesz kontynuować? + DatabaseWidget @@ -1543,10 +2026,6 @@ Czy chcesz scalić twoje zmiany? Move entry(s) to recycle bin? Przenieść wpis do kosza?Przenieść wpisy do kosza?Przenieść wpisy do kosza?Przenieść wpisy do kosza? - - File opened in read only mode. - Plik otwarty w trybie tylko do odczytu. - Lock Database? Zablokować bazę danych? @@ -1586,12 +2065,6 @@ Błąd: %1 Disable safe saves and try again? KeePassXC nie zdołał wielokrotnie zapisać bazy danych. Jest to prawdopodobnie spowodowane przez usługi synchronizacji plików, które blokują plik zapisu. Wyłączyć bezpieczne zapisywanie i spróbować ponownie? - - - Writing the database failed. -%1 - Błąd zapisu bazy danych. -%1 Passwords @@ -1637,6 +2110,14 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Shared group... Grupa współdzielona... + + Writing the database failed: %1 + Błąd zapisu bazy danych: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Ta baza danych jest otwarta w trybie tylko do odczytu. Automatyczne zapisywanie jest wyłączone. + EditEntryWidget @@ -1722,7 +2203,7 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? %n month(s) - %n miesiąc%n miesiące%n miesięcy%n miesięcy + %n miesiąc%n miesięce%n miesięcy%n miesięcy Apply generated password? @@ -1756,6 +2237,18 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Confirm Removal Potwierdź usunięcie + + Browser Integration + Integracja z przeglądarką + + + <empty URL> + <pusty adres URL> + + + Are you sure you want to remove this URL? + Czy na pewno chcesz usunąć ten adres URL? + EditEntryWidgetAdvanced @@ -1795,6 +2288,42 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Background Color: Kolor tła: + + Attribute selection + Wybór atrybutu + + + Attribute value + Wartość atrybutu + + + Add a new attribute + Dodaj nowy atrybut + + + Remove selected attribute + Usuń wybrany atrybut + + + Edit attribute name + Edytuj nazwę atrybutu + + + Toggle attribute protection + Przełącz ochronę atrybutu + + + Show a protected attribute + Pokaż chroniony atrybut + + + Foreground color selection + Wybór koloru pierwszego planu + + + Background color selection + Wybór koloru tła + EditEntryWidgetAutoType @@ -1828,7 +2357,78 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Use a specific sequence for this association: - Użyj określonej sekwencji dla tego powiązania: + Użyj określonej sekwencji dla tego skojarzenia: + + + Custom Auto-Type sequence + Niestandardowa sekwencja autowpisywania + + + Open Auto-Type help webpage + Otwórz stronę pomocy autowpisywania + + + Existing window associations + Istniejące skojarzenia okien + + + Add new window association + Dodaj nowe skojarzenie okna + + + Remove selected window association + Usuń wybrane skojarzenie okna + + + You can use an asterisk (*) to match everything + Możesz użyć gwiazdki (*), aby dopasować wszystko + + + Set the window association title + Ustaw tytuł skojarzonego okna + + + You can use an asterisk to match everything + Możesz użyć gwiazdki, aby dopasować wszystko + + + Custom Auto-Type sequence for this window + Niestandardowa sekwencja autowpisywania dla tego okna + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Te ustawienia wpływają na zachowanie wpisu z rozszerzeniem przeglądarki. + + + General + Ogólne + + + Skip Auto-Submit for this entry + Pomiń autoprzesyłanie dla tego wpisu + + + Hide this entry from the browser extension + Ukryj ten wpis przed rozszerzeniem przeglądarki + + + Additional URL's + Dodatkowe adresy URL + + + Add + Dodaj + + + Remove + Usuń + + + Edit + Edytuj @@ -1849,6 +2449,26 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Delete all Usuń wszystkie + + Entry history selection + Wybór historii wpisów + + + Show entry at selected history state + Pokaż wpis w wybranym stanie historii + + + Restore entry to selected history state + Przywróć wpis do wybranego stanu historii + + + Delete selected history state + Usuń wybrany stan historii + + + Delete all history + Usuń całą historię + EditEntryWidgetMain @@ -1888,6 +2508,62 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Expires Wygasa + + Url field + Pole URL + + + Download favicon for URL + Pobierz ikonę ulubionych dla adresu URL + + + Repeat password field + Pole powtórzenia hasła + + + Toggle password generator + Przełącz generator haseł + + + Password field + Pole hasła + + + Toggle password visibility + Przełącz widoczność hasła + + + Toggle notes visible + Przełącz widoczność notatek + + + Expiration field + Pole wygaśnięcia + + + Expiration Presets + Presety wygaśnięcia + + + Expiration presets + Presety wygaśnięcia + + + Notes field + Pole notatek + + + Title field + Pole tytułu + + + Username field + Pole nazwy użytkownika + + + Toggle expiration + Przełącz wygasanie + EditEntryWidgetSSHAgent @@ -1964,6 +2640,22 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Require user confirmation when this key is used Wymagaj potwierdzenia użytkownika, gdy ten klucz jest używany + + Remove key from agent after specified seconds + Usuń klucz z agenta po określonych sekundach + + + Browser for key file + Przeglądaj plik klucza + + + External key file + Zewnętrzny plik klucza + + + Select attachment file + Wybierz plik załącznika + EditGroupWidget @@ -1999,6 +2691,10 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Inherit from parent group (%1) Dziedzicz z nadrzędnej grupy (%1) + + Entry has unsaved changes + Wpis ma niezapisane zmiany + EditGroupWidgetKeeShare @@ -2026,34 +2722,6 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Inactive Nieaktywne - - Import from path - Importuj ze ścieżki - - - Export to path - Eksportuj do ścieżki - - - Synchronize with path - Synchronizuj ze ścieżką - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Twoja wersja KeePassXC nie obsługuje udostępniania tego typu kontenera. Proszę użyć %1. - - - Database sharing is disabled - Udostępnianie bazy danych jest wyłączone - - - Database export is disabled - Eksportowanie bazy danych jest wyłączone - - - Database import is disabled - Importowanie bazy danych jest wyłączone - KeeShare unsigned container Niepodpisany kontener KeeShare @@ -2079,16 +2747,75 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Wyczyść - The export container %1 is already referenced. - Odwołanie do kontenera eksportu %1 już istnieje. + Import + Importuj - The import container %1 is already imported. - Kontener importu %1 jest już zaimportowany. + Export + Eksportuj - The container %1 imported and export by different groups. - Kontener %1 importowany i eksportowany przez różne grupy. + Synchronize + Synchronizuj + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + Twoja wersja KeePassXC nie obsługuje udostępniania tego typu kontenera. +Obsługiwane rozszerzenia to: %1. + + + %1 is already being exported by this database. + %1 jest już eksportowany przez tę bazę danych. + + + %1 is already being imported by this database. + %1 jest już importowany przez tę bazę danych. + + + %1 is being imported and exported by different groups in this database. + %1 jest importowany i eksportowany przez różne grupy w tej bazie danych. + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare jest obecnie wyłączony. Możesz włączyć import/eksport w ustawieniach aplikacji. + + + Database export is currently disabled by application settings. + Eksport bazy danych jest obecnie wyłączony przez ustawienia aplikacji. + + + Database import is currently disabled by application settings. + Import danych jest obecnie wyłączony przez ustawienia aplikacji. + + + Sharing mode field + Pole trybu udostępniania + + + Path to share file field + Ścieżka do pola udostępniania pliku + + + Browser for share file + Przeglądaj plik udostępniania + + + Password field + Pole hasła + + + Toggle password visibility + Przełącz widoczność hasła + + + Toggle password generator + Przełącz generator haseł + + + Clear fields + Wyczyść pola @@ -2121,6 +2848,34 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Set default Auto-Type se&quence Ustaw domyślną se&kwencję autowpisywania + + Name field + Pole nazwy + + + Notes field + Pole notatek + + + Toggle expiration + Przełącz wygasanie + + + Auto-Type toggle for this and sub groups + Przełączenie autowpisywania dla tej i podgrup + + + Expiration field + Pole wygaśnięcia + + + Search toggle for this and sub groups + Przełączenie wyszukiwania dla tej i podgrup + + + Default auto-type sequence field + Pole domyślnej sekwencji autowpisywnaia + EditWidgetIcons @@ -2156,22 +2911,10 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? All files Wszystkie pliki - - Custom icon already exists - Ikona niestandardowa już istnieje - Confirm Delete Potwierdź usunięcie - - Custom icon successfully downloaded - Ikona niestandardowa została pomyślnie pobrana - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Podpowiedź: Możesz włączyć DuckDuckGo jako zastępstwo w menu Narzędzia>Ustawienia>Bezpieczeństwo - Select Image(s) Wybierz obraz(y) @@ -2186,7 +2929,7 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? %n icon(s) already exist in the database - %n ikona już istnieje w bazie danych%n ikony już istnieją w bazie danych%n ikon już istnieje w bazie danych%n ikon już istnieje w bazie danych + %n ikona już istnieje w bazie danych%n ikony już istnieje w bazie danych%n ikon już istnieje w bazie danych%n ikon już istnieje w bazie danych The following icon(s) failed: @@ -2196,6 +2939,42 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Ta ikona używana jest przez %n wpis i zostanie zamieniona na ikonę domyślną. Czy na pewno chcesz ją usunąć?Ta ikona używana jest przez %n wpisy i zostanie zamieniona na ikonę domyślną. Czy na pewno chcesz ją usunąć?Ta ikona używana jest przez %n wpisów i zostanie zamieniona na ikonę domyślną. Czy na pewno chcesz ją usunąć?Ta ikona używana jest przez %n wpisów i zostanie zamieniona na ikonę domyślną. Czy na pewno chcesz ją usunąć? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Możesz włączyć usługę ikon witryn DuckDuckGo w menu Narzędzia -> Ustawienia -> Bezpieczeństwo + + + Download favicon for URL + Pobierz ikonę ulubionych dla adresu URL + + + Apply selected icon to subgroups and entries + Zastosuj wybraną ikonę do podgrup i wpisów + + + Apply icon &to ... + Zastosuj ikonę &do ... + + + Apply to this only + Zastosuj tylko do tego + + + Also apply to child groups + Zastosuj również do grup podrzędnych + + + Also apply to child entries + Zastosuj również do wpisów podrzędnych + + + Also apply to all children + Zastosuj również do wszystkich podrzędnych + + + Existing icon selected. + Wybrano istniejącą ikonę. + EditWidgetProperties @@ -2241,6 +3020,30 @@ Może to spowodować nieprawidłowe działanie wtyczek. Value Wartość + + Datetime created + Utworzono datę i godzinę + + + Datetime modified + Zmodyfikowano datę i godzinę + + + Datetime accessed + Ostatnio używano datę i godzinę + + + Unique ID + Niepowtarzalny identyfikator + + + Plugin data + Dane wtyczki + + + Remove selected plugin data + Usuń wybrane dane wtyczki + Entry @@ -2333,12 +3136,32 @@ Może to spowodować nieprawidłowe działanie wtyczek. Unable to open file(s): %1 - Nie można otworzyć pliku: -%1Nie można otworzyć plików: + Nie można otworzyć plik: +%1Nie można otworzyć pliki: %1Nie można otworzyć plików: %1Nie można otworzyć plików: %1 + + Attachments + Załączniki + + + Add new attachment + Dodaj nowy załącznik + + + Remove selected attachment + Usuń wybrany załącznik + + + Open selected attachment + Otwórz wybrany załącznik + + + Save selected attachment to disk + Zapisz wybrany załącznik na dysk + EntryAttributesModel @@ -2432,10 +3255,6 @@ Może to spowodować nieprawidłowe działanie wtyczek. EntryPreviewWidget - - Generate TOTP Token - Wygeneruj token TOTP - Close Zamknij @@ -2521,6 +3340,14 @@ Może to spowodować nieprawidłowe działanie wtyczek. Share Udział + + Display current TOTP value + Wyświetl bieżącą wartość TOTP + + + Advanced + Zaawansowane + EntryView @@ -2554,15 +3381,37 @@ Może to spowodować nieprawidłowe działanie wtyczek. - Group + FdoSecrets::Item - Recycle Bin - Kosz + Entry "%1" from database "%2" was used by %3 + Wpis "%1" z bazy danych "%2" został użyty przez %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Rejestracja usługi DBus w %1 nie powiodła się: uruchomiona jest inna usługa sekretna. + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n wpis był używany przez %1%n wpisy były używane przez %1%n wpisów było używanych przez %1%n wpisów było używanych przez %1 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Usługa sekretna Fdo: %1 + + + + Group [empty] group has no children - [pusty] + [puste] @@ -2576,6 +3425,59 @@ Może to spowodować nieprawidłowe działanie wtyczek. Nie można zapisać pliku skryptu Native Messaging. + + IconDownloaderDialog + + Download Favicons + Pobierz ikony ulubionych + + + Cancel + Anuluj + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Masz problem z pobraniem ikon? +Możesz włączyć usługę ikon witryn DuckDuckGo w sekcji bezpieczeństwa ustawień aplikacji. + + + Close + Zamknij + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + Proszę czekać, przetwarzanie listy wpisów... + + + Downloading... + Pobieranie... + + + Ok + OK + + + Already Exists + Już istnieje + + + Download Failed + Pobieranie nie powiodło się + + + Downloading favicons (%1/%2)... + Pobieranie ikon ulubionych (%1/%2)... + + KMessageWidget @@ -2597,17 +3499,13 @@ Może to spowodować nieprawidłowe działanie wtyczek. Unable to issue challenge-response. Nie można wywołać wyzwania-odpowiedzi. - - Wrong key or database file is corrupt. - Błędny klucz lub baza danych jest uszkodzona. - missing database headers brakuje nagłówków bazy danych Header doesn't match hash - Nagłówek nie pasuje do hasza + Nagłówek nie pasuje do hashu Invalid header id size @@ -2621,6 +3519,12 @@ Może to spowodować nieprawidłowe działanie wtyczek. Invalid header data length Nieprawidłowa długość danych nagłowka + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Podano nieprawidłowe dane uwierzytelniające, spróbuj ponownie. +Jeśli wystąpi to ponownie, plik bazy danych może być uszkodzony. + Kdbx3Writer @@ -2651,10 +3555,6 @@ Może to spowodować nieprawidłowe działanie wtyczek. Header SHA256 mismatch Niepoprawny nagłówek SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Nieprawidłowy klucz lub uszkodzony plik bazy danych (niedopasowanie HMAC) - Unknown cipher Nieznany szyfr @@ -2698,7 +3598,7 @@ Może to spowodować nieprawidłowe działanie wtyczek. Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - Niewspierana wersja mapy odmian KeePass. + Nieobsługiwana wersja mapy odmian KeePass. Invalid variant map entry name length @@ -2755,6 +3655,16 @@ Może to spowodować nieprawidłowe działanie wtyczek. Translation: variant map = data structure for storing meta data Nieprawidłowy rozmiar typu pola mapy odmian + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Podano nieprawidłowe dane uwierzytelniające, spróbuj ponownie. +Jeśli wystąpi to ponownie, plik bazy danych może być uszkodzony. + + + (HMAC mismatch) + (Niezgodność HMAC) + Kdbx4Writer @@ -2835,7 +3745,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Invalid cipher uuid length: %1 (length=%2) - Nieprawidłowa długość szyfru uuid: %1 (długość=%2) + Nieprawidłowa długość szyfru UUID: %1 (długość=%2) Unable to parse UUID: %1 @@ -2858,7 +3768,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Missing icon uuid or data - Brakujące uuid ikony lub danych + Brakujący UUID ikony lub danych Missing custom data key or value @@ -2870,7 +3780,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Null group uuid - Zerowa grupa uuid + Zerowa grupa UUID Invalid group icon number @@ -2886,19 +3796,19 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz No group uuid found - Nie znaleziono grupy uuid + Nie znaleziono grupy UUID Null DeleteObject uuid - Zerowy uuid DeleteObject + Zerowy UUID DeleteObject Missing DeletedObject uuid or time - Brakujące uuid DeletedObject lub czasu + Brakujący UUID DeletedObject lub czasu Null entry uuid - Zerwoy wpis uuid + Zerowy wpis UUID Invalid entry icon number @@ -2910,11 +3820,11 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz No entry uuid found - Nie znaleziono wpisu uuid + Nie znaleziono wpisu UUID History element with different uuid - Element historii z innym uuid + Element historii z innym UUID Duplicate custom attribute found @@ -2934,7 +3844,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Auto-type association window or sequence missing - Brak przypisanego okna lub sekwencji autowpisywania + Brak skojarzonego okna lub sekwencji autowpisywania Invalid bool value @@ -2950,7 +3860,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Invalid color rgb part - Nieprawidłowa wartość części koloru rgb + Nieprawidłowa wartość części koloru RGB Invalid number value @@ -2958,7 +3868,7 @@ Jest to migracja w jedną stronę. Nie będzie można otworzyć importowanej baz Invalid uuid value - Nieprawidłowa wartość uuid + Nieprawidłowa wartość UUID Unable to decompress binary @@ -2976,14 +3886,14 @@ Wiersz %2, kolumna %3 KeePass1OpenWidget - - Import KeePass1 database - Importuj bazę danych KeePass1 - Unable to open the database. Nie można otworzyć bazy danych. + + Import KeePass1 Database + Importuj bazę danych KeePass1 + KeePass1Reader @@ -3040,10 +3950,6 @@ Wiersz %2, kolumna %3 Unable to calculate master key Nie mogę wyliczyć głównego klucza - - Wrong key or database file is corrupt. - Błędny klucz lub baza danych jest uszkodzona. - Key transformation failed Nie udało się transformować klucza @@ -3110,7 +4016,7 @@ Wiersz %2, kolumna %3 Invalid entry uuid field size - Nieprawidłowy rozmiar pola wpisu uuid + Nieprawidłowy rozmiar pola wpisu UUID Invalid entry group id field size @@ -3140,40 +4046,58 @@ Wiersz %2, kolumna %3 unable to seek to content position niezdolny do szukania pozycji treści + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + Podano nieprawidłowe dane uwierzytelniające, spróbuj ponownie. +Jeśli wystąpi to ponownie, plik bazy danych może być uszkodzony. + KeeShare - Disabled share - Wyłączony udział + Invalid sharing reference + Nieprawidłowe odwołanie do udostępniania - Import from - Importuj z + Inactive share %1 + Nieaktywny udział %1 - Export to - Eksportuj do + Imported from %1 + Importowane z %1 - Synchronize with - Synchronizuj z + Exported to %1 + Wyeksportowano do %1 - Disabled share %1 - Wyłączony udział %1 + Synchronized with %1 + Zsynchronizowano z %1 - Import from share %1 - Importuj z udziału %1 + Import is disabled in settings + Import jest wyłączony w ustawieniach - Export to share %1 - Eksportuj do udziału %1 + Export is disabled in settings + Eksport jest wyłączony w ustawieniach - Synchronize with share %1 - Synchronizuj z udziałem %1 + Inactive share + Nieaktywny udział + + + Imported from + Importowane z + + + Exported to + Eksportowane do + + + Synchronized with + Zsynchronizowane z @@ -3217,10 +4141,6 @@ Wiersz %2, kolumna %3 KeyFileEditWidget - - Browse - Przeglądaj - Generate Wygeneruj @@ -3277,6 +4197,44 @@ Komunikat: %2 Select a key file Wybierz plik klucza + + Key file selection + Wybór pliku klucza + + + Browse for key file + Przeglądaj plik klucza + + + Browse... + Przeglądaj... + + + Generate a new key file + Generuj nowy plik klucza + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + Uwaga: nie należy używać pliku, który może ulec zmianie, ponieważ uniemożliwi to odblokowanie bazy danych! + + + Invalid Key File + Nieprawidłowy plik klucza + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Nie można użyć bieżącej bazy danych jako własnego pliku klucza. Proszę wybrać inny plik lub wygenerować nowy plik klucza. + + + Suspicious Key File + Podejrzany plik klucza + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Wybrany plik klucza wygląda jak plik bazy danych haseł. Plik klucza musi być plikiem statycznym, który nigdy się nie zmienia albo utracisz dostęp do bazy danych na zawsze. +Czy na pewno chcesz kontynuować z tym plikiem? + MainWindow @@ -3364,10 +4322,6 @@ Komunikat: %2 &Settings &Ustawienia - - Password Generator - Generator hasła - &Lock databases &Zablokuj bazy danych @@ -3554,14 +4508,6 @@ Zalecamy korzystanie z AppImage dostępnego na naszej stronie pobierania.Show TOTP QR Code... Pokaż kod QR TOTP... - - Check for Updates... - Sprawdź aktualizacje... - - - Share entry - Udostępnij wpis - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3579,6 +4525,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. Zawsze możesz sprawdzić aktualizacje ręcznie w menu aplikacji. + + &Export + &Eksportuj + + + &Check for Updates... + Sprawdź &aktualizacje... + + + Downlo&ad all favicons + Pobierz wszystkie ikony &ulubionych + + + Sort &A-Z + Sortuj &A-Z + + + Sort &Z-A + Sortuj &Z-A + + + &Password Generator + &Generator hasła + + + Download favicon + Pobierz ikonę ulubionych + + + &Export to HTML file... + &Eksportuj do pliku HTML... + + + 1Password Vault... + Sejf 1Password... + + + Import a 1Password Vault + Importuj sejf 1Password + + + &Getting Started + &Pierwsze kroki + + + Open Getting Started Guide PDF + Otwórz przewodnik pierwszych kroków w formacie PDF + + + &Online Help... + Po&moc online... + + + Go to online documentation (opens browser) + Przejdź do dokumentacji online (otwiera przeglądarkę) + + + &User Guide + Podręcznik uż&ytkownika + + + Open User Guide PDF + Otwórz podręcznik użytkownika w formacie PDF + + + &Keyboard Shortcuts + &Skróty klawiaturowe + Merger @@ -3638,6 +4652,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 Dodawanie brakującej ikony %1 + + Removed custom data %1 [%2] + Usunięto niestandardowe dane %1 [%2] + + + Adding custom data %1 [%2] + Dodawanie niestandardowych danych %1 [%2] + NewDatabaseWizard @@ -3707,6 +4729,73 @@ Expect some bugs and minor issues, this version is not meant for production use. Uzupełnij wyświetlaną nazwę i opcjonalny opis nowej bazy danych: + + OpData01 + + Invalid OpData01, does not contain header + Nieprawidłowy OpData01, nie zawiera nagłówka + + + Unable to read all IV bytes, wanted 16 but got %1 + Nie można odczytać wszystkich bajtów IV, poszukiwano 16, ale otrzymano %1 + + + Unable to init cipher for opdata01: %1 + Nie można zainicjować szyfru dla opdata01: %1 + + + Unable to read all HMAC signature bytes + Nie można odczytać wszystkich bajtów podpisu HMAC + + + Malformed OpData01 due to a failed HMAC + Nieprawidłowo sformułowany OpData01 z powodu błędnego HMAC + + + Unable to process clearText in place + Nie można przetworzyć czystego tekstu w miejscu + + + Expected %1 bytes of clear-text, found %2 + Oczekiwano %1 bajtów czystego tekstu, znaleziono %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + Odczyt bazy danych nie wytworzył wystąpienia +%1 + + + + OpVaultReader + + Directory .opvault must exist + Katalog .opvault musi istnieć + + + Directory .opvault must be readable + Katalog .opvault musi być czytelny + + + Directory .opvault/default must exist + Katalog .opvault/default musi istnieć + + + Directory .opvault/default must be readable + Katalog .opvault/default musi być czytelny + + + Unable to decode masterKey: %1 + Nie można zdekodować klucza głównego: %1 + + + Unable to derive master key: %1 + Nie można wyprowadzić klucza głównego: %1 + + OpenSSHKey @@ -3806,6 +4895,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Nieznany typ klucza: %1 + + PasswordEdit + + Passwords do not match + Hasła nie są zgodne + + + Passwords match so far + Hasła są do tej pory zgodne + + PasswordEditWidget @@ -3832,6 +4932,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Wygeneruj hasło główne + + Password field + Pole hasła + + + Toggle password visibility + Przełącz widoczność hasła + + + Repeat password field + Pole powtórzenia hasła + + + Toggle password generator + Przełącz generator haseł + PasswordGeneratorWidget @@ -3860,22 +4976,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Typy znaków - - Upper Case Letters - Duże litery - - - Lower Case Letters - Małe litery - Numbers Liczby - - Special Characters - Znaki specjalne - Extended ASCII Rozszerzony ASCII @@ -3956,18 +5060,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Zaawansowane - - Upper Case Letters A to F - Duże litery A do F - A-Z A-Z - - Lower Case Letters A to F - Małe litery A do F - a-z a-z @@ -4000,18 +5096,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Matematyka - <*+!?= <*+!?= - - Dashes - Myślniki - \_|-/ \_|-/ @@ -4060,6 +5148,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Regeneruj + + Generated password + Wygenerowane hasło + + + Upper-case letters + Wielkie litery + + + Lower-case letters + Małe litery + + + Special characters + Znaki specjalne + + + Math Symbols + Symbole matematyczne + + + Dashes and Slashes + Kreski i ukośniki + + + Excluded characters + Wykluczone znaki + + + Hex Passwords + Hasła szesnastkowe + + + Password length + Długość hasła + + + Word Case: + Rozmiar słowa: + + + Regenerate password + Wygeneruj ponownie hasło + + + Copy password + Skopiuj hasło + + + Accept password + Zaakceptuj hasło + + + lower case + małe litery + + + UPPER CASE + WIELKIE LITERY + + + Title Case + Tytułowe Litery + + + Toggle password visibility + Przełącz widoczność hasła + QApplication @@ -4067,12 +5223,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Wybierz + Statistics + Statystyka @@ -4109,6 +5262,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Scal + + Continue + Kontynuuj + QObject @@ -4200,10 +5357,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Wygeneruj hasło dla wpisu. - - Length for the generated password. - Długość wygenerowanego hasła. - length długość @@ -4253,18 +5406,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Wykonaj zaawansowaną analizę hasła. - - Extract and print the content of a database. - Wyodrębnij i drukuj zawartość bazy danych. - - - Path of the database to extract. - Ścieżka bazy danych do wyodrębnienia. - - - Insert password to unlock %1: - Wprowadź hasło by odblokować %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4309,17 +5450,13 @@ Dostępne polecenia: Merge two databases. Scal dwie bazy danych. - - Path of the database to merge into. - Ścieżka bazy danych, do której scalić. - Path of the database to merge from. Ścieżka bazy danych, z której scalić. Use the same credentials for both database files. - Użyj tych samych poświadczeń dla obu plików bazy danych. + Użyj tych samych danych uwierzytelniających dla obu plików bazy danych. Key file of the database to merge from. @@ -4389,10 +5526,6 @@ Dostępne polecenia: Browser Integration Integracja z przeglądarką - - YubiKey[%1] Challenge Response - Slot %2 - %3 - Wyzwanie-odpowiedź YubiKey[%1] - slot %2 - %3 - Press Naciśnij @@ -4423,10 +5556,6 @@ Dostępne polecenia: Generate a new random password. Wygeneruj nowe hasło losowe. - - Invalid value for password length %1. - Niepoprawna wartość długości hasła %1. - Could not create entry with path %1. Nie można utworzyć wpisu ze ścieżką %1. @@ -4484,10 +5613,6 @@ Dostępne polecenia: CLI parameter liczba - - Invalid value for password length: %1 - Niepoprawna wartość długości hasła: %1 - Could not find entry with path %1. Nie można znaleźć wpisu ze ścieżką %1. @@ -4612,26 +5737,6 @@ Dostępne polecenia: Failed to load key file %1: %2 Nie udało się załadować pliku klucza %1: %2 - - File %1 does not exist. - Plik %1 nie istnieje. - - - Unable to open file %1. - Nie można otworzyć pliku %1. - - - Error while reading the database: -%1 - Błąd podczas odczytu bazy danych: -%1 - - - Error while parsing the database: -%1 - Błąd podczas parsowania bazy danych: -%1 - Length of the generated password Długość wygenerowanego hasła @@ -4644,10 +5749,6 @@ Dostępne polecenia: Use uppercase characters Użyj dużych liter - - Use numbers. - Użyj liczb. - Use special characters Użyj znaków specjalnych @@ -4696,7 +5797,7 @@ Dostępne polecenia: Successfully recycled entry %1. - Pomyślnie przeniesiono do kosza wpis %1. + Pomyślnie przetworzono wpis %1. Successfully deleted entry %1. @@ -4792,10 +5893,6 @@ Dostępne polecenia: Successfully created new database. Pomyślnie utworzono nową bazę danych. - - Insert password to encrypt database (Press enter to leave blank): - Wstaw hasło, aby zaszyfrować bazę danych (naciśnij Enter, aby pozostawić puste): - Creating KeyFile %1 failed: %2 Tworzenie pliku klucza %1 nie powiodło się: %2 @@ -4804,10 +5901,6 @@ Dostępne polecenia: Loading KeyFile %1 failed: %2 Ładowanie pliku klucza %1 nie powiodło się: %2 - - Remove an entry from the database. - Usuń wpis z bazy danych. - Path of the entry to remove. Ścieżka wpisu do usunięcia. @@ -4864,6 +5957,330 @@ Dostępne polecenia: Cannot create new group Nie można utworzyć nowej grupy + + Deactivate password key for the database. + Dezaktywuj klucz hasła dla bazy danych. + + + Displays debugging information. + Wyświetla informacje o debugowaniu. + + + Deactivate password key for the database to merge from. + Dezaktywuj klucz hasła dla bazy danych do scalenia. + + + Version %1 + Wersja %1 + + + Build Type: %1 + Typ kompilacji: %1 + + + Revision: %1 + Rewizja: %1 + + + Distribution: %1 + Dystrybucja: %1 + + + Debugging mode is disabled. + Tryb debugowania jest wyłączony. + + + Debugging mode is enabled. + Tryb debugowania jest włączony. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + System operacyjny: %1 +Architektura procesora: %2 +Jądro: %3 %4 + + + Auto-Type + Autowpisywanie + + + KeeShare (signed and unsigned sharing) + KeeShare (podpisane i niepodpisane udostępnianie) + + + KeeShare (only signed sharing) + KeeShare (tylko podpisane udostępnianie) + + + KeeShare (only unsigned sharing) + KeeShare (tylko niepodpisane udostępnianie) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Żaden + + + Enabled extensions: + Włączone rozszerzenia: + + + Cryptographic libraries: + Biblioteki kryptograficzne: + + + Cannot generate a password and prompt at the same time! + Nie można wygenerować hasła i monitu w tym samym czasie! + + + Adds a new group to a database. + Dodaje nową grupę do bazy danych. + + + Path of the group to add. + Ścieżka grupy do dodania. + + + Group %1 already exists! + Grupa %1 już istnieje! + + + Group %1 not found. + Grupy %1 nie została znaleziona. + + + Successfully added group %1. + Pomyślnie dodano grupę %1. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + Sprawdź, czy jakiekolwiek hasła nie zostały publicznie ujawnione. NAZWA PLIKU musi być ścieżką do pliku zawierającego hashe SHA-1 wyciekłych haseł w formacie HIBP dostępnych na https://haveibeenpwned.com/Passwords. + + + FILENAME + NAZWA PLIKU + + + Analyze passwords for weaknesses and problems. + Analizuj hasła pod kątem słabych punktów i problemów. + + + Failed to open HIBP file %1: %2 + Nie można otworzyć pliku HIBP %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + Oceniam wpisy w bazie danych w stosunku do pliku HIBP, to zajmie trochę czasu... + + + Close the currently opened database. + Zamknij aktualnie otwartą bazę danych. + + + Display this help. + Wyświetl tę pomoc. + + + Yubikey slot used to encrypt the database. + Slot YubiKey używany do szyfrowania bazy danych. + + + slot + slot + + + Invalid word count %1 + Nieprawidłowa liczba wyrazów %1 + + + The word list is too small (< 1000 items) + Lista wyrazów jest za mała (< 1000 elementów) + + + Exit interactive mode. + Wyjdź z trybu interaktywnego. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + Format używany podczas eksportowania. Dostępne opcje to XML lub CSV. Domyślnie XML. + + + Exports the content of a database to standard output in the specified format. + Eksportuje zawartość bazy danych do standardowego wyjścia w określonym formacie. + + + Unable to export database to XML: %1 + Nie można wyeksportować bazy danych do pliku XML: %1 + + + Unsupported format %1 + Nieobsługiwany format %1 + + + Use numbers + Użyj liczb + + + Invalid password length %1 + Nieprawidłowa długość hasła %1 + + + Display command help. + Wyświetl pomoc dotyczącą poleceń. + + + Available commands: + Dostępne polecenia: + + + Import the contents of an XML database. + Importuj zawartość bazy danych XML. + + + Path of the XML database export. + Ścieżka eksportu bazy danych XML. + + + Path of the new database. + Ścieżka nowej bazy danych. + + + Unable to import XML database export %1 + Nie można zaimportować eksportu bazy danych XML %1 + + + Successfully imported database. + Pomyślnie zaimportowano bazę danych. + + + Unknown command %1 + Nieznane polecenie %1 + + + Flattens the output to single lines. + Spłaszcza dane wyjściowe do pojedynczych linii. + + + Only print the changes detected by the merge operation. + Drukuj tylko zmiany wykryte przez operację scalania. + + + Yubikey slot for the second database. + Slot YubiKey dla drugiej bazy danych. + + + Successfully merged %1 into %2. + Pomyślnie scalono %1 z %2. + + + Database was not modified by merge operation. + Baza danych nie została zmodyfikowana operacją scalania. + + + Moves an entry to a new group. + Przenosi wpis do nowej grupy. + + + Path of the entry to move. + Ścieżka wpisu do przeniesienia. + + + Path of the destination group. + Ścieżka grupy docelowej. + + + Could not find group with path %1. + Nie można odnaleźć grupy ze ścieżką %1. + + + Entry is already in group %1. + Wpis jest już w grupie %1. + + + Successfully moved entry %1 to group %2. + Pomyślnie przeniesiono wpis %1 do grupy %2. + + + Open a database. + Otwórz bazę danych. + + + Path of the group to remove. + Ścieżka grupy do usunięcia. + + + Cannot remove root group from database. + Nie można usunąć grupy głównej z bazy danych. + + + Successfully recycled group %1. + Pomyślnie przetworzono grupę %1. + + + Successfully deleted group %1. + Pomyślnie usunięto grupę %1. + + + Failed to open database file %1: not found + Nie można otworzyć pliku bazy danych %1: nie znaleziono + + + Failed to open database file %1: not a plain file + Nie można otworzyć pliku bazy danych %1: nie jest to zwykły plik + + + Failed to open database file %1: not readable + Nie można otworzyć pliku bazy danych %1: nieczytelny + + + Enter password to unlock %1: + Wprowadź hasło odblokowujące %1: + + + Invalid YubiKey slot %1 + Nieprawidłowy slot YubiKey %1 + + + Please touch the button on your YubiKey to unlock %1 + Proszę dotknąć przycisku na YubiKey, aby odblokować %1 + + + Enter password to encrypt database (optional): + Wprowadź hasło do szyfrowania bazy danych (opcjonalnie): + + + HIBP file, line %1: parse error + Plik HIBP, wiersz %1: błąd analizy + + + Secret Service Integration + Integracja usługi sekretnej + + + User name + Nazwa użytkownika + + + %1[%2] Challenge Response - Slot %3 - %4 + %1 [%2] wyzwanie-odpowiedź - slot %3-%4 + + + Password for '%1' has been leaked %2 time(s)! + Hasło do '%1' wyciekło %2 raz!Hasło do '%1' wyciekło %2 razy!Hasło do '%1' wyciekło %2 razy!Hasło do '%1' wyciekło %2 razy! + + + Invalid password generator after applying all options + Nieprawidłowy generator haseł po zastosowaniu wszystkich opcji + QtIOCompressor @@ -5017,6 +6434,93 @@ Dostępne polecenia: Rozróżniaj wielkość znaków + + SettingsWidgetFdoSecrets + + Options + Opcje + + + Enable KeepassXC Freedesktop.org Secret Service integration + Włącz integrację KeepassXC z usługą sekretną Freedesktop.org + + + General + Ogólne + + + Show notification when credentials are requested + Pokaż powiadomienie, gdy wymagane są dane uwierzytelniające + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Jeżeli kosz jest włączony dla bazy danych, wpisy zostaną przeniesione do kosza bezpośrednio. W przeciwnym razie zostaną one usunięte bez potwierdzenia.</p><p>Nadal będzie wyświetlany monit, jeśli jakiekolwiek wpisy są przywoływane przez inne.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Nie potwierdzaj, kiedy wpisy są usuwane przez klienty. + + + Exposed database groups: + Odsłonięte grupy bazy danych: + + + File Name + Nazwa pliku + + + Group + Grupa + + + Manage + Zarządzaj + + + Authorization + Uwierzytelnienie + + + These applications are currently connected: + Aplikacje te są obecnie podłączone: + + + Application + Aplikacja + + + Disconnect + Odłącz + + + Database settings + Ustawienia bazy danych + + + Edit database settings + Edytuj ustawienia bazy danych + + + Unlock database + Odblokuj bazę danych + + + Unlock database to show more information + Odblokuj bazę danych, aby wyświetlić więcej informacji + + + Lock database + Zablokuj bazę danych + + + Unlock to show + Odblokuj, aby pokazać + + + None + Żaden + + SettingsWidgetKeeShare @@ -5140,9 +6644,100 @@ Dostępne polecenia: Signer: Podpisujący: + + Allow KeeShare imports + Zezwalaj na importowanie KeeShare + + + Allow KeeShare exports + Zezwalaj na eksportowanie KeeShare + + + Only show warnings and errors + Pokazuj tylko ostrzeżenia i błędy + + + Key + Klucz + + + Signer name field + Pole nazwy osoby podpisującej + + + Generate new certificate + Wygeneruj nowy certyfikat + + + Import existing certificate + Importuj istniejący certyfikat + + + Export own certificate + Eksportuj własny certyfikat + + + Known shares + Znane zasoby + + + Trust selected certificate + Zaufaj wybranym certyfikatom + + + Ask whether to trust the selected certificate every time + Pytaj za każdym razem, czy chcesz ufać wybranemu certyfikatowi + + + Untrust selected certificate + Przestań ufać wybranemu certyfikatowi + + + Remove selected certificate + Usuń wybrany certyfikat + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Zastąpienie podpisanego kontenera udostępniania nie jest obsługiwane - eksport został zablokowany + + + Could not write export container (%1) + Nie można zapisać kontenera eksportu (%1) + + + Could not embed signature: Could not open file to write (%1) + Nie można osadzić podpisu: Nie można otworzyć pliku do zapisu (%1) + + + Could not embed signature: Could not write file (%1) + Nie można osadzić podpisu: Nie można zapisać pliku (%1) + + + Could not embed database: Could not open file to write (%1) + Nie można osadzić bazy danych: Nie można otworzyć pliku do zapisu (%1) + + + Could not embed database: Could not write file (%1) + Nie można osadzić bazy danych: Nie można zapisać pliku (%1) + + + Overwriting unsigned share container is not supported - export prevented + Zastąpienie niepodpisanego kontenera udostępniania nie jest obsługiwane - eksport został zablokowany + + + Could not write export container + Nie można zapisać kontenera eksportu + + + Unexpected export error occurred + Wystąpił nieoczekiwany błąd eksportu + + + + ShareImport Import from container without signature Importuj z kontenera bez podpisu @@ -5155,6 +6750,10 @@ Dostępne polecenia: Import from container with certificate Importuj z kontenera z certyfikatem + + Do you want to trust %1 with the fingerprint of %2 from %3? + Czy chcesz zaufać %1 z odciskiem palca %2 z %3? {1 ?} {2 ?} + Not this time Nie tym razem @@ -5171,18 +6770,6 @@ Dostępne polecenia: Just this time Tylko tym razem - - Import from %1 failed (%2) - Import z %1 zakończył się niepomyślnie (%2) - - - Import from %1 successful (%2) - Import z %1 zakończył się pomyślnie (%2) - - - Imported from %1 - Importowane z %1 - Signed share container are not supported - import prevented Podpisany kontener udostępniania nie jest obsługiwany - import został zablokowany @@ -5223,25 +6810,20 @@ Dostępne polecenia: Unknown share container type Nieznany typ kontenera udostępniania + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Zastąpienie podpisanego kontenera udostępniania nie jest obsługiwane - eksport został zablokowany + Import from %1 failed (%2) + Import z %1 zakończył się niepomyślnie (%2) - Could not write export container (%1) - Nie można zapisać kontenera eksportu (%1) + Import from %1 successful (%2) + Import z %1 zakończył się pomyślnie (%2) - Overwriting unsigned share container is not supported - export prevented - Zastąpienie niepodpisanego kontenera udostępniania nie jest obsługiwane - eksport został zablokowany - - - Could not write export container - Nie można zapisać kontenera eksportu - - - Unexpected export error occurred - Wystąpił nieoczekiwany błąd eksportu + Imported from %1 + Importowane z %1 Export to %1 failed (%2) @@ -5255,10 +6837,6 @@ Dostępne polecenia: Export to %1 Eksportuj do %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Czy chcesz zaufać %1 z odciskiem palca %2 z %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Wiele ścieżek źródłowych importu do %1 w %2 @@ -5267,22 +6845,6 @@ Dostępne polecenia: Conflicting export target path %1 in %2 Sprzeczna ścieżka docelowa eksportu %1 w %2 - - Could not embed signature: Could not open file to write (%1) - Nie można osadzić podpisu: Nie można otworzyć pliku do zapisu (%1) - - - Could not embed signature: Could not write file (%1) - Nie można osadzić podpisu: Nie można zapisać pliku (%1) - - - Could not embed database: Could not open file to write (%1) - Nie można osadzić bazy danych: Nie można otworzyć pliku do zapisu (%1) - - - Could not embed database: Could not write file (%1) - Nie można osadzić bazy danych: nie można zapisać pliku (%1) - TotpDialog @@ -5329,10 +6891,6 @@ Dostępne polecenia: Setup TOTP Ustaw TOTP - - Key: - Klucz: - Default RFC 6238 token settings Domyślne ustawienia tokenu RFC 6238 @@ -5363,16 +6921,46 @@ Dostępne polecenia: Rozmiar kodu: - 6 digits - 6 cyfr + Secret Key: + Klucz sekretny: - 7 digits - 7 cyfr + Secret key must be in Base32 format + Klucz sekretny musi być w formacie Base32 - 8 digits - 8 cyfr + Secret key field + Pole klucza sekretnego + + + Algorithm: + Algorytm: + + + Time step field + Pole kroku czasu + + + digits + cyfry + + + Invalid TOTP Secret + Nieprawidłowy sekret TOTP + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Wprowadzono nieprawidłowy klucz sekretny. Klucz musi być w formacie Base32. +Przykład: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Potwierdź usunięcie ustawień TOTP + + + Are you sure you want to delete TOTP settings for this entry? + Czy na pewno chcesz usunąć ustawienia TOTP dla tego wpisu? @@ -5456,6 +7044,14 @@ Dostępne polecenia: Welcome to KeePassXC %1 Witaj w KeePassXC %1 + + Import from 1Password + Importuj z 1Password + + + Open a recent database + Otwórz ostatnią bazę danych + YubiKeyEditWidget @@ -5469,7 +7065,7 @@ Dostępne polecenia: <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - <p>Jeśli jesteś właścicielem <a href="https://www.yubico.com/">YubiKey</a>, możesz go użyć do zwiększenia bezpieczeństwa.</p><p>YubiKey wymaga zaprogramowania jednego z jego slotów jako<a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> + <p>Jeśli jesteś właścicielem <a href="https://www.yubico.com/">YubiKey</a>, możesz go użyć do zwiększenia bezpieczeństwa.</p><p>YubiKey wymaga zaprogramowania jednego z jego slotów jako <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> No YubiKey detected, please ensure it's plugged in. @@ -5479,5 +7075,13 @@ Dostępne polecenia: No YubiKey inserted. Nie włożono YubiKey. + + Refresh hardware tokens + Odśwież tokeny sprzętowe + + + Hardware key slot selection + Wybór slotu klucza sprzętowego + \ No newline at end of file diff --git a/share/translations/keepassx_pt.ts b/share/translations/keepassx_pt.ts index c2aad239c..2672bbd9b 100644 --- a/share/translations/keepassx_pt.ts +++ b/share/translations/keepassx_pt.ts @@ -95,6 +95,14 @@ Follow style Seguir estilo + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Abrir apenas uma instância do KeepassXC - - Remember last databases - Memorizar últimas bases de dados - - - Remember last key files and security dongles - Memorizar últimos ficheiros-chave e dispositivos de segurança - - - Load previous databases on startup - Ao iniciar, carregar a última base de dados utilizada - Minimize window at application startup Minimizar janela ao iniciar a aplicação @@ -162,10 +158,6 @@ Use group icon on entry creation Utilizar ícone do grupo ao criar a entrada - - Minimize when copying to clipboard - Minimizar ao copiar para a área de transferência - Hide the entry preview panel Ocultar painel de pré-visualização de entradas @@ -194,10 +186,6 @@ Hide window to system tray when minimized Ao minimizar, ocultar a janela na bandeja do sistema - - Language - Idioma - Auto-Type Escrita automática @@ -216,11 +204,11 @@ Global Auto-Type shortcut - Atalho global para escrita automática + Atalho global de escrita automática Auto-Type typing delay - Atraso para escrita automática + Atraso para a escrita automática ms @@ -231,21 +219,102 @@ Auto-Type start delay Atraso para iniciar a escrita automática - - Check for updates at application startup - Ao iniciar, verificar se existem atualizações - - - Include pre-releases when checking for updates - Incluir pré-lançamentos ao verificar se existem atualizações - Movable toolbar Barra de ferramentas amovível - Button style - Estilo do botão + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + seg + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -320,19 +389,40 @@ Privacidade - Use DuckDuckGo as fallback for downloading website icons - Utilizar DuckDuckGo como recurso para descarregar os ícones dos sites + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + AutoType Couldn't find an entry that matches the window title: - Não foi encontrada uma entrada coincidente com o título da janela: + Não foi possível encontrar uma entrada coincidente com o título da janela: Auto-Type - KeePassXC - KeePassXC - Escrita automática + Escrita automática - KeePassXC Auto-Type @@ -348,7 +438,7 @@ This Auto-Type command contains very slow key presses. Do you really want to proceed? - O comando de escrita automática tem uma pressão de teclas muito lenta. Deseja mesmo continuar? + O comando de escrita automática tem uma pressão de teclas muito lento. Deseja mesmo continuar? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? @@ -389,22 +479,37 @@ Sequência + + AutoTypeMatchView + + Copy &username + Copiar nome de &utilizador + + + Copy &password + Copiar &palavra-passe + + AutoTypeSelectDialog Auto-Type - KeePassXC - KeePassXC - Escrita automática + Escrita automática - KeePassXC Select entry to Auto-Type: Selecionar entrada para escrita automática: + + Search... + Pesquisa... + BrowserAccessControlDialog KeePassXC-Browser Confirm Access - KeePassXC-Browser - Confirmar acesso + KeePassXC Navegador - Confirmar acesso Remember this decision @@ -421,9 +526,17 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 solicitou o acesso a palavras-passe para o(s) seguinte(s) itens. + %1 solicitou o acesso a palavras-passe para o(s) seguinte(s) iten(s). Selecione se deseja permitir o acesso. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -454,11 +567,7 @@ Selecione a base de dados correta para guardar as credenciais. This is required for accessing your databases with KeePassXC-Browser - Necessário para aceder às suas bases de dados com KeePassXC-Browser - - - Enable KeepassXC browser integration - Ativar integração com o navegador + Isto é necessário para aceder às suas bases de dados com KeePassXC-Browser General @@ -512,7 +621,7 @@ Selecione a base de dados correta para guardar as credenciais. Sort &matching credentials by title Credentials mean login data requested via browser extension - Ordenar credenciais coi&ncidentes por título + Ordenar &entradas por título Sort matching credentials by &username @@ -533,10 +642,6 @@ Selecione a base de dados correta para guardar as credenciais. Credentials mean login data requested via browser extension Nun&ca perguntar antes de atualizar as credenciais - - Only the selected database has to be connected with a client. - Apenas a base de dados selecionada tem que estar conectada a um cliente. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -552,11 +657,11 @@ Selecione a base de dados correta para guardar as credenciais. Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - Ao iniciar, atualizar automaticamente o caminho do KeePassXC ou do binário keepassxc-proxy para os 'sripts' nativos de mensagens. + Atualiza automaticamente o caminho do KeePassXC ou do caminho do binário keepassxc-proxy para os 'sripts' nativos de mensagens ao iniciar. Update &native messaging manifest files at startup - Ao iniciar, atualizar ficheiros de mensagens &nativas + Atualizar ficheiros de mensagens &nativas ao iniciar Support a proxy application between KeePassXC and browser extension. @@ -578,11 +683,11 @@ Selecione a base de dados correta para guardar as credenciais. Browse... Button for opening file dialog - Explorar... + Procurar... <b>Warning:</b> The following options can be dangerous! - <b>Aviso</b>: as opções seguintes podem ser perigosas! + <b>AVISO</b>: as opções seguintes podem ser perigosas! Select custom proxy location @@ -592,10 +697,6 @@ Selecione a base de dados correta para guardar as credenciais. &Tor Browser Navegador &Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Atenção</b>, a aplicação keepassxc-proxy não foi encontrada!<br />Verifique o diretório de instalação do KeePassXC ou confirme o caminho nas definições avançadas.<br />A integração com o navegador não irá funcionar sem esta aplicação.<br />Caminho esperado: - Executable Files Ficheiros executáveis @@ -621,12 +722,56 @@ Selecione a base de dados correta para guardar as credenciais. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 Necessita do KeePassXC-Browser para que a integração funcione corretamente.<br />Pode descarregar para %1 e para %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService KeePassXC: New key association request - KeePassXC: Pedido de associação da nova chave + KeePassXC: Pedido de associação de nova chave You have received an association request for the above key. @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Este procedimento é necessário para manter as ligações existentes. Quer migrar as definições agora? + + Don't show this warning again + Não mostrar novamente + CloneDialog @@ -772,10 +921,6 @@ Quer migrar as definições agora? First record has field names Primeiro registo tem nome dos campos - - Number of headers line to discard - Número de linhas de cabeçalho a ignorar - Consider '\' an escape character Considerar '\' como carácter de escape @@ -786,7 +931,7 @@ Quer migrar as definições agora? Column layout - Disposição de colunas + Disposição das colunas Not present in CSV file @@ -826,12 +971,28 @@ Quer migrar as definições agora? Importação CSV com erros: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n coluna,%n coluna(s), + %n coluna%n colunas %1, %2, %3 @@ -866,10 +1027,6 @@ Quer migrar as definições agora? Error while reading the database: %1 Erro ao ler a base de dados: %1 - - Could not save, database has no file name. - Não é possível guardar porque a base de dados não tem nome. - File cannot be written as it is opened in read-only mode. Não é possível escrever no ficheiro porque este foi aberto no modo de leitura. @@ -878,6 +1035,27 @@ Quer migrar as definições agora? Key not transformed. This is a bug, please report it to the developers! Chave não transformada. Isto é um erro e deve ser reportado aos programadores! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Reciclagem + DatabaseOpenDialog @@ -888,33 +1066,17 @@ Quer migrar as definições agora? DatabaseOpenWidget - - Enter master key - Introduza a chave-mestre - Key File: Ficheiro-chave: - - Password: - Palavra-passe: - - - Browse - Explorar - Refresh Recarregar - - Challenge Response: - Pergunta de segurança: - Legacy key file format - Ficheiro-chave no formato legado + Formato legado de ficheiro-chave You are using a legacy key file format which may become @@ -924,7 +1086,7 @@ Please consider generating a new key file. Está a utilizar um formato legado que pode, no futuro, deixar de ser suportado. -Deve considerar a geração de um novo ficheiro-chave. +Deve considerar a geração de uma novo ficheiro-chave. Don't show this warning again @@ -943,20 +1105,96 @@ Deve considerar a geração de um novo ficheiro-chave. Selecione o ficheiro-chave - TouchID for quick unlock - TouchID para desbloqueio rápido + Failed to open key file: %1 + - Unable to open the database: -%1 - Não foi possível abrir a base de dados: -%1 + Select slot... + - Can't open key file: -%1 - Não foi possível abrir o ficheiro-chave: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Procurar... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Limpar + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -1065,7 +1303,7 @@ Esta ação pode interferir com a ligação ao suplemento. Successfully removed %n encryption key(s) from KeePassXC settings. - Removida com sucesso %n chave de cifra das definições do KeePassXC.Removidas com sucesso %n chaves de cifra das definições do KeePassXC. + %n chave de cifra removida das configurações do KeePassXC.%n chaves de cifra removidas das configurações do KeePassXC. Forget all site-specific settings on entries @@ -1111,6 +1349,14 @@ This is necessary to maintain compatibility with the browser plugin. Tem a certeza de que deseja atualizar todos os dados legados para a versão mais recente? Esta atualização é necessária para manter a compatibilidade com o suplemento. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1231,7 +1477,7 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm Failed to transform key with new KDF parameters; KDF unchanged. - Erro ao transformar a chave com os novos parâmetros KDF; KDF inalterado. + Falha ao transformar a chave com os novos parâmetros KDF; KDF inalterado. MiB @@ -1253,6 +1499,57 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm seconds %1 s%1 s + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1294,12 +1591,45 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm Additional Database Settings - Definições extra para a base de dados + Definições extra da base de dados Enable &compression (recommended) Ativar compr&essão (recomendado) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1367,6 +1697,10 @@ Tem a certeza de que deseja continuar? Failed to change master key Erro ao alterar a chave-mestre + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1712,129 @@ Tem a certeza de que deseja continuar? Description: Descrição: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Nome + + + Value + Valor + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1415,7 +1872,7 @@ Tem a certeza de que deseja continuar? Writing the CSV file failed. - Erro ao escrever no ficheiro CSV. + Falha ao escrever no ficheiro CSV. Database creation error @@ -1427,10 +1884,6 @@ This is definitely a bug, please report it to the developers. A base de dados criada não tem chave ou KDF e não pode ser guardada. Existe aqui um erro que deve ser reportado aos programadores. - - The database file does not exist or is not accessible. - O ficheiro da base de dados não existe ou não pode ser acedido. - Select CSV file Selecionar ficheiro CSV @@ -1454,12 +1907,36 @@ Existe aqui um erro que deve ser reportado aos programadores. Database tab name modifier %1 [Apenas leitura] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget Searching... - Pesquisar.. + Pesquisar... Do you really want to delete the entry "%1" for good? @@ -1467,11 +1944,11 @@ Existe aqui um erro que deve ser reportado aos programadores. Do you really want to move entry "%1" to the recycle bin? - Tem a certeza de que deseja mover a entrada "%1" para a reciclagem? + Deseja mesmo mover a entrada "%1" para a reciclagem? Do you really want to move %n entry(s) to the recycle bin? - Tem a certeza de que deseja mover %n entrada para a reciclagem?Tem a certeza de que deseja mover %n entradas para a reciclagem? + Quer mesmo mover %n entrada para a reciclagem?Quer mesmo mover %n entradas para a reciclagem? Execute command? @@ -1479,7 +1956,7 @@ Existe aqui um erro que deve ser reportado aos programadores. Do you really want to execute the following command?<br><br>%1<br> - Tem a certeza de que deseja executar este comando?<br><br>%1<br> + Deseja mesmo executar o seguinte comando?<br><br>%1<br> Remember my choice @@ -1515,13 +1992,13 @@ Existe aqui um erro que deve ser reportado aos programadores. Merge Request - Pedido de combinação + Pedido de união The database file has changed and you have unsaved changes. Do you want to merge your changes? - A base de dados foi alterada e tem alterações não guardadas. -Deseja combinar as suas alterações? + A base de dados foi alterada e tem alterações não gravadas. +Deseja juntar as suas alterações? Empty recycle bin? @@ -1533,19 +2010,15 @@ Deseja combinar as suas alterações? Do you really want to delete %n entry(s) for good? - Tem a certeza de que deseja eliminar %n entrada?Tem a certeza de que deseja eliminar %n entradas? + Tem a certeza de que quer eliminar %n entrada?Tem a certeza de que quer eliminar %n entradas? Delete entry(s)? - Eliminar entrada?Eliminar entradas? + Eliminar a entrada?Eliminar as entradas? Move entry(s) to recycle bin? - Mover entrada para a reciclagem?Mover entradas para a reciclagem? - - - File opened in read only mode. - Ficheiro aberto no modo de leitura. + Mover a entrada para a reciclagem?Mover as entradas para a reciclagem? Lock Database? @@ -1584,14 +2057,8 @@ Erro: %1 KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - O KeePassXC não conseguiu guardar a base de dados múltiplas vezes. Muito provavelmente, os serviços de sincronização não o permitiram. + O KeePassXC não conseguiu guardar a base de dados múltiplas vezes. Muito provavelmente, os serviços de sincronização não permitira a gravação. Desativar salvaguardas e tentar novamente? - - - Writing the database failed. -%1 - Erro ao escrever na base de dados: -%1 Passwords @@ -1611,7 +2078,7 @@ Desativar salvaguardas e tentar novamente? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - A entrada "%1" tem %2 referência. Deseja substituir as referências com valores, ignorar a entrada ou eliminar?A entrada "%1" tem %2 referências. Deseja substituir as referências com valores, ignorar a entrada ou eliminar? + A entrada "%1" tem %2 referência. Quer substituir as referência com valores, ignorar a entrada ou eliminar?A entrada "%1" tem %2 referências. Quer substituir as referências com valores, ignorar a entrada ou eliminar? Delete group @@ -1637,6 +2104,14 @@ Desativar salvaguardas e tentar novamente? Shared group... Grupo partilhado... + + Writing the database failed: %1 + Erro ao escrever na base de dados: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1686,7 +2161,7 @@ Desativar salvaguardas e tentar novamente? Failed to open private key - Erro ao abrir a chave privada + Falha ao abrir a chave privada Entry history @@ -1756,6 +2231,18 @@ Desativar salvaguardas e tentar novamente? Confirm Removal Confirmação de remoção + + Browser Integration + Integração com navegador + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1781,7 +2268,7 @@ Desativar salvaguardas e tentar novamente? Reveal - Mostrar + Revelar Attachments @@ -1795,6 +2282,42 @@ Desativar salvaguardas e tentar novamente? Background Color: Cor secundária: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1804,11 +2327,11 @@ Desativar salvaguardas e tentar novamente? Inherit default Auto-Type sequence from the &group - Utilizar sequência de escrita automática deste &grupo + Herdar sequência de escrita automática deste &grupo &Use custom Auto-Type sequence: - &Utilizar sequência personalizada de escrita automática: + &Usar sequência personalizada de escrita automática: Window Associations @@ -1830,6 +2353,77 @@ Desativar salvaguardas e tentar novamente? Use a specific sequence for this association: Utilizar sequência específica para esta associação: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Geral + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Adicionar + + + Remove + Remover + + + Edit + + EditEntryWidgetHistory @@ -1849,6 +2443,26 @@ Desativar salvaguardas e tentar novamente? Delete all Eliminar tudo + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1888,6 +2502,62 @@ Desativar salvaguardas e tentar novamente? Expires Expira + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1964,6 +2634,22 @@ Desativar salvaguardas e tentar novamente? Require user confirmation when this key is used Solicitar confirmação para utilizar esta chave + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1997,7 +2683,11 @@ Desativar salvaguardas e tentar novamente? Inherit from parent group (%1) - Herdar do grupo (%1) + Herdar a partir do grupo (%1) + + + Entry has unsaved changes + A entrada tem alterações por guardar @@ -2026,35 +2716,6 @@ Desativar salvaguardas e tentar novamente? Inactive Inativo - - Import from path - Importar do caminho - - - Export to path - Exportar para o caminho - - - Synchronize with path - Sincronizar com o caminho - - - Your KeePassXC version does not support sharing your container type. Please use %1. - A sua versão do KeePassXC não tem suporte a partilha do tipo de contentor. -Por favor utilize %1. - - - Database sharing is disabled - A partilha da base de dados está desativada - - - Database export is disabled - A exportação da base de dados está desativada - - - Database import is disabled - A importação da base de dados está desativada - KeeShare unsigned container Contentor KeeShare não assinado @@ -2080,15 +2741,73 @@ Por favor utilize %1. Limpar - The export container %1 is already referenced. - O contentor de exportação %1 já está referenciado. + Import + Importar - The import container %1 is already imported. - O contentor de importação %1 já está referenciado. + Export + Exportar - The container %1 imported and export by different groups. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2116,12 +2835,40 @@ Por favor utilize %1. &Use default Auto-Type sequence of parent group - &Utilizar sequência de escrita automática do grupo relacionado + Herdar sequência de escrita a&utomática do grupo relacionado Set default Auto-Type se&quence Definir se&quência padrão para escrita automática + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2157,29 +2904,17 @@ Por favor utilize %1. All files Todos os ficheiros - - Custom icon already exists - Já existe um ícone personalizado - Confirm Delete Confirmação de eliminação - - Custom icon successfully downloaded - Ícone personalizado descarregado com sucesso - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Dica: pode ativar o serviço DuckDuckGo como recurso em Ferramentas -> Definições -> Segurança - Select Image(s) Selecionar imagens Successfully loaded %1 of %n icon(s) - %1 de %n ícones carregado com sucesso.%1 de %n ícones carregados com sucesso. + %1 de %n ícone carregados com sucesso.%1 de %n ícones carregados com sucesso. No icons were loaded @@ -2191,11 +2926,47 @@ Por favor utilize %1. The following icon(s) failed: - O ícone seguinte falhou:Os ícones seguintes falharam: + Erro no seguinte ícone:Erro nos seguintes ícones: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Este ícone é utilizado por % entrada e será substituído pelo ícone padrão. Tem a certeza de que deseja eliminar o ícone?Este ícone é utilizado por % entradas e será substituído pelo ícone padrão. Tem a certeza de que deseja eliminar o ícone? + Este ícone é utilizado por % entrada e será substituído pelo ícone padrão. Tem a certeza de que quer eliminar o ícone?Este ícone é utilizado por % entradas e será substituído pelo ícone padrão. Tem a certeza de que quer eliminar o ícone? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2218,7 +2989,7 @@ Por favor utilize %1. Plugin Data - Dados do suplemento + Dados do plugin Remove @@ -2242,6 +3013,30 @@ Esta ação pode implicar um funcionamento errático. Value Valor + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2289,7 +3084,7 @@ Esta ação pode implicar um funcionamento errático. Are you sure you want to remove %n attachment(s)? - Tem a certeza de que deseja remover %n anexo?Tem a certeza de que deseja remover %n anexos? + Tem a certeza de que quer remover %n anexo?Tem a certeza de que quer remover %n anexos? Save attachments @@ -2338,6 +3133,26 @@ Esta ação pode implicar um funcionamento errático. %1Não foi possível abrir os ficheiros: %1 + + Attachments + Anexos + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2431,10 +3246,6 @@ Esta ação pode implicar um funcionamento errático. EntryPreviewWidget - - Generate TOTP Token - A gerar token TOTP - Close Fechar @@ -2520,6 +3331,14 @@ Esta ação pode implicar um funcionamento errático. Share Partilhar + + Display current TOTP value + + + + Advanced + Avançado + EntryView @@ -2553,11 +3372,33 @@ Esta ação pode implicar um funcionamento errático. - Group + FdoSecrets::Item - Recycle Bin - Reciclagem + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2575,6 +3416,58 @@ Esta ação pode implicar um funcionamento errático. Não foi possível guardar o ficheiro de mensagens nativas. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Cancelar + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Fechar + + + URL + URL + + + Status + Estado + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Aceitar + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2596,10 +3489,6 @@ Esta ação pode implicar um funcionamento errático. Unable to issue challenge-response. Não foi possível emitir a pergunta de segurança. - - Wrong key or database file is corrupt. - Chave errada ou base de dados danificada. - missing database headers cabeçalhos em falta @@ -2618,7 +3507,12 @@ Esta ação pode implicar um funcionamento errático. Invalid header data length - Comprimento dos dados de cabeçalho inválido + Comprimento de dados cabeçalho inválido + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + @@ -2650,10 +3544,6 @@ Esta ação pode implicar um funcionamento errático. Header SHA256 mismatch Disparidade no cabeçalho SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Chave errada ou base de dados danificada (disparidade HMAC) - Unknown cipher Cifra desconhecida @@ -2668,11 +3558,11 @@ Esta ação pode implicar um funcionamento errático. Invalid header data length - Comprimento dos dados de cabeçalho inválido + Comprimento de dados cabeçalho inválido Failed to open buffer for KDF parameters in header - Erro ao processar os parâmetros KDF no cabeçalho + Falha ao processar os parâmetros KDF no cabeçalho Unsupported key derivation function (KDF) or invalid parameters @@ -2702,22 +3592,22 @@ Esta ação pode implicar um funcionamento errático. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - Comprimento inválido no nome da entrada da variante do mapa + Comprimento inválido do nome da entrada da variante do mapa Invalid variant map entry name data Translation: variant map = data structure for storing meta data - Dados inválidos no nome da entrada da variante do mapa + Dados inválidos do nome da entrada da variante do mapa Invalid variant map entry value length Translation: variant map = data structure for storing meta data - Comprimento inválido no valor de entrada do mapa + Comprimento inválido do valor de entrada do mapa Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - Dados inválidos no valor da entrada da variante do mapa + Dados inválidos do valor da entrada da variante do mapa Invalid variant map Bool entry value length @@ -2754,6 +3644,15 @@ Esta ação pode implicar um funcionamento errático. Translation: variant map = data structure for storing meta data Tamanho inválido do tipo de campo da variante do mapa + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2764,7 +3663,7 @@ Esta ação pode implicar um funcionamento errático. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - Tamanho inválido da cifra simétrica IV. + Algoritmo inválido de cifra simétrica IV. Unable to calculate master key @@ -2773,7 +3672,7 @@ Esta ação pode implicar um funcionamento errático. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - Erro ao serializar os parâmetros KDF da variante do mapa + Falhou a serialização dos parâmetros da KDF (função de derivação de chave) da variante do mapa @@ -2808,7 +3707,7 @@ Esta ação pode implicar um funcionamento errático. Invalid random stream id size - Tamanho inválido do ID do fluxo aleatório + Tamanho inválido do ID do stream aleatório Invalid inner random stream cipher @@ -2849,7 +3748,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados KdbxXmlReader XML parsing failure: %1 - Erro ao processar o XML: %1 + Falha no processamento XML: %1 No root group @@ -2889,11 +3788,11 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Null DeleteObject uuid - UUID nulo em DeleteObject + UUID de DeleteObject nulo Missing DeletedObject uuid or time - Tempo ou UUID em falta para DeletedObject + Tempo ou UUID de DeletedObject em falta Null entry uuid @@ -2901,7 +3800,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Invalid entry icon number - Número inválido na entrada de ícone + Número inválido da entrada de ícone History element in history entry @@ -2909,7 +3808,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados No entry uuid found - Não foi encontrado o UUID da entrada + Não foi encontrada uma entrada UUID History element with different uuid @@ -2975,14 +3874,14 @@ Linha %2, coluna %3 KeePass1OpenWidget - - Import KeePass1 database - Importar base de dados do KeePass 1 - Unable to open the database. Não foi possível abrir a base de dados. + + Import KeePass1 Database + + KeePass1Reader @@ -3039,13 +3938,9 @@ Linha %2, coluna %3 Unable to calculate master key Não foi possível calcular a chave-mestre - - Wrong key or database file is corrupt. - Chave errada ou base de dados danificada. - Key transformation failed - Erro ao transformar a chave + Falha ao transformar a chave Invalid group field type number @@ -3139,40 +4034,57 @@ Linha %2, coluna %3 unable to seek to content position Não foi possível pesquisar no conteúdo + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Partilha desativada + Invalid sharing reference + - Import from - Importar de + Inactive share %1 + - Export to - Exportar para + Imported from %1 + Importado de %1 - Synchronize with - Sincronizar com + Exported to %1 + - Disabled share %1 - Desativar partilha %1 + Synchronized with %1 + - Import from share %1 - Importar da partilha %1 + Import is disabled in settings + - Export to share %1 - Exportar para a partilha %1 + Export is disabled in settings + - Synchronize with share %1 - Sincronizar com a partilha %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3216,10 +4128,6 @@ Linha %2, coluna %3 KeyFileEditWidget - - Browse - Explorar - Generate Gerar @@ -3276,6 +4184,43 @@ Mensagem: %2 Select a key file Selecione o ficheiro-chave + + Key file selection + + + + Browse for key file + + + + Browse... + Procurar... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3363,13 +4308,9 @@ Mensagem: %2 &Settings Definiçõe&s - - Password Generator - Gerador de palavras-passe - &Lock databases - B&loquear bases de dados + B&loquear base de dados &Title @@ -3439,7 +4380,7 @@ Mensagem: %2 WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - AVISO: está a utilizar uma versão instável do KeePassXC! + AVISO: está a utilizar uma versão instável do KeepassXC! Existe um risco bastante grande e deve efetuar um backup da base de dados. Esta versão não deve ser utilizada para uma utilização regular. @@ -3553,14 +4494,6 @@ Recomendamos que utilize a versão AppImage disponível no nosso site.Show TOTP QR Code... Mostrar código QR TOTP... - - Check for Updates... - Procurar atualizações... - - - Share entry - Partilhar entrada - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3579,6 +4512,74 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes You can always check for updates manually from the application menu. Também pode verificar se existem atualizações através do menu da aplicação. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Descarregar 'favicon' + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3638,6 +4639,14 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Adding missing icon %1 Adicionar ícone em falta %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3707,6 +4716,72 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Preencha o nome de exibição e uma descrição extra para a sua nova base de dados: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3719,7 +4794,7 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Base64 decoding failed - Erro de descodificação Base64 + Falha na descodificação Base64 Key file way too small. @@ -3735,7 +4810,7 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Failed to read public key. - Erro ao ler a chave pública. + Falha ao ler a chave pública. Corrupted key file, reading private key failed @@ -3755,11 +4830,11 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Key derivation failed, key file corrupted? - Erro na derivação da chave, ficheiro-chave danificado? + Falha na derivação da chave, ficheiro-chave danificado? Decryption failed, wrong passphrase? - Erro ao decifrar, frase-chave errada? + Falha ao decifrar, frase-chave errada? Unexpected EOF while reading public key @@ -3806,6 +4881,17 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Tipo de chave desconhecido: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3832,6 +4918,22 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Generate master password Gerar palavra-passe principal + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3860,22 +4962,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Character Types Tipos de caracteres - - Upper Case Letters - Letras maiúsculas - - - Lower Case Letters - Letras minúsculas - Numbers Números - - Special Characters - Caracteres especiais - Extended ASCII ASCII expandido @@ -3956,18 +5046,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Advanced Avançado - - Upper Case Letters A to F - Letras maiúsculas de A até F - A-Z A-Z - - Lower Case Letters A to F - Letras minúsculas de A até F - a-z a-z @@ -4000,18 +5082,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes " ' " ' - - Math - Matemática - <*+!?= <*+!?= - - Dashes - Traços - \_|-/ \_|-/ @@ -4060,6 +5134,74 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Regenerate Recriar + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4067,12 +5209,9 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes KeeShare KeeShare - - - QFileDialog - Select - Selecionar + Statistics + @@ -4109,6 +5248,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Merge Combinar + + Continue + + QObject @@ -4134,7 +5277,7 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes KeePassXC association failed, try again - Erro ao associar o KeePassXC. Tente novamente. + Falha ao associar o KeePassXC. Tente novamente. Encryption key is not recognized @@ -4200,10 +5343,6 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Generate a password for the entry. Gerar palavra-passe para a entrada. - - Length for the generated password. - Tamanho da palavra-passe gerada. - length tamanho @@ -4253,18 +5392,6 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Perform advanced analysis on the password. Executar análise avançada da palavra-passe. - - Extract and print the content of a database. - Extrair e mostrar o conteúdo da base de dados. - - - Path of the database to extract. - Caminho da base de dados a extrair. - - - Insert password to unlock %1: - Introduza a palavra-passe para desbloquear %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4303,16 +5430,12 @@ Comandos disponíveis: Search term. - Termo de pesquisa. + Termo de pesquisa Merge two databases. Combinar duas bases de dados. - - Path of the database to merge into. - Caminho da base de dados de destino da combinação. - Path of the database to merge from. Caminho da base de dados de origem da combinação. @@ -4389,10 +5512,6 @@ Comandos disponíveis: Browser Integration Integração com navegador - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Pergunta de segurança - Slot %2 - %3 - Press Prima @@ -4423,10 +5542,6 @@ Comandos disponíveis: Generate a new random password. Gerar nova palavra-passe aleatória. - - Invalid value for password length %1. - Valor inválido para o tamanho da palavra-passe %1 - Could not create entry with path %1. Não foi possível criar a entrada com o caminho %1 @@ -4484,10 +5599,6 @@ Comandos disponíveis: CLI parameter número - - Invalid value for password length: %1 - Valor inválido para o tamanho da palavra-passe: %1 - Could not find entry with path %1. Não foi possível encontrar a entrada com o caminho %1. @@ -4612,26 +5723,6 @@ Comandos disponíveis: Failed to load key file %1: %2 Erro ao carregar o ficheiro-chave %1: %2 - - File %1 does not exist. - %1 não existe. - - - Unable to open file %1. - Não foi possível abrir o ficheiro %1. - - - Error while reading the database: -%1 - Erro ao ler a base de dados: -%1 - - - Error while parsing the database: -%1 - Erro ao analisar a base de dados: -%1 - Length of the generated password Tamanho da palavra-passe gerada @@ -4644,10 +5735,6 @@ Comandos disponíveis: Use uppercase characters Utilizar letras maiúsculas - - Use numbers. - Utilizar números - Use special characters Utilizar caracteres especiais @@ -4792,10 +5879,6 @@ Comandos disponíveis: Successfully created new database. A base de dados foi criada com sucesso. - - Insert password to encrypt database (Press enter to leave blank): - Introduza a palavra-passe para cifrar a base de dados (prima Enter para não cifrar): - Creating KeyFile %1 failed: %2 Não foi possível criar o ficheiro-chave %1: %2 @@ -4804,10 +5887,6 @@ Comandos disponíveis: Loading KeyFile %1 failed: %2 Não foi possível carregar o ficheiro-chave %1: %2 - - Remove an entry from the database. - Remover uma entrada da base de dados. - Path of the entry to remove. Caminho da entrada a remover. @@ -4864,6 +5943,330 @@ Comandos disponíveis: Cannot create new group Não foi possível criar o novo grupo + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versão %1 + + + Build Type: %1 + Tipo de compilação: %1 + + + Revision: %1 + Revisão: %1 + + + Distribution: %1 + Distribuição: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistema operativo: %1 +Arquitetura do CPU: %2 +Kernel: %3 %4 + + + Auto-Type + Escrita automática + + + KeeShare (signed and unsigned sharing) + KeeShare (partilha assinada e não assinada) + + + KeeShare (only signed sharing) + KeeShare (apenas partilha assinada) + + + KeeShare (only unsigned sharing) + KeeShare (apenas partilha não assinada) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nada + + + Enabled extensions: + Extensões ativas: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + A base de dados não foi alterada pela combinação. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4903,7 +6306,7 @@ Comandos disponíveis: SSHAgent Agent connection failed. - Erro ao conectar com o agente. + Falha ao conectar com o agente. Agent protocol error. @@ -5017,6 +6420,93 @@ Comandos disponíveis: Sensível ao tipo + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Geral + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Grupo + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Definições da base de dados + + + Edit database settings + + + + Unlock database + Desbloquear base de dados + + + Unlock database to show more information + + + + Lock database + Bloquear base de dados + + + Unlock to show + + + + None + Nada + + SettingsWidgetKeeShare @@ -5140,9 +6630,100 @@ Comandos disponíveis: Signer: Signatário: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Chave + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + A substituição de contentor de partilha não assinado não é suportada - exportação evitada + + + Could not write export container (%1) + Não foi possível escrever contentor de exportação (%1) + + + Could not embed signature: Could not open file to write (%1) + Assinatura não incorporada. Não foi possível abrir o ficheiro para escrita (%1) + + + Could not embed signature: Could not write file (%1) + Assinatura não incorporada. Não foi possível escrever no ficheiro (%1) + + + Could not embed database: Could not open file to write (%1) + Base de dados não incorporada. Não foi possível abrir o ficheiro para escrita (%1) + + + Could not embed database: Could not write file (%1) + Base de dados não incorporada. Não foi possível escrever no ficheiro (%1) + + + Overwriting unsigned share container is not supported - export prevented + A substituição de contentor de partilha assinado não é suportada - exportação evitada + + + Could not write export container + Não foi possível escrever contentor de exportação + + + Unexpected export error occurred + Ocorreu um erro inesperado ao exportar + + + + ShareImport Import from container without signature Importar de um contentor sem assinatura @@ -5155,6 +6736,10 @@ Comandos disponíveis: Import from container with certificate Importar de um contentor com certificado + + Do you want to trust %1 with the fingerprint of %2 from %3? + Deseja confiar em %1 com a impressão digital de %2 em %3? {1 ?} {2 ?} + Not this time Agora não @@ -5171,18 +6756,6 @@ Comandos disponíveis: Just this time Apenas agora - - Import from %1 failed (%2) - A importação de %1 falhou (%2) - - - Import from %1 successful (%2) - A importação de %1 foi bem sucedida (%2) - - - Imported from %1 - Importado de %1 - Signed share container are not supported - import prevented O contentor de partilha assinado não é suportado - importação evitada @@ -5223,25 +6796,20 @@ Comandos disponíveis: Unknown share container type Tipo de contentor de partilha desconhecido + + + ShareObserver - Overwriting signed share container is not supported - export prevented - A substituição de contentor de partilha não assinado não é suportada - exportação evitada + Import from %1 failed (%2) + A importação de %1 falhou (%2) - Could not write export container (%1) - Não foi possível escrever contentor de exportação (%1) + Import from %1 successful (%2) + A importação de %1 foi bem sucedida (%2) - Overwriting unsigned share container is not supported - export prevented - A substituição de contentor de partilha assinado não é suportada - exportação evitada - - - Could not write export container - Não foi possível escrever contentor de exportação - - - Unexpected export error occurred - Ocorreu um erro inesperado ao exportar + Imported from %1 + Importado de %1 Export to %1 failed (%2) @@ -5255,10 +6823,6 @@ Comandos disponíveis: Export to %1 Exportar para %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Deseja confiar em %1 com a impressão digital de %2 em %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Diversos caminhos de importação para %1 em %2 @@ -5267,22 +6831,6 @@ Comandos disponíveis: Conflicting export target path %1 in %2 Conflito no caminho de exportação para %1 em %2 - - Could not embed signature: Could not open file to write (%1) - Assinatura não incorporada. Não foi possível abrir o ficheiro para escrita (%1) - - - Could not embed signature: Could not write file (%1) - Assinatura não incorporada. Não foi possível escrever no ficheiro (%1) - - - Could not embed database: Could not open file to write (%1) - Base de dados não incorporada. Não foi possível abrir o ficheiro para escrita (%1) - - - Could not embed database: Could not write file (%1) - Base de dados não incorporada. Não foi possível escrever no ficheiro (%1) - TotpDialog @@ -5329,10 +6877,6 @@ Comandos disponíveis: Setup TOTP Configurar TOTP - - Key: - Chave: - Default RFC 6238 token settings Definições padrão do token RFC 6238 @@ -5343,7 +6887,7 @@ Comandos disponíveis: Use custom settings - Utilizar definições personalizadas + Usar definições personalizadas Custom Settings @@ -5363,16 +6907,45 @@ Comandos disponíveis: Tamanho do código: - 6 digits - 6 dígitos + Secret Key: + - 7 digits - 7 dígitos + Secret key must be in Base32 format + - 8 digits - 8 dígitos + Secret key field + + + + Algorithm: + + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5456,6 +7029,14 @@ Comandos disponíveis: Welcome to KeePassXC %1 Bem-vindo ao KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5479,5 +7060,13 @@ Comandos disponíveis: No YubiKey inserted. Youbikey não inserida. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_pt_BR.ts b/share/translations/keepassx_pt_BR.ts index 2e2fd4ac7..e1a90e218 100644 --- a/share/translations/keepassx_pt_BR.ts +++ b/share/translations/keepassx_pt_BR.ts @@ -23,11 +23,11 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Ver Colaborações no GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Ver colaborações no GitHub</a> Debug Info - Informações de Depuração + Informações de depuração Include the following information whenever you report a bug: @@ -39,18 +39,18 @@ Project Maintainers: - Mantedores do Projeto: + Mantedores do projeto: Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - A equipe KeePassXC agradece especialmente a debfx pela criação do KeePassX original. + A equipe do KeePassXC agradece especialmente a debfx pela criação do KeePassX original. AgentSettingsWidget Enable SSH Agent (requires restart) - Habilitar Agente SSH (requer reinicialização) + Habilitar agente SSH (requer reinicialização) Use OpenSSH for Windows instead of Pageant @@ -95,6 +95,14 @@ Follow style Seguir o estilo + + Reset Settings? + Restaurar Configurações? + + + Are you sure you want to reset all general and security settings to default? + Você tem certeza que quer restaurar todas as configurações gerais e de segurança para o padrão? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Iniciar apenas uma única instância do KeePassXC - - Remember last databases - Lembrar dos últimos bancos de dados - - - Remember last key files and security dongles - Lembre-se de arquivos de chave passados e dongles de segurança - - - Load previous databases on startup - Carregar bancos de dados anteriores na inicialização - Minimize window at application startup Iniciar programa com janela minimizada @@ -162,10 +158,6 @@ Use group icon on entry creation Usar ícone de grupo na criação da entrada - - Minimize when copying to clipboard - Minimizar ao copiar para área de transferência - Hide the entry preview panel Ocultar entrada do painel de visualização @@ -194,10 +186,6 @@ Hide window to system tray when minimized Ocultar janela na bandeja de sistema quando minimizada - - Language - Idioma - Auto-Type Autodigitação @@ -231,21 +219,102 @@ Auto-Type start delay Atraso ao iniciar Auto-Digitar - - Check for updates at application startup - Verificar atualizações na inicialização do aplicativo - - - Include pre-releases when checking for updates - Incluir pré-lançamentos quando checar por atualizações - Movable toolbar Barra de Ferramentas Móvel - Button style - Estilo de botão + Remember previously used databases + Lembrar dos bancos de dados usados anteriormente + + + Load previously open databases on startup + Carregar bancos de dados previamente abertos na inicialização + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + Verificar atualizações na inicialização do aplicativo uma vez por semana + + + Include beta releases when checking for updates + Incluem versões betas durante a verificação de atualizações + + + Button style: + Estilo de botão: + + + Language: + Idioma: + + + (restart program to activate) + (reiniciar programa ao ativar) + + + Minimize window after unlocking database + Minimizar a janela após desbloquear banco de dados + + + Minimize when opening a URL + Minimizar quando abrir uma URL + + + Hide window when copying to clipboard + Ocultar a janela quando copiar para área de transferência + + + Minimize + Minimizar + + + Drop to background + Soltar no fundo + + + Favicon download timeout: + Tempo limite de download Favicon: + + + Website icon download timeout in seconds + Esgotamento do download de ícone do website em segundos + + + sec + Seconds + seg + + + Toolbar button style + Estilo de botão da barra de ferramentas + + + Use monospaced font for Notes + Usar fonte monoespaçada para Notas + + + Language selection + Seleção de idioma + + + Reset Settings to Default + Restaurar Configurações para o Padrão + + + Global auto-type shortcut + Atalho global para Auto-Digitar + + + Auto-type character typing delay milliseconds + Digitação de caracteres com Auto-Digitar com atraso de milissegundos + + + Auto-type start delay milliseconds + Auto-Digitar inicia com atraso de milissegundos @@ -320,8 +389,29 @@ Privacidade - Use DuckDuckGo as fallback for downloading website icons - Use DuckDuckGo como substituto para baixar ícones de sites + Use DuckDuckGo service to download website icons + Usar o serviço DuckDuckGo para baixar ícones de websites + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + @@ -332,27 +422,27 @@ Auto-Type - KeePassXC - Auto-Digitação - KeePassXC + Autodigitação - KeePassXC Auto-Type - Auto-Digitação + Autodigitação The Syntax of your Auto-Type statement is incorrect! - A sintaxe da sua sequência de Auto-Digitação está incorreta! + A sintaxe da sua sequência de autodigitação está incorreta! This Auto-Type command contains a very long delay. Do you really want to proceed? - Este comando de Auto-Digitação contém um tempo de espera muito longo. Você tem certeza que deseja continuar? + Este comando de autodigitação contém um tempo de espera muito longo. Você tem certeza de que deseja continuar? This Auto-Type command contains very slow key presses. Do you really want to proceed? - Este comando Autotipo contém pressionamentos de teclas muito lentos. Você realmente deseja prosseguir? + Este comando de autodigitação contém pressionamentos de teclas muito lentos. Você tem certeza de que deseja continuar? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? - Este comando Auto-Type contém os argumentos que são repetidos muitas vezes. Você realmente deseja prosseguir? + Este comando de autodigitação contém parâmetros que são repetidos muitas vezes. Você tem certeza de que deseja continuar? @@ -389,15 +479,30 @@ Sequência + + AutoTypeMatchView + + Copy &username + Copiar nome de &usuário + + + Copy &password + Copiar &senha + + AutoTypeSelectDialog Auto-Type - KeePassXC - Auto-Digitação - KeePassXC + Autodigitação - KeePassXC Select entry to Auto-Type: - Escolha uma entrada para Auto-Digitar: + Escolha uma entrada para digitar automaticamente: + + + Search... + Buscar... @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 solicitou acesso a senhas para o(s) seguinte(s) iten(s). Selecione se deseja permitir o acesso. + + Allow access + Permitir acesso + + + Deny access + Negar acesso + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Por favor, selecione o banco de dados correto para salvar as credenciais.This is required for accessing your databases with KeePassXC-Browser Isso é necessário para acessar os seus bancos de dados usando o KeePassXC-Browser - - Enable KeepassXC browser integration - Habilitar integração do KeepassXC com navegadores - General Geral @@ -491,7 +600,7 @@ Por favor, selecione o banco de dados correto para salvar as credenciais. Re&quest to unlock the database if it is locked - Pe&dir para desbloquear a banco de dados se estiver bloqueado + Pe&dir para desbloquear a base de dados se estiver bloqueada Only entries with the same scheme (http://, https://, ...) are returned. @@ -526,17 +635,13 @@ Por favor, selecione o banco de dados correto para salvar as credenciais. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Nunca peça confirmação antes de acessar as credenciais + Nunca peça confirmação antes de &acessar as credenciais Never ask before &updating credentials Credentials mean login data requested via browser extension Nunca peça confirmação antes de at&ualizar as credenciais - - Only the selected database has to be connected with a client. - Somente o banco de dados selecionado deve estar conectado com um cliente. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -556,7 +661,7 @@ Por favor, selecione o banco de dados correto para salvar as credenciais. Update &native messaging manifest files at startup - Atualizar arquivos de manifesto de mensagens nativos na inicialização + Atualizar arquivos de manifesto de mensagens &nativas na inicialização Support a proxy application between KeePassXC and browser extension. @@ -592,10 +697,6 @@ Por favor, selecione o banco de dados correto para salvar as credenciais.&Tor Browser &Navegador Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Alerta</b>, o aplicativo keepassxc-proxy não foi encontrado!<br />Por favor, verifique o diretório de instalação do KeePassXC ou confirme o caminho personalizado nas opções avançadas.<br />A integração do navegador não funcionará sem o aplicativo proxy.<br />Caminho esperado: - Executable Files Arquivos Executáveis @@ -621,6 +722,50 @@ Por favor, selecione o banco de dados correto para salvar as credenciais.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 O KeePassXC-Browser é necessário para que a integração do navegador funcione. <br />Faça o download para %1 e %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + &Permitir retorno de credenciais expiradas. + + + Enable browser integration + Habilitar integração com navegadores + + + Browsers installed as snaps are currently not supported. + Navegadores instalados como snaps atualmente não são suportados. + + + All databases connected to the extension will return matching credentials. + Todos os bancos de dados conectados a extensão irão retornar as credenciais correspondentes. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -648,8 +793,8 @@ Se você gostaria de permitir acesso ao seu banco de dados KeePassXC, atribua um A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - Uma chave de criptografia compartilhada com o nome "% 1" já existe. -Você deseja sobrescreve-la? + Uma chave de criptografia compartilhada com o nome "%1" já existe. +Você deseja sobrescrever-la? KeePassXC: Update Entry @@ -713,6 +858,10 @@ Would you like to migrate your existing settings now? Isso é necessário para manter as conexões atuais do navegador. Gostaria de migrar suas configurações existentes agora? + + Don't show this warning again + Não mostrar este alerta novamente + CloneDialog @@ -771,10 +920,6 @@ Gostaria de migrar suas configurações existentes agora? First record has field names O primeiro registro contém os nomes dos campos - - Number of headers line to discard - Número de linhas do cabeçalho a descartar - Consider '\' an escape character Considere '\' como caractere de escape @@ -825,6 +970,22 @@ Gostaria de migrar suas configurações existentes agora? Importação de CSV: o gravador tem erros: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + Prever importação de CSV + CsvParserModel @@ -839,11 +1000,11 @@ Gostaria de migrar suas configurações existentes agora? %n byte(s) - %n byte%n bytes + %n byte(s)%n byte(s) %n row(s) - %n linha%n linhas + %n linha(s)%n linha(s) @@ -865,10 +1026,6 @@ Gostaria de migrar suas configurações existentes agora? Error while reading the database: %1 Erro ao ler o banco de dados: %1 - - Could not save, database has no file name. - Não foi possível salvar, o banco de dados não possui nome de arquivo. - File cannot be written as it is opened in read-only mode. O arquivo não pode ser gravado, pois é aberto no modo somente leitura. @@ -877,6 +1034,27 @@ Gostaria de migrar suas configurações existentes agora? Key not transformed. This is a bug, please report it to the developers! Chave não transformada. Este é um bug, por favor denuncie para os desenvolvedores! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Lixeira + DatabaseOpenDialog @@ -887,30 +1065,14 @@ Gostaria de migrar suas configurações existentes agora? DatabaseOpenWidget - - Enter master key - Insira a chave-mestra - Key File: Arquivo-Chave: - - Password: - Senha: - - - Browse - Navegar - Refresh Atualizar - - Challenge Response: - Resposta do Desafio: - Legacy key file format Formato de chave antigo @@ -941,20 +1103,96 @@ Por favor, considere-se gerar um novo arquivo de chave. Escolha o arquivo-chave - TouchID for quick unlock - TouchID para desbloqueio rápido + Failed to open key file: %1 + - Unable to open the database: -%1 - Não é possível abrir o banco de dados: -%1 + Select slot... + - Can't open key file: -%1 - Não é possível abrir o arquivo de chaves: -%1 + Unlock KeePassXC Database + Desbloquear Banco de Dados do KeePassXC + + + Enter Password: + Digitar Senha: + + + Password field + Campo de senha + + + Toggle password visibility + Alternar visibilidade da senha + + + Enter Additional Credentials: + Digitar Credenciais Adicionais: + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + Navegar por arquivo chave + + + Browse... + Navegar... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Limpar + + + Clear Key File + + + + Select file... + Selecionar arquivo... + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + Retentar com senha vazia @@ -1063,7 +1301,7 @@ Isso pode impedir a conexão com o plugin do navegador. Successfully removed %n encryption key(s) from KeePassXC settings. - Removido com sucesso% n chave (s) criptográficas das configurações do KeePassXC.Removido com sucesso% n chave (s) criptográficas das configurações do KeePassXC. + Removeu com sucesso %n chave(s) de criptografia das configurações do KeePassXC.Removeu com sucesso %n chave(s) de criptografia das configurações do KeePassXC. Forget all site-specific settings on entries @@ -1097,7 +1335,7 @@ Permissões para acessar entradas serão revogadas. The active database does not contain an entry with permissions. - O banco de dados ativo não contém uma entrada com permissões. + A base de dados ativa não contém uma entrada com permissões. Move KeePassHTTP attributes to custom data @@ -1109,6 +1347,14 @@ This is necessary to maintain compatibility with the browser plugin. Você realmente deseja mover todos os dados de integração do navegador herdados para o padrão mais recente? Isso é necessário para manter a compatibilidade com o plugin do navegador. + + Stored browser keys + + + + Remove selected key + Remover chave selecionada + DatabaseSettingsWidgetEncryption @@ -1251,6 +1497,57 @@ Se você manter este número, seu banco de dados pode ser facilmente crackeado!< seconds %1 s%1 s + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + Formato do banco de dados + + + Encryption algorithm + Algorítimo da criptografia + + + Key derivation function + + + + Transform rounds + + + + Memory usage + Uso da memória + + + Parallelism + Paralelismo + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Entradas Expostas + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1284,7 +1581,7 @@ Se você manter este número, seu banco de dados pode ser facilmente crackeado!< MiB - MB + MiB Use recycle bin @@ -1296,7 +1593,40 @@ Se você manter este número, seu banco de dados pode ser facilmente crackeado!< Enable &compression (recommended) - Ativar &compressão + Ativar &compressão (recomendado) + + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + Esvaziar Lixeira + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + (antigo) @@ -1365,6 +1695,10 @@ Tem certeza de que deseja continuar sem uma senha? Failed to change master key Não foi possível alterar a chave mestra + + Continue without password + Continuar sem senha + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1710,129 @@ Tem certeza de que deseja continuar sem uma senha? Description: Descrição: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + Estatísticas + + + Hover over lines with error icons for further information. + + + + Name + Nome + + + Value + Valor + + + Database name + Nome do banco de dados + + + Description + Descrição + + + Location + Localização + + + Last saved + + + + Unsaved changes + Mudanças não-salvas + + + yes + sim + + + no + não + + + The database was modified, but the changes have not yet been saved to disk. + O banco de dados foi modificado, mas as mudanças ainda não foram salvas no disco. + + + Number of groups + Número de grupos + + + Number of entries + Número de entradas + + + Number of expired entries + Número de entradas expiradas + + + The database contains entries that have expired. + O banco de dados contém entradas que expiraram. + + + Unique passwords + Senhas únicas + + + Non-unique passwords + Senhas não-únicas + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + Algumas senhas são usadas mais do que três vezes. Use senhas únicas quando possível. + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + Comprimento mínimo recomendado de senha é pelo menos 8 caracteres. + + + Number of weak passwords + Número de senhas fracas + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Recomendamos o uso de senhas longas e randomizados com uma classificação de 'bom' ou 'excelente'. + + + Average password length + Comprimento médio da senha + + + %1 characters + %1 caracteres + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1425,10 +1882,6 @@ This is definitely a bug, please report it to the developers. O banco de dados criado não possui chave ou KDF, recusando-se a salvá-lo. Este é definitivamente um bug, por favor denuncie para os desenvolvedores. - - The database file does not exist or is not accessible. - O arquivo de banco de dados não existe ou não está acessível. - Select CSV file Selecionar arquivo CSV @@ -1452,6 +1905,30 @@ Este é definitivamente um bug, por favor denuncie para os desenvolvedores.Database tab name modifier %1 [Apenas leitura] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + Exportar banco de dados como arquivo HTML + + + HTML file + Arquivo HTML + + + Writing the HTML file failed. + + + + Export Confirmation + Confirmação da Exportação + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Você está prestes a exportar o seu banco de dados para um arquivo não criptografado. Isso vai deixar suas senhas e informações confidenciais vulneráveis! Você tem certeza que quer continuar? + DatabaseWidget @@ -1469,7 +1946,7 @@ Este é definitivamente um bug, por favor denuncie para os desenvolvedores. Do you really want to move %n entry(s) to the recycle bin? - Você quer realmente mudar %n entradas para a lixeira?Você deseja realmente mover %n entrada(s) para a lixeira? + Você realmente quer mover %n entrada(s) para a lixeira?Você realmente quer mover %n entrada(s) para a lixeira? Execute command? @@ -1489,11 +1966,11 @@ Este é definitivamente um bug, por favor denuncie para os desenvolvedores. No current database. - Nenhuma banco de dados atual. + Nenhuma base de dados atual. No source database, nothing to do. - Nenhuma banco de dados de origem, nada a fazer. + Nenhuma base de dados de origem, nada a fazer. Search Results (%1) @@ -1509,7 +1986,7 @@ Este é definitivamente um bug, por favor denuncie para os desenvolvedores. The database file has changed. Do you want to load the changes? - O banco de dados foi alterado. Deseja carregar as alterações? + A base de dados foi alterada. Deseja carregar as alterações? Merge Request @@ -1535,15 +2012,11 @@ Você deseja combinar suas alterações? Delete entry(s)? - Apagar entrada?Apagar entradas? + Excluir entrada(s)?Excluir entrada(s)? Move entry(s) to recycle bin? - Mover entrada para a lixeira?Mover entradas para a lixeira? - - - File opened in read only mode. - Arquivo aberto no modo somente leitura. + Mover entrada(s) para lixeira?Mover entrada(s) para lixeira? Lock Database? @@ -1584,12 +2057,6 @@ Erro: %1 Disable safe saves and try again? KeePassXC não pôde salvar o banco de dados após várias tentativas. Isto é causado provavelmente pelo serviço de sincronização de arquivo que mantém um bloqueio ao salvar o arquivo. Deseja desabilitar salvamento seguro e tentar novamente? - - - Writing the database failed. -%1 - Escrevendo o banco de dados falhou. -%1 Passwords @@ -1635,6 +2102,14 @@ Deseja desabilitar salvamento seguro e tentar novamente? Shared group... Grupo compartilhado... + + Writing the database failed: %1 + Gravação do banco de dados falhou: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Este banco de dados está aberto em modo de leitura. Auto-salvar está desabilitado. + EditEntryWidget @@ -1652,7 +2127,7 @@ Deseja desabilitar salvamento seguro e tentar novamente? Auto-Type - Auto-Digitação + Autodigitação Properties @@ -1720,7 +2195,7 @@ Deseja desabilitar salvamento seguro e tentar novamente? %n month(s) - %n mese(s)%n mese(s) + %n mês(es)%n mês(es) Apply generated password? @@ -1748,12 +2223,24 @@ Deseja desabilitar salvamento seguro e tentar novamente? %n year(s) - %n ano%n anos + %n ano(s)%n ano(s) Confirm Removal Confirme a Remoção + + Browser Integration + Integração com o Navegador + + + <empty URL> + + + + Are you sure you want to remove this URL? + Tem certeza de que deseja remover esta URL? + EditEntryWidgetAdvanced @@ -1793,6 +2280,42 @@ Deseja desabilitar salvamento seguro e tentar novamente? Background Color: Cor de fundo: + + Attribute selection + + + + Attribute value + Valor do atributo + + + Add a new attribute + Adicionar um novo atributo + + + Remove selected attribute + Remover atributo selecionado + + + Edit attribute name + Editar nome do atributo + + + Toggle attribute protection + + + + Show a protected attribute + Mostrar um atributo protegido + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1828,6 +2351,77 @@ Deseja desabilitar salvamento seguro e tentar novamente? Use a specific sequence for this association: Usar sequência especifica para essa associação: + + Custom Auto-Type sequence + Personalizar sequência de Auto-Digitar + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Geral + + + Skip Auto-Submit for this entry + Ignorar Auto-Envio para esta entrada + + + Hide this entry from the browser extension + Ocultar esta entrada da extensão do navegador + + + Additional URL's + + + + Add + Adicionar + + + Remove + Remover + + + Edit + Editar + EditEntryWidgetHistory @@ -1847,6 +2441,26 @@ Deseja desabilitar salvamento seguro e tentar novamente? Delete all Excluir todos + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + Apagar todo histórico + EditEntryWidgetMain @@ -1886,6 +2500,62 @@ Deseja desabilitar salvamento seguro e tentar novamente? Expires Expira em + + Url field + Campo da url + + + Download favicon for URL + Baixar favicon para URL + + + Repeat password field + + + + Toggle password generator + + + + Password field + Campo de senha + + + Toggle password visibility + Alternar visibilidade da senha + + + Toggle notes visible + Alternar visibilidade das notas + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + Campo notas + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1962,6 +2632,22 @@ Deseja desabilitar salvamento seguro e tentar novamente? Require user confirmation when this key is used Requer confirmação do usuário quando essa chave é usada + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1997,6 +2683,10 @@ Deseja desabilitar salvamento seguro e tentar novamente? Inherit from parent group (%1) Herdar do grupo pai (%1) + + Entry has unsaved changes + A entrada tem alterações não salvas + EditGroupWidgetKeeShare @@ -2024,34 +2714,6 @@ Deseja desabilitar salvamento seguro e tentar novamente? Inactive Inativo - - Import from path - Importar do caminho - - - Export to path - Exportar para o caminho - - - Synchronize with path - Sincronize com o caminho - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Sua versão do KeePassXC não suporta o compartilhamento do tipo de contêiner. Por favor, use %1. - - - Database sharing is disabled - O compartilhamento de banco de dados está desativado - - - Database export is disabled - A exportação de banco de dados está desativada - - - Database import is disabled - A importação do banco de dados está desativada - KeeShare unsigned container @@ -2077,16 +2739,74 @@ Deseja desabilitar salvamento seguro e tentar novamente? Limpar - The export container %1 is already referenced. - O contêiner de exportado %1 já é referenciado. + Import + Importar - The import container %1 is already imported. - O contêiner de importado %1 já foi importado. + Export + Exportar - The container %1 imported and export by different groups. - O contêiner %1 importado e exportado por diferentes grupos. + Synchronize + Sincronizar + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + Exportação de banco de dados está atualmente desativado por configurações do aplicativo. + + + Database import is currently disabled by application settings. + Importação de banco de dados está atualmente desativado por configurações do aplicativo. + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + Campo de senha + + + Toggle password visibility + Alternar visibilidade da senha + + + Toggle password generator + + + + Clear fields + Limpar campos @@ -2109,7 +2829,7 @@ Deseja desabilitar salvamento seguro e tentar novamente? Auto-Type - Auto-Digitação + Autodigitação &Use default Auto-Type sequence of parent group @@ -2117,7 +2837,35 @@ Deseja desabilitar salvamento seguro e tentar novamente? Set default Auto-Type se&quence - Definir sequência padrão de Auto-Digitar + Definir se&quência padrão de Auto-Digitar + + + Name field + Campo nome + + + Notes field + Campo notas + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + @@ -2154,29 +2902,17 @@ Deseja desabilitar salvamento seguro e tentar novamente? All files Todos arquivos - - Custom icon already exists - Ícone personalizado já existe - Confirm Delete Confirmar Exclusão - - Custom icon successfully downloaded - Ícone personalizado baixado com sucesso - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Dica: você pode habilitar o DuckDuckGo como um reserva em Ferramentas> Configurações> Segurança - Select Image(s) Selecionar Imagem(ns) Successfully loaded %1 of %n icon(s) - Carregado com sucesso %1 de %n ícone(s)Carregado com sucesso %1 de %n ícone(s) + Carregou com sucesso %1 de %n ícone(s)Carregou com sucesso %1 de %n ícone(s) No icons were loaded @@ -2188,12 +2924,48 @@ Deseja desabilitar salvamento seguro e tentar novamente? The following icon(s) failed: - + Os seguintes ícones falharam:O(s) seguinte(s) ícone(s) falharam: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Este ícone é usado por %n entrada(s) e será substituído pelo ícone padrão. Tem certeza de que deseja excluí-lo?Este ícone é usado por %n entrada(s) e será substituído pelo ícone padrão. Tem certeza de que deseja excluí-lo? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + Baixar favicon para URL + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2239,6 +3011,30 @@ Isto pode causar mal funcionamento dos plugins afetados. Value Valor + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + ID única + + + Plugin data + Dados do plugin + + + Remove selected plugin data + Remover dados do plugin selecionado + Entry @@ -2286,7 +3082,7 @@ Isto pode causar mal funcionamento dos plugins afetados. Are you sure you want to remove %n attachment(s)? - Tem certeza que deseja remover anexos de %n?Tem certeza que deseja remover os %n anexo(s)? + Tem certeza de que deseja remover %n anexo(s)?Tem certeza de que deseja remover %n anexo(s)? Save attachments @@ -2333,6 +3129,26 @@ Isto pode causar mal funcionamento dos plugins afetados. %1 + + Attachments + Anexos + + + Add new attachment + Adicionar novo anexo + + + Remove selected attachment + Remover anexo selecionado + + + Open selected attachment + Abrir anexo selecionado + + + Save selected attachment to disk + Salvar anexo selecionado no disco + EntryAttributesModel @@ -2426,10 +3242,6 @@ Isto pode causar mal funcionamento dos plugins afetados. EntryPreviewWidget - - Generate TOTP Token - Gerar Token TOTP - Close Fechar @@ -2515,6 +3327,14 @@ Isto pode causar mal funcionamento dos plugins afetados. Share Compartilhar + + Display current TOTP value + Mostrar valor TOTP atual + + + Advanced + Avançado + EntryView @@ -2528,7 +3348,7 @@ Isto pode causar mal funcionamento dos plugins afetados. Hide Passwords - Ocultar senhas + Ocultar Senhas Fit to window @@ -2548,11 +3368,33 @@ Isto pode causar mal funcionamento dos plugins afetados. - Group + FdoSecrets::Item - Recycle Bin - Lixeira + Entry "%1" from database "%2" was used by %3 + Entrada "%1" do banco de dados "%2" foi usada por %3 + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2570,6 +3412,58 @@ Isto pode causar mal funcionamento dos plugins afetados. Não pode salvar o arquivo de script de envio de mensagens nativo. + + IconDownloaderDialog + + Download Favicons + Baixar Favicons + + + Cancel + Cancelar + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Fechar + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + Baixando... + + + Ok + Ok + + + Already Exists + Já Existe + + + Download Failed + Falha no Download + + + Downloading favicons (%1/%2)... + Baixando favicons (%1/%2)... + + KMessageWidget @@ -2591,10 +3485,6 @@ Isto pode causar mal funcionamento dos plugins afetados. Unable to issue challenge-response. Impossibilitado de expedir o desafio-resposta. - - Wrong key or database file is corrupt. - Chave errada ou banco de dados corrompido. - missing database headers cabeçalhos de banco de dados ausente @@ -2615,6 +3505,11 @@ Isto pode causar mal funcionamento dos plugins afetados. Invalid header data length Comprimento de dados cabeçalho inválido + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2645,10 +3540,6 @@ Isto pode causar mal funcionamento dos plugins afetados. Header SHA256 mismatch Incompatibilidade de cabeçalho SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Chave inválida ou arquivo banco de dados está corrompido. (Incompatibilidade de HMAC) - Unknown cipher Cifra desconhecida @@ -2749,6 +3640,15 @@ Isto pode causar mal funcionamento dos plugins afetados. Translation: variant map = data structure for storing meta data Tamanho inválido do tipo de campo da variante do mapa + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2880,7 +3780,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da No group uuid found - Nenhum grupo uuid encontrado + Nenhum uuid de grupo encontrado Null DeleteObject uuid @@ -2970,14 +3870,14 @@ Linha %2, coluna %3 KeePass1OpenWidget - - Import KeePass1 database - Importar banco de dados KeePass1 - Unable to open the database. Não foi possível abrir o banco de dados. + + Import KeePass1 Database + + KeePass1Reader @@ -3016,7 +3916,7 @@ Linha %2, coluna %3 Invalid transform seed size - Tamanho de sementes de transformação inválido + Tamanho de semente de transformação inválido Invalid number of transform rounds @@ -3034,10 +3934,6 @@ Linha %2, coluna %3 Unable to calculate master key Não foi possível calcular a chave mestre - - Wrong key or database file is corrupt. - Chave errada ou banco de dados corrompido. - Key transformation failed Transformação de chave falhou @@ -3104,7 +4000,7 @@ Linha %2, coluna %3 Invalid entry uuid field size - Item inválido tamanho do campo uuid + Entrada inválida tamanho do campo uuid Invalid entry group id field size @@ -3134,40 +4030,57 @@ Linha %2, coluna %3 unable to seek to content position incapaz de buscar a posição de conteúdo + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Compartilhamento desativado + Invalid sharing reference + - Import from - Importar de + Inactive share %1 + - Export to - Exportar para + Imported from %1 + Importado de %1 - Synchronize with - Sincronizar com + Exported to %1 + - Disabled share %1 - Desabilitar compartilhamento %1 + Synchronized with %1 + - Import from share %1 - Importar do compartilhamento %1 + Import is disabled in settings + - Export to share %1 - Exportar para compartilhamento %1 + Export is disabled in settings + - Synchronize with share %1 - Sincronizar com compartilhamento %1 + Inactive share + + + + Imported from + Importado de + + + Exported to + Exportado para + + + Synchronized with + Sincronizado com @@ -3211,10 +4124,6 @@ Linha %2, coluna %3 KeyFileEditWidget - - Browse - Navegar - Generate Gerar @@ -3271,6 +4180,43 @@ Mensagem: %2 Select a key file Escolha um arquivo-chave + + Key file selection + + + + Browse for key file + Navegar por arquivo chave + + + Browse... + Navegar... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3312,11 +4258,11 @@ Mensagem: %2 &Save database - &Salvar banco de dados + &Salvar base de dados &Close database - &Fechar banco de dados + &Fechar base de dados &Delete entry @@ -3358,13 +4304,9 @@ Mensagem: %2 &Settings &Configurações - - Password Generator - Gerador de Senha - &Lock databases - &Trancar banco de dados + &Trancar base de dados &Title @@ -3444,7 +4386,7 @@ Esta versão não se destina ao uso em produção. Report a &bug - Relatar um &bug + Reportar um &bug WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! @@ -3548,14 +4490,6 @@ Recomendamos que você use o AppImage disponível em nossa página de downloads. Show TOTP QR Code... Exibir Código QR do TOTP... - - Check for Updates... - Checar por Atualizações... - - - Share entry - Compartilhar entrada - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3574,6 +4508,74 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç You can always check for updates manually from the application menu. Você sempre pode verificar atualizações manualmente no menu do aplicativo. + + &Export + &Exportar + + + &Check for Updates... + &Verificar Atualizações... + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Baixar favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3633,6 +4635,14 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Adding missing icon %1 Adicionando ícone ausente %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3702,6 +4712,72 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Por favor preencha o nome de exibição e uma descrição opcional para o seu novo banco de dados: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3730,7 +4806,7 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Failed to read public key. - Falha ao ler chave pública + Falha ao ler chave pública. Corrupted key file, reading private key failed @@ -3758,27 +4834,27 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Unexpected EOF while reading public key - EOF inesperado enquanto lendo a chave pública. + EOF inesperado enquanto lendo a chave pública Unexpected EOF while reading private key - EOF inesperado enquanto lendo a chave privada. + EOF inesperado enquanto lendo a chave privada Can't write public key as it is empty - Não é possível escrever a chave pública enquanto estiver vazio. + Não é possível escrever a chave pública enquanto estiver vazio Unexpected EOF when writing public key - EOF inesperado enquanto escrevendo a chave pública. + EOF inesperado enquanto escrevendo a chave pública Can't write private key as it is empty - EOF inesperado enquanto escrevendo a chave privada. + Não é possível escrever a chave privada enquanto estiver vazio Unexpected EOF when writing private key - EOF inesperado enquanto escrevendp a chave privada. + EOF inesperado enquanto escrevendp a chave privada Unsupported key type: %1 @@ -3801,6 +4877,17 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Tipo de chave desconhecida: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3827,6 +4914,22 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Generate master password Gerar senha mestra + + Password field + Campo de senha + + + Toggle password visibility + Alternar visibilidade da senha + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3855,22 +4958,10 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Character Types Tipo de Caracteres - - Upper Case Letters - Letras Maiúsculas - - - Lower Case Letters - Letras Minúsculas - Numbers Números - - Special Characters - Caracteres Especiais - Extended ASCII ASCII extendido @@ -3951,18 +5042,10 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Advanced Avançado - - Upper Case Letters A to F - Letras Maiúsculas A a F - A-Z A-Z - - Lower Case Letters A to F - Letras minúsculas de A a F - a-z a-z @@ -3995,18 +5078,10 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç " ' " ' - - Math - Matemática - <*+!?= <*+!?= - - Dashes - - \_|-/ \_|-/ @@ -4055,6 +5130,74 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Regenerate Regenerar + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + Regerar senha + + + Copy password + Copiar senha + + + Accept password + Aceitar senha + + + lower case + minúsculo + + + UPPER CASE + MAIÚSCULO + + + Title Case + + + + Toggle password visibility + Alternar visibilidade da senha + QApplication @@ -4062,12 +5205,9 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç KeeShare KeeShare - - - QFileDialog - Select - Selecionar + Statistics + Estatísticas @@ -4104,6 +5244,10 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Merge Fundir + + Continue + Continuar + QObject @@ -4161,7 +5305,7 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Path of the database. - Caminho do banco de dados + Caminho do banco de dados. Key file of the database. @@ -4195,10 +5339,6 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Generate a password for the entry. Gerar uma senha para a entrada. - - Length for the generated password. - Comprimento para a senha gerada. - length tamanho @@ -4248,18 +5388,6 @@ Espere alguns bugs e problemas menores, esta versão não é para uso em produç Perform advanced analysis on the password. Execute análise avançada sobre a senha. - - Extract and print the content of a database. - Extrair e imprimir o conteúdo do banco de dados. - - - Path of the database to extract. - Caminho do banco de dados para extração. - - - Insert password to unlock %1: - Inserir a senha para desbloquear 1%: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4303,10 +5431,6 @@ Comandos disponíveis: Merge two databases. Juntar dois bancos de dados. - - Path of the database to merge into. - Caminho do banco de dados para combinar. - Path of the database to merge from. Caminho do banco de dados para combinar como base. @@ -4383,10 +5507,6 @@ Comandos disponíveis: Browser Integration Integração com o Navegador - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey [%1] desafio resposta - Slot %2 - %3 - Press Aperte @@ -4417,10 +5537,6 @@ Comandos disponíveis: Generate a new random password. Gerar nova senha aleatória. - - Invalid value for password length %1. - Valor inválido para o tamanho da senha %1. - Could not create entry with path %1. Não foi possível criar uma entrada com o caminho %1. @@ -4478,17 +5594,13 @@ Comandos disponíveis: CLI parameter contagem - - Invalid value for password length: %1 - Valor inválido para o tamanho da senha: %1 - Could not find entry with path %1. Not changing any field for entry %1. - + Não mudar qualquer campo para a entrada %1. Enter new password for entry: @@ -4496,7 +5608,7 @@ Comandos disponíveis: Writing the database failed: %1 - + Gravação do banco de dados falhou: %1 Successfully edited entry %1. @@ -4606,26 +5718,6 @@ Comandos disponíveis: Failed to load key file %1: %2 Falha ao carregar o arquivo de chave %1: %2 - - File %1 does not exist. - Arquivo %1 não existe. - - - Unable to open file %1. - Não é possível abrir o arquivo %1. - - - Error while reading the database: -%1 - Erro ao ler o banco de dados: -%1 - - - Error while parsing the database: -%1 - Erro ao analisar o banco de dados: -%1 - Length of the generated password Comprimento da senha gerada @@ -4638,10 +5730,6 @@ Comandos disponíveis: Use uppercase characters Usar caracteres maiúsculos - - Use numbers. - Usar números. - Use special characters Usar caracteres especiais @@ -4785,21 +5873,13 @@ Comandos disponíveis: Successfully created new database. Novo banco de dados criado com sucesso. - - Insert password to encrypt database (Press enter to leave blank): - Inserir senha para criptografar banco de dados (Aperte enter para deixar em branco): - Creating KeyFile %1 failed: %2 - + Criação de Arquivo-Chave %1 falhou: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Remover entrada do banco de dados. + Carregamento de Arquivo-Chave %1 falhou: %2 Path of the entry to remove. @@ -4857,6 +5937,330 @@ Comandos disponíveis: Cannot create new group Não é possível criar um novo grupo + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versão %1 + + + Build Type: %1 + Tipo da Build: %1 + + + Revision: %1 + Revisão: %1 + + + Distribution: %1 + Distribuição: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistema operacional: %1 +Arquitetura da CPU: %2 +Kernel: %3 %4 + + + Auto-Type + Autodigitação + + + KeeShare (signed and unsigned sharing) + KeeShare (compartilhamento assinado e não assinado) + + + KeeShare (only signed sharing) + KeeShare (somente compartilhamento assinado) + + + KeeShare (only unsigned sharing) + KeeShare (apenas compartilhamento não assinado) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nada + + + Enabled extensions: + Extensões habilitadas: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + Analisar senhas por fraquezas e problemas. + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + Fechar o atual banco de dados aberto. + + + Display this help. + Mostrar esta ajuda. + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + Sair do modo interativo. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + Usar números + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + Comandos disponíveis: + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + Comando desconhecido %1 + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Banco de dados não foi modificado pela operação de mesclagem. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + Abrir um banco de dados. + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + Nome de usuário + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4939,7 +6343,7 @@ Comandos disponíveis: Every search term must match (ie, logical AND) - + Cada termo pesquisado deve corresponder (exemplo, logical AND) Modifiers @@ -5010,6 +6414,93 @@ Comandos disponíveis: Diferenciar maiúsculas e minúsculas + + SettingsWidgetFdoSecrets + + Options + Opções + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Geral + + + Show notification when credentials are requested + Mostrar notificação quando credenciais forem solicitadas + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + Nome do arquivo + + + Group + Grupo + + + Manage + Gerenciar + + + Authorization + Autorização + + + These applications are currently connected: + Esses aplicativos estão atualmente conectados: + + + Application + Aplicativo + + + Disconnect + Desconectar + + + Database settings + Configurações do Banco de Dados + + + Edit database settings + Editar configurações de banco de dados + + + Unlock database + Destrancar banco de dados + + + Unlock database to show more information + Desbloquear banco de dados para mostrar mais informações + + + Lock database + Trancar Banco de Dados + + + Unlock to show + Desbloquear para mostrar + + + None + Nada + + SettingsWidgetKeeShare @@ -5133,9 +6624,100 @@ Comandos disponíveis: Signer: Signatário: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + Mostrar apenas avisos e erros + + + Key + Chave + + + Signer name field + + + + Generate new certificate + Gerar novo certificado + + + Import existing certificate + Importar certificado existente + + + Export own certificate + Exportar próprio certificado + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + Remover certificado selecionado + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + + + + Could not write export container (%1) + + + + Could not embed signature: Could not open file to write (%1) + + + + Could not embed signature: Could not write file (%1) + + + + Could not embed database: Could not open file to write (%1) + + + + Could not embed database: Could not write file (%1) + Não foi possível incorporar o banco de dados: não foi possível gravar o arquivo (%1) + + + Overwriting unsigned share container is not supported - export prevented + A substituição de contêiner de compartilhamento não assinado não é suportada - exportação impedida + + + Could not write export container + Não foi possível escrever o contêiner de exportação + + + Unexpected export error occurred + Ocorreu um erro de exportação inesperado + + + + ShareImport Import from container without signature Importar do contêiner sem assinatura @@ -5148,6 +6730,10 @@ Comandos disponíveis: Import from container with certificate Importar do contêiner com certificado + + Do you want to trust %1 with the fingerprint of %2 from %3? + + Not this time Não dessa vez @@ -5164,18 +6750,6 @@ Comandos disponíveis: Just this time Só desta vez - - Import from %1 failed (%2) - Importação de %1 falhou (%2) - - - Import from %1 successful (%2) - Importado de %1 com sucesso (%2) - - - Imported from %1 - Importado de %1 - Signed share container are not supported - import prevented @@ -5216,42 +6790,33 @@ Comandos disponíveis: Unknown share container type + + + ShareObserver - Overwriting signed share container is not supported - export prevented - + Import from %1 failed (%2) + Importação de %1 falhou (%2) - Could not write export container (%1) - + Import from %1 successful (%2) + Importado de %1 com sucesso (%2) - Overwriting unsigned share container is not supported - export prevented - A substituição de contêiner de compartilhamento não assinado não é suportada - exportação impedida - - - Could not write export container - Não foi possível escrever o contêiner de exportação - - - Unexpected export error occurred - Ocorreu um erro de exportação inesperado + Imported from %1 + Importado de %1 Export to %1 failed (%2) - + Exportar para %1 falhou (%2) Export to %1 successful (%2) - + Exportado para %1 com sucesso (%2) Export to %1 Exportar para %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - - Multiple import source path to %1 in %2 @@ -5260,22 +6825,6 @@ Comandos disponíveis: Conflicting export target path %1 in %2 - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - Não foi possível incorporar o banco de dados: não foi possível gravar o arquivo (%1) - TotpDialog @@ -5293,7 +6842,7 @@ Comandos disponíveis: Expires in <b>%n</b> second(s) - Expira em <b>%n</b> segundo(s)Expira em <b>%n</b> segundo(s) + @@ -5322,10 +6871,6 @@ Comandos disponíveis: Setup TOTP Configurar TOTP - - Key: - Chave: - Default RFC 6238 token settings Configurações de símbolo padrão RFC 6238 @@ -5356,16 +6901,45 @@ Comandos disponíveis: Tamanho do código: - 6 digits - 6 dígitos + Secret Key: + - 7 digits - 7 dígitos + Secret key must be in Base32 format + - 8 digits - 8 dígitos + Secret key field + + + + Algorithm: + Algoritimo: + + + Time step field + + + + digits + dígitos + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + Confirmar Remoção de Configurações TOTP + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5449,6 +7023,14 @@ Comandos disponíveis: Welcome to KeePassXC %1 Bem-vindo ao KeePassXC %1 + + Import from 1Password + Importar do 1Password + + + Open a recent database + Abrir um banco de dados recente + YubiKeyEditWidget @@ -5472,5 +7054,13 @@ Comandos disponíveis: No YubiKey inserted. Nenhuma YubiKey inserida. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_pt_PT.ts b/share/translations/keepassx_pt_PT.ts index 1c264b06f..7f75f8dd4 100644 --- a/share/translations/keepassx_pt_PT.ts +++ b/share/translations/keepassx_pt_PT.ts @@ -95,6 +95,14 @@ Follow style Seguir estilo + + Reset Settings? + Repor definições? + + + Are you sure you want to reset all general and security settings to default? + Tem a certeza de que deseja repor todas as definições para os valores padrão? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Abrir apenas uma instância do KeepassXC - - Remember last databases - Memorizar últimas bases de dados - - - Remember last key files and security dongles - Memorizar últimos ficheiros-chave e dispositivos de segurança - - - Load previous databases on startup - Ao iniciar, carregar últimas base de dados utilizadas - Minimize window at application startup Minimizar janela ao iniciar a aplicação @@ -162,10 +158,6 @@ Use group icon on entry creation Utilizar ícone do grupo ao criar a entrada - - Minimize when copying to clipboard - Minimizar ao copiar para a área de transferência - Hide the entry preview panel Ocultar painel de pré-visualização de entradas @@ -194,10 +186,6 @@ Hide window to system tray when minimized Ao minimizar, ocultar a janela na bandeja do sistema - - Language - Idioma - Auto-Type Escrita automática @@ -231,21 +219,102 @@ Auto-Type start delay Atraso para iniciar a escrita automática - - Check for updates at application startup - Ao iniciar, verificar se existem atualizações - - - Include pre-releases when checking for updates - Incluir pré-lançamentos ao verificar se existem atualizações - Movable toolbar Barra de ferramentas amovível - Button style - Estilo do botão + Remember previously used databases + Memorizar últimas bases de dados utilizadas + + + Load previously open databases on startup + Ao iniciar, carregar as últimas base de dados utilizadas + + + Remember database key files and security dongles + Memorizar ficheiros-chave e dispositivos de segurança da base de dados + + + Check for updates at application startup once per week + Procurar por atualizações semanalmente + + + Include beta releases when checking for updates + Incluir versões beta ao procurar por atualizações + + + Button style: + Estilo dos botões: + + + Language: + Idioma: + + + (restart program to activate) + (reinicie para aplicar as alterações) + + + Minimize window after unlocking database + Minimizar janela após desbloquear a base de dados + + + Minimize when opening a URL + Minimizar ao abrir um URL + + + Hide window when copying to clipboard + Ocultar janela ao copiar para a área de transferência + + + Minimize + Minimizar + + + Drop to background + Enviar para segundo plano + + + Favicon download timeout: + Tempo limite para descarregar os 'favicons' + + + Website icon download timeout in seconds + Tempo limite para descarregar os ícones dos sites (em segundos) + + + sec + Seconds + seg + + + Toolbar button style + Estilo dos botões da barra de ferramentas + + + Use monospaced font for Notes + Utilizar letra mono-espaçada nas notas + + + Language selection + Seleção de idioma + + + Reset Settings to Default + Repor definições padrão + + + Global auto-type shortcut + Atalho global para escrita automática + + + Auto-type character typing delay milliseconds + Atraso para a escrita automática de caracteres (milissegundos) + + + Auto-type start delay milliseconds + Atraso para iniciar a escrita automática (milissegundos) @@ -320,8 +389,29 @@ Privacidade - Use DuckDuckGo as fallback for downloading website icons - Utilizar DuckDuckGo como recurso para descarregar os ícones dos sites + Use DuckDuckGo service to download website icons + Utilizar DuckDuckGo para descarregar os ícones dos sites + + + Clipboard clear seconds + Limpar área de transferência após + + + Touch ID inactivity reset + Repor inatividade de Touch ID + + + Database lock timeout seconds + Bloquear base de dados após (segundos) + + + min + Minutes + min + + + Clear search query after + Limpar campo de pesquisa após @@ -389,6 +479,17 @@ Sequência + + AutoTypeMatchView + + Copy &username + Copiar nome de &utilizador + + + Copy &password + Copiar &palavra-passe + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Selecionar entrada para escrita automática: + + Search... + Pesquisa... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 solicitou o acesso a palavras-passe para o(s) seguinte(s) itens. Selecione se deseja permitir o acesso. + + Allow access + Permitir acesso + + + Deny access + Recusar acesso + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Selecione a base de dados correta para guardar as credenciais. This is required for accessing your databases with KeePassXC-Browser Necessário para aceder às suas bases de dados com KeePassXC-Browser - - Enable KeepassXC browser integration - Ativar integração com o navegador - General Geral @@ -533,10 +642,6 @@ Selecione a base de dados correta para guardar as credenciais. Credentials mean login data requested via browser extension Nun&ca perguntar antes de atualizar as credenciais - - Only the selected database has to be connected with a client. - Apenas a base de dados selecionada tem que estar conectada a um cliente. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Selecione a base de dados correta para guardar as credenciais. &Tor Browser Navegador &Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Atenção</b>, a aplicação keepassxc-proxy não foi encontrada!<br />Verifique o diretório de instalação do KeePassXC ou confirme o caminho nas definições avançadas.<br />A integração com o navegador não irá funcionar sem esta aplicação.<br />Caminho esperado: - Executable Files Ficheiros executáveis @@ -619,7 +720,51 @@ Selecione a base de dados correta para guardar as credenciais. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 - Necessita de KeePassXC-Browser para que a integração funcione corretamente.<br />Pode descarregar para %1 e %2. %3 + Necessita de KeePassXC-Browser para que a integração funcione corretamente.<br />Pode descarregar para %1 e para %2. %3 + + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + Devolve as credenciais expiradas. Adicionar [expirada] ao título. + + + &Allow returning expired credentials. + Permitir devolução de credencias expir&adas. + + + Enable browser integration + Ativar integração com o navegador + + + Browsers installed as snaps are currently not supported. + Ainda não temos suporte a navegadores no formato Snap. + + + All databases connected to the extension will return matching credentials. + Todas as bases de dados conectadas à extensão devolverão as credenciais coincidentes. + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + Não mostrar janela para que sugere a migração das definições KeePassHTTP legadas. + + + &Do not prompt for KeePassHTTP settings migration. + Não perguntar para migrar as &definições KeePassHTTP. + + + Custom proxy location field + Campo Localização do proxy personalizado + + + Browser for custom proxy file + Navegador para o ficheiro do proxy personalizado + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>Atenção</b>, a aplicação keepassxc-proxy não foi encontrada!<br />Verifique o diretório de instalação do KeePassXC ou confirme o caminho nas definições avançadas.<br />A integração com o navegador não irá funcionar sem esta aplicação.<br />Caminho esperado: %1 @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Este procedimento é necessário para manter as ligações existentes. Gostaria de migrar agora as definições? + + Don't show this warning again + Não mostrar novamente + CloneDialog @@ -772,10 +921,6 @@ Gostaria de migrar agora as definições? First record has field names Primeiro registo tem nome dos campos - - Number of headers line to discard - Número de linhas de cabeçalho a ignorar - Consider '\' an escape character Considerar '\' como carácter de escape @@ -826,12 +971,28 @@ Gostaria de migrar agora as definições? Importação CSV com erros: %1 + + Text qualification + Qualificação de texto + + + Field separation + Separação de campos + + + Number of header lines to discard + Número de linhas de cabeçalho a desconsiderar + + + CSV import preview + Pré-visualização da importação CSV + CsvParserModel %n column(s) - %n coluna,%n coluna(s), + %n coluna%n colunas %1, %2, %3 @@ -866,10 +1027,6 @@ Gostaria de migrar agora as definições? Error while reading the database: %1 Erro ao ler a base de dados: %1 - - Could not save, database has no file name. - Não é possível guardar porque a base de dados não tem nome. - File cannot be written as it is opened in read-only mode. Não é possível escrever no ficheiro porque este foi aberto no modo de leitura. @@ -878,6 +1035,28 @@ Gostaria de migrar agora as definições? Key not transformed. This is a bug, please report it to the developers! Chave não transformada. Isto é um erro e deve ser reportado aos programadores! + + %1 +Backup database located at %2 + %1 +Backup localizado em %2 + + + Could not save, database does not point to a valid file. + Não foi possível guardar porque a base de dados não indica um ficheiro válido. + + + Could not save, database file is read-only. + Não foi possível guardar porque a base de dados está no modo de leitura. + + + Database file has unmerged changes. + A base de dados tem alterações não guardadas. + + + Recycle Bin + Reciclagem + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Gostaria de migrar agora as definições? DatabaseOpenWidget - - Enter master key - Introduza a chave-mestre - Key File: Ficheiro-chave: - - Password: - Palavra-passe: - - - Browse - Explorar - Refresh Recarregar - - Challenge Response: - Pergunta de segurança: - Legacy key file format Ficheiro-chave no formato legado @@ -943,20 +1106,99 @@ Deve considerar a geração de um novo ficheiro-chave. Selecione o ficheiro-chave - TouchID for quick unlock + Failed to open key file: %1 + Não foi possível abrir o ficheiro chave: %1 + + + Select slot... + Selecionar 'slot' + + + Unlock KeePassXC Database + Desbloquear base de dados do KeePassXC + + + Enter Password: + Introduza a palavra-passe: + + + Password field + Campo Palavra-passe + + + Toggle password visibility + Alternar visibilidade da palavra-passe + + + Enter Additional Credentials: + Introduza as credenciais adicionais: + + + Key file selection + Seleção do ficheiro-chave + + + Hardware key slot selection + + + + Browse for key file + Procurar ficheiro-chave + + + Browse... + Explorar... + + + Refresh hardware tokens + Recarregar 'tokens' de hardware + + + Hardware Key: + Chave de hardware: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + Ajuda para a chave de hardware + + + TouchID for Quick Unlock TouchID para desbloqueio rápido - Unable to open the database: -%1 - Não foi possível abrir a base de dados: -%1 + Clear + Limpar - Can't open key file: -%1 - Não foi possível abrir o ficheiro-chave: -%1 + Clear Key File + Limpar ficheiro-chave + + + Select file... + Selecionar ficheiro + + + Unlock failed and no password given + Não foi possível desbloquear e palavra-passe não introduzida + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Não foi possível desbloquear a base de dados e não foi introduzida uma palavra-passe. +Deseja tentar com uma palavra-passe vazia? + +Para impedir que este erro surja novamente, deve aceder a Definições da base de dados -> Segurança para repor a palavra-passe. + + + Retry with empty password + Tentar com palavra-passe vazia @@ -990,7 +1232,7 @@ Deve considerar a geração de um novo ficheiro-chave. Browser Integration - Integração com navegador + Integração com o navegador @@ -1065,7 +1307,7 @@ Esta ação pode interferir com a ligação ao suplemento. Successfully removed %n encryption key(s) from KeePassXC settings. - Removida com sucesso %n chave de cifra das definições do KeePassXC.Removidas com sucesso %n chaves de cifra das definições do KeePassXC. + %n chave de cifra removida das definições do KeePassXC.%n chaves de cifra removidas das definições do KeePassXC. Forget all site-specific settings on entries @@ -1111,6 +1353,14 @@ This is necessary to maintain compatibility with the browser plugin. Tem a certeza de que deseja atualizar todos os dados legados para a versão mais recente? Esta atualização é necessária para manter a compatibilidade com o suplemento. + + Stored browser keys + Chaves armazenadas + + + Remove selected key + Remover chave selecionada + DatabaseSettingsWidgetEncryption @@ -1231,7 +1481,7 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm Failed to transform key with new KDF parameters; KDF unchanged. - Erro ao transformar a chave com os novos parâmetros KDF; KDF inalterado. + Não foi possível transformar a chave com os novos parâmetros KDF; KDF inalterado. MiB @@ -1241,7 +1491,7 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm thread(s) Threads for parallel execution (KDF settings) - processo processos + processoprocessos %1 ms @@ -1253,6 +1503,57 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm seconds %1 s%1 s + + Change existing decryption time + Alterar tempo de decifragem + + + Decryption time in seconds + Tem de decifragem em segundos + + + Database format + Formato da base de dados + + + Encryption algorithm + Algoritmo de cifra + + + Key derivation function + Função derivação de chave + + + Transform rounds + Ciclos de transformação + + + Memory usage + Utilização de memória + + + Parallelism + Paralelismo + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Entradas expostas + + + Don't e&xpose this database + Não e&xpor esta base de dados + + + Expose entries &under this group: + Expor entradas existentes neste gr&upo: + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1300,6 +1601,40 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm Enable &compression (recommended) Ativar compr&essão (recomendado) + + Database name field + Campo Nome da base de dados + + + Database description field + Campo Descrição da base de dados + + + Default username field + Campo Nome de utilizador + + + Maximum number of history items per entry + Número máximo de itens de histórico por entrada + + + Maximum size of history per entry + Tamanho de histórico por entrada + + + Delete Recycle Bin + Limpar reciclagem + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Tem a certeza de que deseja limpar a reciclagem e o seu conteúdo? +Esta ação é irreversível. + + + (old) + (antiga) + DatabaseSettingsWidgetKeeShare @@ -1365,7 +1700,11 @@ Tem a certeza de que deseja continuar? Failed to change master key - Erro ao alterar a chave-mestre + Não foi possível alterar a chave-mestre + + + Continue without password + Continuar sem palavra-passe @@ -1378,6 +1717,129 @@ Tem a certeza de que deseja continuar? Description: Descrição: + + Database name field + Campo Nome da base de dados + + + Database description field + Campo Descrição da base de dados + + + + DatabaseSettingsWidgetStatistics + + Statistics + Estatísticas + + + Hover over lines with error icons for further information. + Passe com o rato por cima das linhas com o erros para mais informações. + + + Name + Nome + + + Value + Valor + + + Database name + Nome da base de dados + + + Description + Descrição + + + Location + Localização + + + Last saved + Última gravação + + + Unsaved changes + Alterações por guardar + + + yes + sim + + + no + não + + + The database was modified, but the changes have not yet been saved to disk. + A base de dados foi modificada mas as alterações ainda não foram guardadas. + + + Number of groups + Número de grupos + + + Number of entries + Numero de entradas + + + Number of expired entries + Número de entradas expiradas + + + The database contains entries that have expired. + A base de dados contém entradas expiradas. + + + Unique passwords + Palavras-passe unívocas + + + Non-unique passwords + Palavras-passe não unívocas + + + More than 10% of passwords are reused. Use unique passwords when possible. + Mais de 10% das palavras-passes foram reutilizadas. Se possível, utilize palavras-passe unívocas. + + + Maximum password reuse + Número máximo de reutilizações + + + Some passwords are used more than three times. Use unique passwords when possible. + Algumas palavras-passe estão a ser utilizadas mais do que 3 vezes. Se possível, utilize palavras-passes unívocas. + + + Number of short passwords + Número de palavras-passes curtas + + + Recommended minimum password length is at least 8 characters. + Recomendamos que utilize palavras-passe com um mínimo de 8 caracteres. + + + Number of weak passwords + Número de palavras-passe fracas + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + Recomendamos que utilize palavras-passe longas e aleatórias e que tenham uma avaliação 'boa' ou 'excelente'. + + + Average password length + Tamanho médio das palavras-passe + + + %1 characters + %1 caracteres + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1415,7 +1877,7 @@ Tem a certeza de que deseja continuar? Writing the CSV file failed. - Erro ao escrever no ficheiro CSV. + Não foi possível escrever no ficheiro CSV. Database creation error @@ -1427,10 +1889,6 @@ This is definitely a bug, please report it to the developers. A base de dados criada não tem chave ou KDF e não pode ser guardada. Existe aqui um erro que deve ser reportado aos programadores. - - The database file does not exist or is not accessible. - O ficheiro da base de dados não existe ou não pode ser acedido. - Select CSV file Selecionar ficheiro CSV @@ -1454,6 +1912,30 @@ Existe aqui um erro que deve ser reportado aos programadores. Database tab name modifier %1 [Apenas leitura] + + Failed to open %1. It either does not exist or is not accessible. + Não foi possível abrir %1. Provavelmente não existe ou não pode ser acedida. + + + Export database to HTML file + Exportar base de dados para um ficheiro HTML + + + HTML file + Ficheiro HTML + + + Writing the HTML file failed. + Não foi possível escrever o ficheiro HTML. + + + Export Confirmation + Confirmação de exportação + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + Está prestes a exportar a sua base de dados para um ficheiro não cifrado. As suas palavras-passe e informações pessoais ficarão vulneráveis. Tem a certeza de que deseja continuar? + DatabaseWidget @@ -1471,7 +1953,7 @@ Existe aqui um erro que deve ser reportado aos programadores. Do you really want to move %n entry(s) to the recycle bin? - Tem a certeza de que deseja mover %n entrada para a reciclagem?Tem a certeza de que deseja mover %n entradas para a reciclagem? + Deseja mesmo mover %n entrada para a reciclagem?Deseja mesmo mover %n entradas para a reciclagem? Execute command? @@ -1543,10 +2025,6 @@ Deseja combinar as suas alterações? Move entry(s) to recycle bin? Mover entrada para a reciclagem?Mover entradas para a reciclagem? - - File opened in read only mode. - Ficheiro aberto no modo de leitura. - Lock Database? Bloquear base de dados? @@ -1586,12 +2064,6 @@ Erro: %1 Disable safe saves and try again? O KeePassXC não conseguiu guardar a base de dados múltiplas vezes. Muito provavelmente, os serviços de sincronização não o permitiram. Desativar salvaguardas e tentar novamente? - - - Writing the database failed. -%1 - Erro ao escrever na base de dados: -%1 Passwords @@ -1611,7 +2083,7 @@ Desativar salvaguardas e tentar novamente? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - A entrada "%1" tem %2 referência. Deseja substituir as referências com valores, ignorar a entrada ou apagar?A entrada "%1" tem %2 referências. Deseja substituir as referências com valores, ignorar a entrada ou apagar? + A entrada "%1" tem %2 referência. Deseja substituir as referência com valores, ignorar a entrada ou apagar?A entrada "%1" tem %2 referências. Deseja substituir as referências com valores, ignorar a entrada ou apagar? Delete group @@ -1637,6 +2109,14 @@ Desativar salvaguardas e tentar novamente? Shared group... Grupo partilhado... + + Writing the database failed: %1 + Não foi possível escrever na base de dados: %1 + + + This database is opened in read-only mode. Autosave is disabled. + Esta base de dados está aberta no modo de leitura. Não é possível guardar as alterações. + EditEntryWidget @@ -1686,7 +2166,7 @@ Desativar salvaguardas e tentar novamente? Failed to open private key - Erro ao abrir a chave privada + Não foi possível abrir a chave privada Entry history @@ -1756,6 +2236,18 @@ Desativar salvaguardas e tentar novamente? Confirm Removal Confirmação de remoção + + Browser Integration + Integração com o navegador + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + Tem a certeza de que deseja remover este URL? + EditEntryWidgetAdvanced @@ -1795,6 +2287,42 @@ Desativar salvaguardas e tentar novamente? Background Color: Cor secundária: + + Attribute selection + Seleção de atributo + + + Attribute value + Valor do atributo + + + Add a new attribute + Adicionar novo atributo + + + Remove selected attribute + Remover atributo selecionado + + + Edit attribute name + Editar nome do atributo + + + Toggle attribute protection + Alternar proteção do atributo + + + Show a protected attribute + Mostrar atributo protegido + + + Foreground color selection + Cor principal + + + Background color selection + Cor secundária + EditEntryWidgetAutoType @@ -1830,6 +2358,77 @@ Desativar salvaguardas e tentar novamente? Use a specific sequence for this association: Utilizar sequência específica para esta associação: + + Custom Auto-Type sequence + Sequência personalizada de escrita automática + + + Open Auto-Type help webpage + Abrir pagina de ajuda sobre escrita automática + + + Existing window associations + Associações de janela existentes + + + Add new window association + Adicionar nova associação de janela + + + Remove selected window association + Remover associação de janela selecionada + + + You can use an asterisk (*) to match everything + Pode utilizar um asterisco (*) para correspondência global + + + Set the window association title + Definir título de associação da janela + + + You can use an asterisk to match everything + Pode utilizar um asterisco para correspondência global + + + Custom Auto-Type sequence for this window + Sequência personalizada de escrita automática para esta janela + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + Estas definições afetam o comportamento da entrada com a extensão do navegador. + + + General + Geral + + + Skip Auto-Submit for this entry + Ignorar submissão automática par esta entrada + + + Hide this entry from the browser extension + Ocultar esta entrada da extensão do navegador + + + Additional URL's + URL(s) extra + + + Add + Adicionar + + + Remove + Remover + + + Edit + Editar + EditEntryWidgetHistory @@ -1849,6 +2448,26 @@ Desativar salvaguardas e tentar novamente? Delete all Apagar tudo + + Entry history selection + Seleção de histórico de entradas + + + Show entry at selected history state + Mostrar entrada num estado do histórico + + + Restore entry to selected history state + Restaurar entrada para um valor do histórico + + + Delete selected history state + Apagar estado do histórico selecionado + + + Delete all history + Apagar todo o histórico + EditEntryWidgetMain @@ -1888,6 +2507,62 @@ Desativar salvaguardas e tentar novamente? Expires Expira + + Url field + Campo URL + + + Download favicon for URL + Descarregar 'favicon' para o URL + + + Repeat password field + Campo Repetição de palavra-passe + + + Toggle password generator + Alternar gerador de palavras-passe + + + Password field + Campo Palavra-passe + + + Toggle password visibility + Alternar visibilidade da palavra-passe + + + Toggle notes visible + Alternar visibilidade das notas + + + Expiration field + Campo Expira + + + Expiration Presets + Predefinições de expiração + + + Expiration presets + Predefinições de expiração + + + Notes field + Campo Notas + + + Title field + Campo Título + + + Username field + Campo Nome de utilizador + + + Toggle expiration + Alternar expiração + EditEntryWidgetSSHAgent @@ -1946,7 +2621,7 @@ Desativar salvaguardas e tentar novamente? Browse... Button for opening file dialog - Procurar... + Explorar... Attachment @@ -1964,6 +2639,22 @@ Desativar salvaguardas e tentar novamente? Require user confirmation when this key is used Solicitar confirmação para utilizar esta chave + + Remove key from agent after specified seconds + Remover chave do agente após os segundos definidos + + + Browser for key file + Explorador para ficheiro-chave + + + External key file + Ficheiro-chave externo + + + Select attachment file + Selecionar anexo + EditGroupWidget @@ -1999,6 +2690,10 @@ Desativar salvaguardas e tentar novamente? Inherit from parent group (%1) Herdar do grupo (%1) + + Entry has unsaved changes + A entrada tem alterações por guardar + EditGroupWidgetKeeShare @@ -2026,35 +2721,6 @@ Desativar salvaguardas e tentar novamente? Inactive Inativo - - Import from path - Importar do caminho - - - Export to path - Exportar para o caminho - - - Synchronize with path - Sincronizar com o caminho - - - Your KeePassXC version does not support sharing your container type. Please use %1. - A sua versão do KeePassXC não tem suporte a partilha do tipo de contentor. -Por favor utilize %1. - - - Database sharing is disabled - A partilha da base de dados está desativada - - - Database export is disabled - A exportação da base de dados está desativada - - - Database import is disabled - A importação da base de dados está desativada - KeeShare unsigned container Contentor KeeShare não assinado @@ -2080,16 +2746,74 @@ Por favor utilize %1. Limpar - The export container %1 is already referenced. - O contentor de exportação %1 já está referenciado. + Import + Importar - The import container %1 is already imported. - O contentor de importação %1 já está referenciado. + Export + Exportar - The container %1 imported and export by different groups. - Erro ao exportar. A partilha %1 está a ser importada por outro grupo. + Synchronize + Sincronizar + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + A sua versão de KeePasXC não tem suporte a partilha deste tipo de contentor. As extensões suportadas são: %1 + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare está desativada. Pode ativar a importação/exportação nas definições. + + + Database export is currently disabled by application settings. + As suas definições não permitem exportação de bases de dados. + + + Database import is currently disabled by application settings. + As suas definições não permitem importação de bases de dados. + + + Sharing mode field + Campo Modo de partilha + + + Path to share file field + Caminho para o campo ficheiro de partilha + + + Browser for share file + Explorador para o ficheiro de partilha + + + Password field + Campo Palavra-passe + + + Toggle password visibility + Alternar visibilidade da palavra-passe + + + Toggle password generator + Alternar gerador de palavras-passe + + + Clear fields + Limpar campos @@ -2122,6 +2846,34 @@ Por favor utilize %1. Set default Auto-Type se&quence Definir se&quência padrão para escrita automática + + Name field + Campo Nome + + + Notes field + Campo Notas + + + Toggle expiration + Alternar expiração + + + Auto-Type toggle for this and sub groups + Alternar escrita automática para este grupo e sub-grupos. + + + Expiration field + Campo Expira + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2157,29 +2909,17 @@ Por favor utilize %1. All files Todos os ficheiros - - Custom icon already exists - Já existe um ícone personalizado - Confirm Delete Confirmação de eliminação - - Custom icon successfully downloaded - Ícone personalizado descarregado com sucesso - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Dica: pode ativar o serviço DuckDuckGo como recurso em Ferramentas -> Definições -> Segurança - Select Image(s) Selecionar imagens Successfully loaded %1 of %n icon(s) - %1 de %n ícones carregado com sucesso.%1 de %n ícones carregados com sucesso. + %1 de %n ícone carregados com sucesso.%1 de %n ícones carregados com sucesso. No icons were loaded @@ -2191,12 +2931,48 @@ Por favor utilize %1. The following icon(s) failed: - O ícone seguinte falhou:Os ícones seguintes falharam: + Falha no seguinte ícone:Falha nos seguintes ícones: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? Este ícone é utilizado por % entrada e será substituído pelo ícone padrão. Tem a certeza de que deseja apagar o ícone?Este ícone é utilizado por % entradas e será substituído pelo ícone padrão. Tem a certeza de que deseja apagar o ícone? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + Pode ativar o serviço DuckDuckGo em Ferramentas -> Definições -> Segurança + + + Download favicon for URL + Descarregar 'favicon' para o URL + + + Apply selected icon to subgroups and entries + Aplicar ícone aos sub-grupos e entradas + + + Apply icon &to ... + Aplicar ícone &a... + + + Apply to this only + Aplicar apenas a este + + + Also apply to child groups + Aplicar aos grupos dependentes + + + Also apply to child entries + Aplicar às entradas dependentes + + + Also apply to all children + Aplicar também aos dependentes + + + Existing icon selected. + Selecionou um ícone existente. + EditWidgetProperties @@ -2242,6 +3018,30 @@ Esta ação pode implicar um funcionamento errático. Value Valor + + Datetime created + Data/hora de criação + + + Datetime modified + Data/hora de modificação + + + Datetime accessed + Data/hora de acesso + + + Unique ID + ID unívoca + + + Plugin data + Dados do suplemento + + + Remove selected plugin data + Remover dados do suplemento selecionado + Entry @@ -2338,6 +3138,26 @@ Esta ação pode implicar um funcionamento errático. %1Não foi possível abrir os ficheiros: %1 + + Attachments + Anexos + + + Add new attachment + Adicionar novo anexo + + + Remove selected attachment + Remover anexo selecionado + + + Open selected attachment + Abrir anexo selecionado + + + Save selected attachment to disk + Guardar anexo selecionado para o disco + EntryAttributesModel @@ -2431,10 +3251,6 @@ Esta ação pode implicar um funcionamento errático. EntryPreviewWidget - - Generate TOTP Token - A gerar token TOTP - Close Fechar @@ -2453,7 +3269,7 @@ Esta ação pode implicar um funcionamento errático. Expiration - Expira + Expiração URL @@ -2520,6 +3336,14 @@ Esta ação pode implicar um funcionamento errático. Share Partilhar + + Display current TOTP value + Mostrar valor TOTP atual + + + Advanced + Avançado + EntryView @@ -2553,11 +3377,33 @@ Esta ação pode implicar um funcionamento errático. - Group + FdoSecrets::Item - Recycle Bin - Reciclagem + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + Não foi possível registar o serviço DBus em %1: já existe um serviço em execução. + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo Secret Service: %1 + + + + Group [empty] group has no children @@ -2575,6 +3421,59 @@ Esta ação pode implicar um funcionamento errático. Não foi possível guardar o ficheiro de mensagens nativas. + + IconDownloaderDialog + + Download Favicons + Descarregar 'favicons' + + + Cancel + Cancelar + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + Problemas para descarregar ícones? +Pode ativar o serviço DuckDuckGo na secção 'Segurança' das definições. + + + Close + Fechar + + + URL + URL + + + Status + Estado + + + Please wait, processing entry list... + Por favor aguarde... + + + Downloading... + A descarregar... + + + Ok + Aceitar + + + Already Exists + Já existe + + + Download Failed + Falha ao descarregar + + + Downloading favicons (%1/%2)... + A descarregar (%1/%2)... + + KMessageWidget @@ -2596,10 +3495,6 @@ Esta ação pode implicar um funcionamento errático. Unable to issue challenge-response. Não foi possível emitir a pergunta de segurança. - - Wrong key or database file is corrupt. - Chave errada ou base de dados danificada. - missing database headers cabeçalhos em falta da base de dados @@ -2620,6 +3515,11 @@ Esta ação pode implicar um funcionamento errático. Invalid header data length Comprimento dos dados de cabeçalho inválido + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2650,10 +3550,6 @@ Esta ação pode implicar um funcionamento errático. Header SHA256 mismatch Disparidade no cabeçalho SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Chave errada ou base de dados danificada (disparidade HMAC) - Unknown cipher Cifra desconhecida @@ -2672,7 +3568,7 @@ Esta ação pode implicar um funcionamento errático. Failed to open buffer for KDF parameters in header - Erro ao processar os parâmetros KDF no cabeçalho + Não foi possível processar os parâmetros KDF no cabeçalho Unsupported key derivation function (KDF) or invalid parameters @@ -2754,6 +3650,15 @@ Esta ação pode implicar um funcionamento errático. Translation: variant map = data structure for storing meta data Tamanho inválido do tipo de campo da variante do mapa + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + (Disparidade HMAC) + Kdbx4Writer @@ -2773,7 +3678,7 @@ Esta ação pode implicar um funcionamento errático. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - Erro ao serializar os parâmetros KDF da variante do mapa + Não foi possível serializar os parâmetros KDF da variante do mapa @@ -2849,7 +3754,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados KdbxXmlReader XML parsing failure: %1 - Erro ao processar o XML: %1 + Não foi possível processar o XML: %1 No root group @@ -2873,7 +3778,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Invalid group icon number - Número inválido no ícone de grupo + Número inválido de ícone de grupo Invalid EnableAutoType value @@ -2889,11 +3794,11 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Null DeleteObject uuid - UUID nulo em DeleteObject + UUID de DeleteObject nulo Missing DeletedObject uuid or time - Tempo ou UUID em falta para DeletedObject + Tempo ou UUID de DeletedObject em falta Null entry uuid @@ -2909,7 +3814,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados No entry uuid found - Não foi encontrado o UUID da entrada + Não foi encontrada uma entrada UUID History element with different uuid @@ -2975,14 +3880,14 @@ Linha %2, coluna %3 KeePass1OpenWidget - - Import KeePass1 database - Importar base de dados do KeePass 1 - Unable to open the database. Não foi possível abrir a base de dados. + + Import KeePass1 Database + Importar base de dados do KeePass 1 + KeePass1Reader @@ -3021,7 +3926,7 @@ Linha %2, coluna %3 Invalid transform seed size - Tamanho inválido na semente de transformação + Tamanho inválido da semente de transformação Invalid number of transform rounds @@ -3039,13 +3944,9 @@ Linha %2, coluna %3 Unable to calculate master key Não foi possível calcular a chave-mestre - - Wrong key or database file is corrupt. - Chave errada ou base de dados danificada. - Key transformation failed - Erro ao transformar a chave + Não foi possível transformar a chave Invalid group field type number @@ -3139,40 +4040,57 @@ Linha %2, coluna %3 unable to seek to content position Não foi possível pesquisar no conteúdo + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Partilha desativada + Invalid sharing reference + Referência de partilha inválida - Import from - Importar de + Inactive share %1 + Partilha %1 inativa - Export to - Exportar para + Imported from %1 + Importada de %1 - Synchronize with - Sincronizar com + Exported to %1 + Exportada para %1 - Disabled share %1 - Desativar partilha %1 + Synchronized with %1 + Sincronizada com %1 - Import from share %1 - Importar da partilha %1 + Import is disabled in settings + A importação está desativada nas definições - Export to share %1 - Exportar para a partilha %1 + Export is disabled in settings + A exportação está desativada nas definições - Synchronize with share %1 - Sincronizar com a partilha %1 + Inactive share + Partilha inativa + + + Imported from + Importada de + + + Exported to + Exportada para + + + Synchronized with + Sincronizada com @@ -3216,10 +4134,6 @@ Linha %2, coluna %3 KeyFileEditWidget - - Browse - Explorar - Generate Gerar @@ -3234,7 +4148,7 @@ Linha %2, coluna %3 Legacy key file format - Formato legado de ficheiro-chave + Ficheiro-chave no formato legado You are using a legacy key file format which may become @@ -3276,6 +4190,44 @@ Mensagem: %2 Select a key file Selecione o ficheiro-chave + + Key file selection + Seleção do ficheiro-chave + + + Browse for key file + Procurar ficheiro-chave + + + Browse... + Explorar... + + + Generate a new key file + Gerar um novo ficheiro-chave + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + AVISO: Não utilize um ficheiro que possa ser alterado pois poderá deixará de conseguir desbloquear a sua base de dados! + + + Invalid Key File + Ficheiro-chave inválido + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + Não pode utilizar o ficheiro da base de dados atual como ficheiro-chave. Escolha um ficheiro diferente ou crie um novo ficheiro-chave. + + + Suspicious Key File + Ficheiro-chave suspeito + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + Parece que o ficheiro-chave utilizado é um ficheiro de uma base de dados. Deve utilizar um ficheiro estático ou deixará de conseguir aceder à sua base de dados. +Tem a certeza de que deseja utilizar este ficheiro? + MainWindow @@ -3363,10 +4315,6 @@ Mensagem: %2 &Settings Definiçõe&s - - Password Generator - Gerador de palavras-passe - &Lock databases B&loquear bases de dados @@ -3553,14 +4501,6 @@ Recomendamos que utilize a versão AppImage disponível no nosso site.Show TOTP QR Code... Mostrar código QR TOTP... - - Check for Updates... - Procurar atualizações... - - - Share entry - Partilhar entrada - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3579,6 +4519,74 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes You can always check for updates manually from the application menu. Também pode verificar se existem atualizações através do menu da aplicação. + + &Export + &Exportar + + + &Check for Updates... + Pro&curar atualizações... + + + Downlo&ad all favicons + Descarreg&ar tos os 'favicon' + + + Sort &A-Z + De &A-Z + + + Sort &Z-A + De &Z-A + + + &Password Generator + Gerador de &palavras-passe + + + Download favicon + Descarregar 'favicon' + + + &Export to HTML file... + &Exportar para ficheiro HTML... + + + 1Password Vault... + Cofre 1Password + + + Import a 1Password Vault + Importar um cofre 1Password + + + &Getting Started + &Iniciação + + + Open Getting Started Guide PDF + Abrir guia de iniciação em PDF + + + &Online Help... + Ajuda &online... + + + Go to online documentation (opens browser) + Ir para a ajuda online (no navegador web) + + + &User Guide + Guia de &utilizador + + + Open User Guide PDF + Abrir guia de utilizador em PDF + + + &Keyboard Shortcuts + Atal&hos do teclado + Merger @@ -3638,12 +4646,20 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Adding missing icon %1 Adicionar ícone em falta %1 + + Removed custom data %1 [%2] + Dados personalizados removidos %1 [%2] + + + Adding custom data %1 [%2] + A adicionar dados personalizados %1 [%2] + NewDatabaseWizard Create a new KeePassXC database... - Criar uma nova base de dados do KeePassXC... + A criar uma nova base de dados do KeePassXC... Root @@ -3707,6 +4723,72 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Preencha o nome de exibição e uma descrição extra para a sua nova base de dados: + + OpData01 + + Invalid OpData01, does not contain header + OpData01 inválido porque não tem um cabeçalho. + + + Unable to read all IV bytes, wanted 16 but got %1 + Não foi possível ler todos os bytes IV, necessita 16 e obteve %1 + + + Unable to init cipher for opdata01: %1 + Não foi possível iniciar a cifra para OpData01: %1 + + + Unable to read all HMAC signature bytes + Não foi possível ler todos os bytes da assinatura HMAC + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + Tem que existir um diretório .opvault + + + Directory .opvault must be readable + O diretório .opvault tem que ser legível + + + Directory .opvault/default must exist + Tem que existir o diretório .opvault/default + + + Directory .opvault/default must be readable + O diretório .opvault/default tem que ser legível + + + Unable to decode masterKey: %1 + Não foi possível descodificar a chave-mestre: %1 + + + Unable to derive master key: %1 + Não foi possível derivar a chave-mestre: %1 + + OpenSSHKey @@ -3719,7 +4801,7 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Base64 decoding failed - Erro de descodificação Base64 + Falha de descodificação Base64 Key file way too small. @@ -3735,11 +4817,11 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Failed to read public key. - Erro ao ler a chave pública. + Não foi possível ler a chave pública. Corrupted key file, reading private key failed - Ficheiro danificado, erro ao ler a chave privada + Ficheiro danificado, não foi possível ler a chave privada No private key payload to decrypt @@ -3755,11 +4837,11 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Key derivation failed, key file corrupted? - Erro na derivação da chave, ficheiro-chave danificado? + Falha na derivação da chave, ficheiro-chave danificado? Decryption failed, wrong passphrase? - Erro ao decifrar, frase-chave errada? + Falha ao decifrar, frase-chave errada? Unexpected EOF while reading public key @@ -3806,6 +4888,17 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Tipo de chave desconhecido: %1 + + PasswordEdit + + Passwords do not match + Disparidade nas palavras-passe + + + Passwords match so far + + + PasswordEditWidget @@ -3832,6 +4925,22 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Generate master password Gerar palavra-passe principal + + Password field + Campo Palavra-passe + + + Toggle password visibility + Alternar visibilidade da palavra-passe + + + Repeat password field + Campo Repetição de palavra-passe + + + Toggle password generator + Alternar gerador de palavras-passe + PasswordGeneratorWidget @@ -3860,22 +4969,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Character Types Tipos de caracteres - - Upper Case Letters - Letras maiúsculas - - - Lower Case Letters - Letras minúsculas - Numbers Números - - Special Characters - Caracteres especiais - Extended ASCII ASCII expandido @@ -3956,18 +5053,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Advanced Avançado - - Upper Case Letters A to F - Letras maiúsculas de A até F - A-Z A-Z - - Lower Case Letters A to F - Letras minúsculas de A até F - a-z a-z @@ -4000,18 +5089,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes " ' " ' - - Math - Matemática - <*+!?= <*+!?= - - Dashes - Traços - \_|-/ \_|-/ @@ -4060,6 +5141,74 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Regenerate Recriar + + Generated password + Palavra-passe gerada + + + Upper-case letters + Letras maiúsculas + + + Lower-case letters + Letras minúsculas + + + Special characters + Caracteres especiais + + + Math Symbols + Símbolos matemáticos + + + Dashes and Slashes + Traços e travessões + + + Excluded characters + Caracteres excluídos + + + Hex Passwords + Palavras-passe Hex + + + Password length + Tamanho da palavra-passe + + + Word Case: + + + + Regenerate password + Recriar palavra-passe + + + Copy password + Copiar senha + + + Accept password + Aceitar palavra-passe + + + lower case + minúsculas + + + UPPER CASE + MAIÚSCULAS + + + Title Case + Primeira Letra Em Maiúscula + + + Toggle password visibility + Alternar visibilidade da palavra-passe + QApplication @@ -4067,12 +5216,9 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes KeeShare KeeShare - - - QFileDialog - Select - Selecionar + Statistics + Estatísticas @@ -4109,6 +5255,10 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Merge Combinar + + Continue + Continuar + QObject @@ -4134,7 +5284,7 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes KeePassXC association failed, try again - Erro ao associar o KeePassXC. Tente novamente. + Não foi possível associar KeePassXC. Tente novamente. Encryption key is not recognized @@ -4200,10 +5350,6 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Generate a password for the entry. Gerar palavra-passe para a entrada. - - Length for the generated password. - Tamanho da palavra-passe gerada. - length tamanho @@ -4253,18 +5399,6 @@ Pode encontrar erros graves e esta versão não deve ser utilizada em ambientes Perform advanced analysis on the password. Executar análise avançada da palavra-passe. - - Extract and print the content of a database. - Extrair e mostrar o conteúdo da base de dados. - - - Path of the database to extract. - Caminho da base de dados a extrair. - - - Insert password to unlock %1: - Introduza a palavra-passe para desbloquear %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4309,10 +5443,6 @@ Comandos disponíveis: Merge two databases. Combinar duas bases de dados. - - Path of the database to merge into. - Caminho da base de dados de destino da combinação. - Path of the database to merge from. Caminho da base de dados de origem da combinação. @@ -4387,11 +5517,7 @@ Comandos disponíveis: Browser Integration - Integração com navegador - - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Pergunta de segurança - Slot %2 - %3 + Integração com o navegador Press @@ -4423,10 +5549,6 @@ Comandos disponíveis: Generate a new random password. Gerar nova palavra-passe aleatória. - - Invalid value for password length %1. - Valor inválido para o tamanho da palavra-passe %1 - Could not create entry with path %1. Não foi possível criar a entrada com o caminho %1 @@ -4437,7 +5559,7 @@ Comandos disponíveis: Writing the database failed %1. - Erro ao escrever na base de dados %1. + Não foi possível escrever na base de dados %1. Successfully added entry %1. @@ -4484,10 +5606,6 @@ Comandos disponíveis: CLI parameter número - - Invalid value for password length: %1 - Valor inválido para o tamanho da palavra-passe: %1 - Could not find entry with path %1. Não foi possível encontrar a entrada com o caminho %1. @@ -4502,7 +5620,7 @@ Comandos disponíveis: Writing the database failed: %1 - Erro ao escrever na base de dados: %1 + Não foi possível escrever na base de dados: %1 Successfully edited entry %1. @@ -4610,27 +5728,7 @@ Comandos disponíveis: Failed to load key file %1: %2 - Erro ao carregar o ficheiro-chave %1: %2 - - - File %1 does not exist. - %1 não existe. - - - Unable to open file %1. - Não foi possível abrir o ficheiro %1. - - - Error while reading the database: -%1 - Erro ao ler a base de dados: -%1 - - - Error while parsing the database: -%1 - Erro ao analisar a base de dados: -%1 + Não foi possível carregar o ficheiro-chave %1: %2 Length of the generated password @@ -4644,10 +5742,6 @@ Comandos disponíveis: Use uppercase characters Utilizar letras maiúsculas - - Use numbers. - Utilizar números - Use special characters Utilizar caracteres especiais @@ -4700,7 +5794,7 @@ Comandos disponíveis: Successfully deleted entry %1. - A entrada %1 foi eliminada. + A entrada %1 foi apagada. Show the entry's current TOTP. @@ -4762,7 +5856,7 @@ Comandos disponíveis: Message encryption failed. - Erro ao cifrar a mensagem. + Não foi possível cifrar a mensagem. No groups found @@ -4786,16 +5880,12 @@ Comandos disponíveis: Failed to save the database: %1. - Não foi possível criar a base de dados: %1. + Não foi possível guardar a base de dados: %1. Successfully created new database. A base de dados foi criada com sucesso. - - Insert password to encrypt database (Press enter to leave blank): - Introduza a palavra-passe para cifrar a base de dados (prima Enter para não cifrar): - Creating KeyFile %1 failed: %2 Não foi possível criar o ficheiro-chave %1: %2 @@ -4804,10 +5894,6 @@ Comandos disponíveis: Loading KeyFile %1 failed: %2 Não foi possível carregar o ficheiro-chave %1: %2 - - Remove an entry from the database. - Remover uma entrada da base de dados. - Path of the entry to remove. Caminho da entrada a remover. @@ -4864,6 +5950,330 @@ Comandos disponíveis: Cannot create new group Não foi possível criar o novo grupo + + Deactivate password key for the database. + + + + Displays debugging information. + Mostra a informação de depuração. + + + Deactivate password key for the database to merge from. + + + + Version %1 + Versão %1 + + + Build Type: %1 + Tipo de compilação: %1 + + + Revision: %1 + Revisão: %1 + + + Distribution: %1 + Distribuição: %1 + + + Debugging mode is disabled. + Modo de depuração desativado. + + + Debugging mode is enabled. + Modo de depuração ativado. + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistema operativo: %1 +Arquitetura do CPU: %2 +Kernel: %3 %4 + + + Auto-Type + Escrita automática + + + KeeShare (signed and unsigned sharing) + KeeShare (partilha assinada e não assinada) + + + KeeShare (only signed sharing) + KeeShare (apenas partilha assinada) + + + KeeShare (only unsigned sharing) + KeeShare (apenas partilha não assinada) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Nada + + + Enabled extensions: + Extensões ativas: + + + Cryptographic libraries: + Bibliotecas de criptografia: + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + Adiciona um novo grupo à base de dados. + + + Path of the group to add. + Caminho do grupo a adicionar. + + + Group %1 already exists! + O grupo %1 já existe! + + + Group %1 not found. + Grupo %1 não encontrado! + + + Successfully added group %1. + Grupo %1 adicionado com sucesso. + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + Nome do ficheiro + + + Analyze passwords for weaknesses and problems. + Analisar qualidade e problemas das palavras-passe. + + + Failed to open HIBP file %1: %2 + Não foi possível abrir o ficheiro HIBP %1: %2 + + + Evaluating database entries against HIBP file, this will take a while... + A avaliar as entradas da base de dados com o ficheiro HIBP, por favor aguarde... + + + Close the currently opened database. + Fechar a base de dados aberta. + + + Display this help. + Mostrar esta ajuda. + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + A lista de palavras é muito pequena (< 1000 itens) + + + Exit interactive mode. + Sair do modo interativo. + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + Não foi possível exportar a base de dados para o formato XML: %1 + + + Unsupported format %1 + Formato não suportado: %1 + + + Use numbers + Utilizar números + + + Invalid password length %1 + Tamanho inválido %1 + + + Display command help. + Mostrar ajuda para comandos. + + + Available commands: + Comandos disponíveis: + + + Import the contents of an XML database. + Importar conteúdo de uma base de dados no formato XML. + + + Path of the XML database export. + + + + Path of the new database. + Caminho da nova base de dados. + + + Unable to import XML database export %1 + + + + Successfully imported database. + Base de dados importada com sucesso. + + + Unknown command %1 + Comando desconhecido - %1 + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + A base de dados não foi modificada pela combinação. + + + Moves an entry to a new group. + Move uma entrada para outro grupo. + + + Path of the entry to move. + Caminho da entrada a mover. + + + Path of the destination group. + Caminho do grupo de destino. + + + Could not find group with path %1. + Não foi possível encontrar o grupo no caminho %1. + + + Entry is already in group %1. + O grupo %1 já possui esta entrada. + + + Successfully moved entry %1 to group %2. + Entrada %1 movida com sucesso para o grupo %2. + + + Open a database. + Abrir base de dados. + + + Path of the group to remove. + Caminho do grupo a remover. + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + Grupo %1 enviado para a reciclagem + + + Successfully deleted group %1. + O gripo %1 foi apagado. + + + Failed to open database file %1: not found + Não foi possível abrir %1: ficheiro não encontrado + + + Failed to open database file %1: not a plain file + Não foi possível abrir %1: não é um ficheiro simples + + + Failed to open database file %1: not readable + Não foi possível abrir %1: ficheiro não legível + + + Enter password to unlock %1: + Introduza a palavra-passe para desbloquear %1: + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + Toque no botão da sua YubiKey para desbloquear %1 + + + Enter password to encrypt database (optional): + Introduza a palavra-passe para cifrar a base de dados (opcional): + + + HIBP file, line %1: parse error + Ficheiro HIBP, linha %1: erro ao processar + + + Secret Service Integration + Integração 'Secret Service' + + + User name + Nome de utilizador + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] Pergunta de segurança - Slot %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -5017,6 +6427,93 @@ Comandos disponíveis: Sensível ao tipo + + SettingsWidgetFdoSecrets + + Options + Opções + + + Enable KeepassXC Freedesktop.org Secret Service integration + Ativar integração Freedesktop.org Secret Service no KeepassXC + + + General + Geral + + + Show notification when credentials are requested + Mostrar notificação se as credenciais forem solicitadas + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>Se ativar a Reciclagem para esta base de dados, as entradas apagadas serão movidas mas não apagadas. Se não a utilizar, as entradas serão apagadas sem qualquer confirmação.</p><p>Contudo, se as entradas apagadas forem referenciadas por outras, será mostrado um aviso.</p></body></html> + + + Don't confirm when entries are deleted by clients. + Não confirmar se as entradas forem apagadas nos clientes. + + + Exposed database groups: + Grupos expostos: + + + File Name + Nome do ficheiro + + + Group + Grupo + + + Manage + Gerir + + + Authorization + Autorização + + + These applications are currently connected: + Estas aplicações estão conectadas: + + + Application + Aplicação + + + Disconnect + Desconectar + + + Database settings + Definições da base de dados + + + Edit database settings + Editar definições da base de dados + + + Unlock database + Desbloquear base de dados + + + Unlock database to show more information + Desbloquear base de dados para mostrar mais informação + + + Lock database + Bloquear base de dados + + + Unlock to show + Desbloquear para mostrar + + + None + Nada + + SettingsWidgetKeeShare @@ -5140,9 +6637,100 @@ Comandos disponíveis: Signer: Signatário: + + Allow KeeShare imports + Permitir importação KeeShare + + + Allow KeeShare exports + Permitir exportação KeeShare + + + Only show warnings and errors + Mostrar apenas avisos e erros + + + Key + Chave + + + Signer name field + Campo Nome do signatário + + + Generate new certificate + Gerar novo certificado + + + Import existing certificate + Importar certificado + + + Export own certificate + Exportar o meu certificado + + + Known shares + Partilhas conhecidas + + + Trust selected certificate + Confiar no certificado selecionado + + + Ask whether to trust the selected certificate every time + Perguntar sempre pela fiabilidade do certificado selecionado + + + Untrust selected certificate + Deixar de confiar no certificado selecionado + + + Remove selected certificate + Remover certificado selecionado + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + A substituição de contentor de partilha não assinado não é suportada - exportação evitada + + + Could not write export container (%1) + Não foi possível escrever contentor de exportação (%1) + + + Could not embed signature: Could not open file to write (%1) + Assinatura não incorporada. Não foi possível abrir o ficheiro para escrita (%1) + + + Could not embed signature: Could not write file (%1) + Assinatura não incorporada. Não foi possível escrever no ficheiro (%1) + + + Could not embed database: Could not open file to write (%1) + Base de dados não incorporada. Não foi possível abrir o ficheiro para escrita (%1) + + + Could not embed database: Could not write file (%1) + Base de dados não incorporada. Não foi possível escrever no ficheiro (%1) + + + Overwriting unsigned share container is not supported - export prevented + A substituição de contentor de partilha assinado não é suportada - exportação evitada + + + Could not write export container + Não foi possível escrever o contentor de exportação + + + Unexpected export error occurred + Ocorreu um erro inesperado ao exportar + + + + ShareImport Import from container without signature Importar de um contentor sem assinatura @@ -5155,6 +6743,10 @@ Comandos disponíveis: Import from container with certificate Importar de um contentor com certificado + + Do you want to trust %1 with the fingerprint of %2 from %3? + Deseja confiar em %1 com a impressão digital de %2 em %3? {1 ?} {2 ?} + Not this time Agora não @@ -5171,18 +6763,6 @@ Comandos disponíveis: Just this time Apenas agora - - Import from %1 failed (%2) - Não foi possível importar %1 (%2) - - - Import from %1 successful (%2) - %1 foi importada com sucesso (%2) - - - Imported from %1 - Importada de %1 - Signed share container are not supported - import prevented O contentor de partilha assinado não é suportado - importação evitada @@ -5223,25 +6803,20 @@ Comandos disponíveis: Unknown share container type Tipo de contentor de partilha desconhecido + + + ShareObserver - Overwriting signed share container is not supported - export prevented - A substituição de contentor de partilha não assinado não é suportada - exportação evitada + Import from %1 failed (%2) + Não foi possível importar %1 (%2) - Could not write export container (%1) - Não foi possível escrever contentor de exportação (%1) + Import from %1 successful (%2) + %1 foi importada com sucesso (%2) - Overwriting unsigned share container is not supported - export prevented - A substituição de contentor de partilha assinado não é suportada - exportação evitada - - - Could not write export container - Não foi possível escrever o contentor de exportação - - - Unexpected export error occurred - Ocorreu um erro inesperado ao exportar + Imported from %1 + Importada de %1 Export to %1 failed (%2) @@ -5255,10 +6830,6 @@ Comandos disponíveis: Export to %1 Exportar para %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Deseja confiar em %1 com a impressão digital de %2 em %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Diversos caminhos de importação para %1 em %2 @@ -5267,22 +6838,6 @@ Comandos disponíveis: Conflicting export target path %1 in %2 Conflito no caminho de exportação para %1 em %2 - - Could not embed signature: Could not open file to write (%1) - Assinatura não incorporada. Não foi possível abrir o ficheiro para escrita (%1) - - - Could not embed signature: Could not write file (%1) - Assinatura não incorporada. Não foi possível escrever no ficheiro (%1) - - - Could not embed database: Could not open file to write (%1) - Base de dados não incorporada. Não foi possível abrir o ficheiro para escrita (%1) - - - Could not embed database: Could not write file (%1) - Base de dados não incorporada. Não foi possível escrever no ficheiro (%1) - TotpDialog @@ -5300,7 +6855,7 @@ Comandos disponíveis: Expires in <b>%n</b> second(s) - Expira em <b>%n</b> segundoExpira em <b>%n</b> segundos + Expira em <b>%n</b> segundoExpira dentro de <b>%n</b> segundos @@ -5329,10 +6884,6 @@ Comandos disponíveis: Setup TOTP Configurar TOTP - - Key: - Chave: - Default RFC 6238 token settings Definições padrão do token RFC 6238 @@ -5363,16 +6914,45 @@ Comandos disponíveis: Tamanho do código: - 6 digits - 6 dígitos + Secret Key: + Chave secreta: - 7 digits - 7 dígitos + Secret key must be in Base32 format + A chave secreta tem que estar no formato Base32 - 8 digits - 8 dígitos + Secret key field + Campo Chave secreta + + + Algorithm: + Algoritmo: + + + Time step field + + + + digits + dígitos + + + Invalid TOTP Secret + TOTP secreta inválida + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + Introduziu uma chave secreta inválida. A chave tem que estar no formato Base32. Exemplo: JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + Confirmar remoção das definições TOTP + + + Are you sure you want to delete TOTP settings for this entry? + Tem a certeza de que deseja remover as definições TOTP para esta entrada? @@ -5419,7 +6999,7 @@ Comandos disponíveis: You're up-to-date! - Está atualizado! + A sua versão está atualizada! KeePassXC %1 is currently the newest version available @@ -5456,6 +7036,14 @@ Comandos disponíveis: Welcome to KeePassXC %1 Bem-vindo ao KeePassXC %1 + + Import from 1Password + Importar de 1Password + + + Open a recent database + Abrir uma base de dados recente + YubiKeyEditWidget @@ -5479,5 +7067,13 @@ Comandos disponíveis: No YubiKey inserted. Youbikey não inserida. + + Refresh hardware tokens + Recarregar 'tokens' de hardware + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_ro.ts b/share/translations/keepassx_ro.ts index c6dfda993..826286377 100644 --- a/share/translations/keepassx_ro.ts +++ b/share/translations/keepassx_ro.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - + KeePassXC este distribuit în conformitate cu termenii GNU General Public License (GPL) versiunea 2 sau (la opțiunea dumneavoastră) versiunea 3. Contributors @@ -23,7 +23,7 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Vezi contibuțiile pe GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Vezi contribuțiile pe GitHub</a> Debug Info @@ -37,81 +37,13 @@ Copy to clipboard Copiază în clipboard - - Revision: %1 - Revizie: %1 - - - Distribution: %1 - Distribuție: %1 - - - Libraries: - Librării: - - - Operating system: %1 -CPU architecture: %2 -Kernel: %3 %4 - Sistem de operare: %1 -Arhitectura procesor (CPU): %2 -Nucleu (Kernel): %3 %4 - - - Enabled extensions: - Extensii activate: - Project Maintainers: - + Mentenanții proiectului: Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - - - - Version %1 - - - - Build Type: %1 - - - - Auto-Type - - - - Browser Integration - Integrare cu browserul - - - SSH Agent - Agent SSH - - - YubiKey - - - - TouchID - - - - None - - - - KeeShare (signed and unsigned sharing) - - - - KeeShare (only signed sharing) - - - - KeeShare (only unsigned sharing) - + Mulțumiri speciale de la echipa KeePassXC Du-te la debfx pentru crearea KeePassX original. @@ -122,7 +54,7 @@ Nucleu (Kernel): %3 %4 Use OpenSSH for Windows instead of Pageant - + Folositi OpenSSH pentru Windows in loc de Pageant @@ -141,26 +73,34 @@ Nucleu (Kernel): %3 %4 Access error for config file %1 - + Eroare de acces pentru fisier de configurare %1 Icon only - + Numai iconita Text only - + Numai text Text beside icon - + Text linga iconita Text under icon - + text sub iconita Follow style + Urmareste stil + + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? @@ -172,43 +112,31 @@ Nucleu (Kernel): %3 %4 Startup - + Pornire Start only a single instance of KeePassXC - - - - Remember last databases - Memorează ultimele baze de date - - - Remember last key files and security dongles - - - - Load previous databases on startup - + Start numai o singură instanță de KeePassXC Minimize window at application startup - + Minimizare fereastră la pornirea aplicației File Management - + Gestionare fișiere Safely save database files (may be incompatible with Dropbox, etc) - + Salvați în condiții de siguranță fișierele bazei de date (pot fi incompatibile cu Dropbox, etc) Backup database file before saving - + Fă copie de rezervă fișierului bazei de date înainte de salvare Automatically save after every change - + Salvare automată după fiecare modificare Automatically save on exit @@ -216,27 +144,23 @@ Nucleu (Kernel): %3 %4 Don't mark database as modified for non-data changes (e.g., expanding groups) - + Nu marcați baza de date modificată pentru modificări non-date (de exemplu, grupuri în expansiune) Automatically reload the database when modified externally - + Reîncărcați automat baza de date atunci când este modificată extern Entry Management - + Managementul inregistrarii Use group icon on entry creation - - - - Minimize when copying to clipboard - + Utilizarea pictogramei grupului la crearea inregistrarii Hide the entry preview panel - + Ascundere panou previzualizare inregistrarii General @@ -244,51 +168,47 @@ Nucleu (Kernel): %3 %4 Hide toolbar (icons) - + Ascundere bară de instrumente (pictograme) Minimize instead of app exit - + Minimizare în locul ieșirii aplicației Show a system tray icon - + Afișare pictogramă tavă de sistem Dark system tray icon - + Pictograma umbra barei de sistem Hide window to system tray when minimized - - - - Language - Limbă + Ascundere fereastră în tava de sistem atunci când este minimizată Auto-Type - + Auto tiparire Use entry title to match windows for global Auto-Type - + Utilizarea titlului inregistrarii pentru a se potrivi cu ferestrele pentru auto-tiparire globala Use entry URL to match windows for global Auto-Type - + Utilizați URL-ul din inregistrare pentru a se potrivi Windows pentru autotiparire globala Always ask before performing Auto-Type - + Întrebați întotdeauna înainte de a efectua auto-tiparire Global Auto-Type shortcut - + Comandă rapidă pentru autotiparire globala Auto-Type typing delay - + Întârzierea tastării autotiparirei ms @@ -297,22 +217,103 @@ Nucleu (Kernel): %3 %4 Auto-Type start delay - - - - Check for updates at application startup - - - - Include pre-releases when checking for updates - + întârziere inceputuui auto-tiparii Movable toolbar + Bara de instrumente mobila + + + Remember previously used databases - Button style + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sec + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds @@ -320,7 +321,7 @@ Nucleu (Kernel): %3 %4 ApplicationSettingsWidgetSecurity Timeouts - + Timeout Clear clipboard after @@ -333,15 +334,15 @@ Nucleu (Kernel): %3 %4 Lock databases after inactivity of - + Blocarea bazelor de date după inactivitatea min - + Min Forget TouchID after inactivity of - + Uita TouchID după inactivitatea de Convenience @@ -349,46 +350,67 @@ Nucleu (Kernel): %3 %4 Lock databases when session is locked or lid is closed - + Blocarea bazelor de date atunci când sesiunea este blocată sau capacul este închis Forget TouchID when session is locked or lid is closed - + Uitați TouchID când sesiunea este blocată sau capacul este închis Lock databases after minimizing the window - + Blocarea bazelor de date după Minimizarea ferestrei Re-lock previously locked database after performing Auto-Type - + Re-Lock bazei de date blocate anterior după efectuarea auto-Type Don't require password repeat when it is visible - + Nu este necesară repetarea parolei atunci când este vizibilă Don't hide passwords when editing them - + Nu ascundeți parolele atunci când le editați Don't use placeholder for empty password fields - + Nu se utilizează substituent pentru câmpurile de parolă goli Hide passwords in the entry preview panel - + Ascunderea parolelor în panoul de previzualizare inregistrarii Hide entry notes by default - + Ascundere implicită notei inregistrarii Privacy Confidențialitate - Use DuckDuckGo as fallback for downloading website icons + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + Min + + + Clear search query after @@ -396,31 +418,31 @@ Nucleu (Kernel): %3 %4 AutoType Couldn't find an entry that matches the window title: - Nu a putut fi gasită o intrare care să coincidă cu titlul ferestrei: + Nu a putut fi gasită nicio intrare care să coincidă cu titlul ferestrei: Auto-Type - KeePassXC - + Auto-tiparire-KeePassXC Auto-Type - + Auto tiparire The Syntax of your Auto-Type statement is incorrect! - + Sintaxa declaraţiei de auto-tiparire este incorectă! This Auto-Type command contains a very long delay. Do you really want to proceed? - + Această comandă auto-tip conține o întârziere foarte lungă. Chiar vrei să continuăm? This Auto-Type command contains very slow key presses. Do you really want to proceed? - + Această comandă auto-tip conține apăsări foarte lente ale tastelor. Chiar vrei să continuăm? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? - + Această comandă auto-tip conține argumente care se repetă foarte des. Chiar vrei să continuăm? @@ -457,22 +479,37 @@ Nucleu (Kernel): %3 %4 Secvență + + AutoTypeMatchView + + Copy &username + Copiază &numele de utilizator + + + Copy &password + Copiază &parola + + AutoTypeSelectDialog Auto-Type - KeePassXC - + Auto-tiparire-KeePassXC Select entry to Auto-Type: - + Selectare inregistrare pentru Auto-tip: + + + Search... + Caută... BrowserAccessControlDialog KeePassXC-Browser Confirm Access - + KeePassXC-browser confirmă accesul Remember this decision @@ -489,6 +526,15 @@ Nucleu (Kernel): %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. + % 1 a solicitat accesul la parole pentru următorul articol (e). +Vă rugăm să selectați dacă doriți să permiteți accesul. + + + Allow access + + + + Deny access @@ -496,11 +542,11 @@ Please select whether you want to allow access. BrowserEntrySaveDialog KeePassXC-Browser Save Entry - + KeePassXC-browser-ul salvare inregistrarii Ok - + Ok Cancel @@ -509,7 +555,8 @@ Please select whether you want to allow access. You have multiple databases open. Please select the correct database for saving credentials. - + Aveți mai multe baze de date deschise. +Selectați baza de date corectă pentru salvarea acreditărilor. @@ -520,11 +567,7 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser - - - - Enable KeepassXC browser integration - + Acest lucru este necesar pentru accesarea bazelor de date cu KeePassXC-browser General @@ -532,58 +575,58 @@ Please select the correct database for saving credentials. Enable integration for these browsers: - + Activați integrarea pentru aceste browsere: &Google Chrome - + &Google Chrome &Firefox - + &Firefox &Chromium - + &Chromium &Vivaldi - + &Vivaldi Show a &notification when credentials are requested Credentials mean login data requested via browser extension - + Afișare & notificarii atunci când sunt solicitate acreditările Re&quest to unlock the database if it is locked - + Re&Quest pentru a debloca baza de date în cazul în care este blocata Only entries with the same scheme (http://, https://, ...) are returned. - + Sunt returnate numai intrările cu aceeași schemă (http://, https://,...) . &Match URL scheme (e.g., https://...) - + &Potrivi schema URL (de exemplu, https://...) Only returns the best matches for a specific URL instead of all entries for the whole domain. - + Returnează numai cele mai bune potriviri pentru un anumit URL în loc de toate intrările pentru întregul domeniu. &Return only best-matching credentials - + &Returnează numai cele mai bune acreditări de potrivire Sort &matching credentials by title Credentials mean login data requested via browser extension - + Sortare & potrivire acreditări după titlu Sort matching credentials by &username Credentials mean login data requested via browser extension - + Sortare acreditări de potrivire de &username Advanced @@ -592,54 +635,50 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - + Niciodată &cere înainte de accesarea acreditărilor Never ask before &updating credentials Credentials mean login data requested via browser extension - - - - Only the selected database has to be connected with a client. - + Nu mai întreba înainte &actualizarea acreditărilor Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - + Caut&a în toate bazele de date deschise pentru acreditări potrivite Automatically creating or updating string fields is not supported. - + Crearea sau actualizarea automată a câmpurilor șir nu este acceptată. &Return advanced string fields which start with "KPH: " - + &Returnează câmpuri de șir avansate care încep cu "KPH:" Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - + Actualizează la pornire calea binară KeePassXC sau keepassxc-proxy automat la script-uri de mesagerie native. Update &native messaging manifest files at startup - + Actualizează la pornire mesaje &native fișiere manifest Support a proxy application between KeePassXC and browser extension. - + Sustine o aplicatie proxy intreextensie browser KeePassXC și extensie browser Use a &proxy application between KeePassXC and browser extension - + Utilizați o aplicație & proxy între KeePassXC și extensia browserului Use a custom proxy location if you installed a proxy manually. - + Utilizați o locație proxy particularizată dacă ați instalat manual un proxy. Use a &custom proxy location Meant is the proxy for KeePassXC-Browser - + Folosește o locație proxy &personalizată Browse... @@ -648,39 +687,83 @@ Please select the correct database for saving credentials. <b>Warning:</b> The following options can be dangerous! - + <b>Avertizare:</b> Următoarele opțiuni pot fi periculoase! Select custom proxy location - - - - We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. - - - - KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. - + Selectare locație proxy particularizată &Tor Browser - - - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - + &Navigator web Tor Executable Files - + Fișiere executabile All Files - + Toate fișierele Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting + Nu cere permisiunea pentru HTTP &Basic auth + + + Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 + Datorită snap sandboxing, trebuie să executați un script pentru a activa integrarea browser-ului.<br>Puteți obține acest script de la % 1 + + + Please see special instructions for browser extension use below + Vă rugăm să consultați instrucțiunile speciale pentru utilizarea extensiei browserului de mai jos + + + KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + KeePassXC-browser-ul este necesar pentru integrarea browser-ului pentru a lucra.<br>Descărcați-l pentru %1 și % 2. % 3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 @@ -688,14 +771,17 @@ Please select the correct database for saving credentials. BrowserService KeePassXC: New key association request - + KeePassXC: noua cerere de asociere cheie You have received an association request for the above key. If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. - + Ați primit o solicitare de asociere pentru cheia de mai sus. + +Dacă doriți să-i permiteți accesul la baza de date KeePassXC, +dati un nume unic pentru a identifica și de a accepta. Save and allow access @@ -708,15 +794,16 @@ give it a unique name to identify and accept it. A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - + Există deja o cheie de criptare partajată cu numele "%1" . +Doriți să o suprascrieți? KeePassXC: Update Entry - + KeePassXC: actualizare intrare Do you want to update the information in %1 - %2? - + Actualizați informațiile în %1 - %2 ? Abort @@ -724,49 +811,67 @@ Do you want to overwrite it? Converting attributes to custom data… - + Conversia atributelor in date particularizate... KeePassXC: Converted KeePassHTTP attributes - + KeePassXC: conversia atributelor KeePassHTTP Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Atributele convertite cu succes din %1 intrare (i). +S-au mutat %2 chei la date particularizate. Successfully moved %n keys to custom data. - + S-au mutat cu succes% n chei la date particularizate.S-au mutat cu succes %n chei la date particularizate.S-au mutat cu succes %n chei la date particularizate. KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC: n-a fost găsita nici o intrare cu KeePassHTTP atribute ! The active database does not contain an entry with KeePassHTTP attributes. - + Baza de date activă nu conține nici o intrare cu atributele KeePassHTTP. KeePassXC: Legacy browser integration settings detected - + KeePassXC: Au fost detectate setările moștenite de integrare a browserului - Legacy browser integration settings have been detected. -Do you want to upgrade the settings to the latest standard? -This is necessary to maintain compatibility with the browser plugin. - + KeePassXC: Create a new group + KeePassXC: crearea unui grup nou + + + A request for creating a new group "%1" has been received. +Do you want to create this group? + + S-a primit o solicitare de creare a unui grup nou "%1". +Doriți să creați acest grup? + + + Your KeePassXC-Browser settings need to be moved into the database settings. +This is necessary to maintain your current browser connections. +Would you like to migrate your existing settings now? + Setările KeePassXC-browser trebuie mutate în setările bazei de date. +Acest lucru este necesar pentru a menține conexiunile browser-ului curent. +Migrați acum setările existente? + + + Don't show this warning again + Nu mai afișa acest avertisment CloneDialog Clone Options - + Clonare opțiuni Append ' - Clone' to title - + Adăugare " - Clonat" la titlu Replace username and password with references @@ -785,7 +890,7 @@ This is necessary to maintain compatibility with the browser plugin. filename - + nume fișier size, rows, columns @@ -815,13 +920,9 @@ This is necessary to maintain compatibility with the browser plugin. First record has field names Prima înregistrare conține denumirile de câmpuri - - Number of headers line to discard - Număr de linii antet de eliminat - Consider '\' an escape character - + Considera "\" un caracter Escape Preview @@ -833,7 +934,7 @@ This is necessary to maintain compatibility with the browser plugin. Not present in CSV file - + Nu este prezent în fișierul CSV Imported from CSV file @@ -849,23 +950,40 @@ This is necessary to maintain compatibility with the browser plugin. Empty fieldname %1 - + Nume câmp necompletat %1 column %1 - + coloană %1 Error(s) detected in CSV file! - + Eroare (i) detectată în fișierul CSV! [%n more message(s) skipped] - + [% n mai mult mesaj (e) ignorate][% n mai mult mesaj (e) ignorate][%n mai mult mesaj(e) ignorat(e)] CSV import: writer has errors: %1 + Import CSV: scriitor are erori: +%1 + + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview @@ -873,20 +991,20 @@ This is necessary to maintain compatibility with the browser plugin. CsvParserModel %n column(s) - + % n coloană (e)% n coloană (e)%n coloană (e) %1, %2, %3 file info: bytes, rows, columns - + %1, %2, %3 %n byte(s) - + % n byte (e)% n byte (e)%n byte (s) %n row(s) - + % n rând (e)% n rând (e)%n rând (uri) @@ -898,72 +1016,80 @@ This is necessary to maintain compatibility with the browser plugin. File %1 does not exist. - + Fișierul %1 nu există. Unable to open file %1. - + Imposibil de deschis fișierul %1. Error while reading the database: %1 - - - - Could not save, database has no file name. - + Eroare la citirea bazei de date: %1 File cannot be written as it is opened in read-only mode. + Fișierul nu poate fi scris deoarece este deschis în modul doar pentru citire. + + + Key not transformed. This is a bug, please report it to the developers! + Cheia nu s-a transformat. Acesta este un bug, vă rugăm să raportati la dezvoltatorii! + + + %1 +Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Coș de gunoi + DatabaseOpenDialog Unlock Database - KeePassXC - + Deblocare bază de date - KeePassXC DatabaseOpenWidget - - Enter master key - Introduceți cheia principală - Key File: Fișier cheie: - - Password: - Parola: - - - Browse - Răsfoiește - Refresh Actualizează - - Challenge Response: - - Legacy key file format - + Format moștenit de fișier cheie You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Utilizați un format moștenit de fișier cheie care poate deveni +neacceptat în viitor. + +Vă rugăm să luați în considerare generarea unui nou fișier cheie. Don't show this warning again - + Nu mai afișa acest avertisment All files @@ -978,17 +1104,95 @@ Please consider generating a new key file. Selectați fișier cheie - TouchID for quick unlock + Failed to open key file: %1 - Unable to open the database: -%1 + Select slot... - Can't open key file: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Răsfoiește... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Golește + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password @@ -1003,7 +1207,7 @@ Please consider generating a new key file. DatabaseSettingsDialog Advanced Settings - + Setări avansate General @@ -1015,11 +1219,11 @@ Please consider generating a new key file. Master Key - + Cheia principală Encryption Settings - + Setări criptare Browser Integration @@ -1030,23 +1234,23 @@ Please consider generating a new key file. DatabaseSettingsWidgetBrowser KeePassXC-Browser settings - + Setări KeePassXC-Browser &Disconnect all browsers - + &Deconectează toate navigatoarele web Forg&et all site-specific settings on entries - + Uit&a toate setările specifice site-ului pe intrările Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + Mutați KeePassHTTP atributele in KeePassXC-browser &cdate personalizate Stored keys - + Taste memorate Remove @@ -1054,62 +1258,65 @@ Please consider generating a new key file. Delete the selected key? - + Șterg cheia selectată? Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + Chiar doriți să ștergeți cheia selectată? +Acest lucru poate împiedica conectarea la plugin-ul browser-ului. Key - + Cheie Value - + Valoare Enable Browser Integration to access these settings. - + Activați integrarea browserului pentru a accesa aceste setări. Disconnect all browsers - + Deconectează toate navigatoarele web Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + Chiar doriți să deconectați toate browserele? +Acest lucru poate împiedica conectarea la plugin-ul browser-ului. KeePassXC: No keys found - + KeePassXC: nu s-au găsit chei No shared encryption keys found in KeePassXC settings. - + Nu sunt găsite chei de criptare partajate în setările KeePassXC. KeePassXC: Removed keys from database - + KeePassXC: cheile sterse din baza de date Successfully removed %n encryption key(s) from KeePassXC settings. - + S-a eliminat cu succes% n cheie de criptare din setările KeePassXC.S-a eliminat cu succes% n cheie de criptare din setările KeePassXC.S-a eliminat cu succes %n chei de criptare din setările KeePassXC. Forget all site-specific settings on entries - + Uita toate setările specifice site-ului pe intrările Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + Chiar vrei sa se uite toate setările specifice site-ului pe fiecare intrare? +Permisiunile de accesare a intrărilor vor fi revocate. Removing stored permissions… - + Se elimină permisiunile stocate... Abort @@ -1117,27 +1324,36 @@ Permissions to access entries will be revoked. KeePassXC: Removed permissions - + KeePassXC: permisiuni eliminate Successfully removed permissions from %n entry(s). - + Permisiuni eliminate cu succes de la% n intrare (e).Permisiuni eliminate cu succes de la% n intrare (e).Permisiuni eliminate cu succes de la %n intrare (i). KeePassXC: No entry with permissions found! - + KeePassXC: nici o intrare cu permisiuni găsit! The active database does not contain an entry with permissions. - + Baza de date activă nu conține o intrare cu permisiuni. Move KeePassHTTP attributes to custom data - + Mutarea atributelor KeePassHTTP la date particularizate Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + Chiar doriți să mutați toate datele de integrare a browserului moștenite la cel mai recent standard? +Acest lucru este necesar pentru a menține compatibilitatea cu plugin-ul browser-ului. + + + Stored browser keys + + + + Remove selected key @@ -1165,7 +1381,7 @@ This is necessary to maintain compatibility with the browser plugin. Benchmark 1-second delay - + Benchmark pentru întârziere de 1 secunda Memory Usage: @@ -1177,63 +1393,65 @@ This is necessary to maintain compatibility with the browser plugin. Decryption Time: - + Timp de decriptare: ?? s - + ?? s Change - + Schimba 100 ms - + 100 ms 5 s - + 5 s Higher values offer more protection, but opening the database will take longer. - + Valorile mai mari oferă o protecție mai mare, dar deschiderea bazei de date va dura mai mult. Database format: - + Format bază de date: This is only important if you need to use your database with other programs. - + Acest lucru este important numai dacă trebuie să utilizați baza de date cu alte programe. KDBX 4.0 (recommended) - + KDBX 4,0 (recomandat) KDBX 3.1 - + KDBX 3.1 unchanged Database decryption time is unchanged - + Neschimbat Number of rounds too high Key transformation rounds - + Numărul de runde prea mare You are using a very high number of key transform rounds with Argon2. If you keep this number, your database may take hours or days (or even longer) to open! - + Utilizați un număr foarte mare de runde de transformare cheie cu Argon2. + +Dacă păstrați acest număr, deschiderea bazei de date poate dura ore sau zile (sau chiar mai mult)! Understood, keep number - + Înțeles, păstrați numărul Cancel @@ -1242,41 +1460,94 @@ If you keep this number, your database may take hours or days (or even longer) t Number of rounds too low Key transformation rounds - + Număr de runde prea mici You are using a very low number of key transform rounds with AES-KDF. If you keep this number, your database may be too easy to crack! - + Utilizați un număr foarte mic de runde de transformare cheie cu AES-KDF. + +Dacă păstrați acest număr, baza de date poate fi prea ușor de spart! KDF unchanged - + KDF nemodificat Failed to transform key with new KDF parameters; KDF unchanged. - + Nu s-a reușit transformarea cheii cu noi parametri KDF; KDF neschimbat. MiB Abbreviation for Mebibytes (KDF settings) - + MibMibMib thread(s) Threads for parallel execution (KDF settings) - + filet (e)filet (e)filet(e) %1 ms milliseconds - + % 1 MS% 1 MS%1 ms %1 s seconds - + % 1 s% 1 s%1 s + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1303,15 +1574,15 @@ If you keep this number, your database may be too easy to crack! Max. history items: - + Max. elemente de istorie: Max. history size: - + Max. Dimensiune istorie: MiB - + MiB Use recycle bin @@ -1323,6 +1594,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) + Permite &comprimare (recomandat) + + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) @@ -1330,64 +1634,70 @@ If you keep this number, your database may be too easy to crack! DatabaseSettingsWidgetKeeShare Sharing - + Partajare Breadcrumb - + Breadcrumb Type - + Tip Path - + Cale Last Signer - + Ultimul semnatar Certificates - + Certificate > Breadcrumb separator - + > DatabaseSettingsWidgetMasterKey Add additional protection... - + Adauga protectie suplimentara... No encryption key added - + Nu s-a adăugat cheia de criptare You must add at least one encryption key to secure your database! - + Trebuie să adăugați cel puțin o cheie de criptare pentru a securiza baza de date! No password set - + Nici o parolă setată WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - + Avertizare! Nu ați setat o parolă. Folosind o bază de date fără o parolă este puternic descurajat! + +Sigur continuați fără parolă? Unknown error - + Eroare necunoscută Failed to change master key + Imposibil de modificat cheia master + + + Continue without password @@ -1395,10 +1705,133 @@ Are you sure you want to continue without a password? DatabaseSettingsWidgetMetaDataSimple Database Name: - + Nume bază de date: Description: + Descrierea : + + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Nume + + + Value + Valoare + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. @@ -1422,7 +1855,7 @@ Are you sure you want to continue without a password? Merge database - Îmbină baza de date + Îmbina baza de date Open KeePass 1 database @@ -1442,38 +1875,59 @@ Are you sure you want to continue without a password? Database creation error - + Eroare la crearea bazei de date The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + Baza de date creată nu are cheie sau KDF, refuzând să o salveze. +Acest lucru este cu siguranta un bug, vă rugăm să raporteze la dezvoltatori. Select CSV file - + Selectați fișierul CSV New Database - + Bază de date nouă %1 [New Database] Database tab name modifier - + %1 [bază de date nouă] %1 [Locked] Database tab name modifier - + %1 [blocat] %1 [Read-only] Database tab name modifier + %1 [doar în citire] + + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? @@ -1485,15 +1939,15 @@ This is definitely a bug, please report it to the developers. Do you really want to delete the entry "%1" for good? - + Chiar doriți să ștergeți intrarea "%1" pentru totdeauna? Do you really want to move entry "%1" to the recycle bin? - + Chiar doriți să mutați intrarea "%1" în Coșul de reciclare? Do you really want to move %n entry(s) to the recycle bin? - + Chiar doriți să mutați% n intrare (e) în Coșul de reciclare?Chiar doriți să mutați% n intrare (e) în Coșul de reciclare?Chiar doriți să mutați %n intrari în Coșul de reciclare? Execute command? @@ -1501,7 +1955,7 @@ This is definitely a bug, please report it to the developers. Do you really want to execute the following command?<br><br>%1<br> - + Chiar vrei să execute următoarea comandă?<br><br>%1<br> Remember my choice @@ -1509,15 +1963,15 @@ This is definitely a bug, please report it to the developers. Do you really want to delete the group "%1" for good? - + Chiar doriți să ștergeți grupul "%1"? No current database. - Nu există o baza de date curentă. + Nu există o bază de date curentă. No source database, nothing to do. - + Nicio bază de date sursă, nimic de făcut. Search Results (%1) @@ -1542,7 +1996,8 @@ This is definitely a bug, please report it to the developers. The database file has changed and you have unsaved changes. Do you want to merge your changes? - + Fișierul bazei de date s-a modificat și aveți modificări nesalvate. +Doriți să îmbinați modificările? Empty recycle bin? @@ -1550,31 +2005,27 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - + Sigur ștergeți definitiv totul din Coșul de reciclare? Do you really want to delete %n entry(s) for good? - + Chiar doriți să ștergeți% n intrare (e) pentru totdeauna?Chiar doriți să ștergeți% n intrare (e) pentru totdeauna?Chiar doriți să ștergeți %n intrari pentru totdeauna? Delete entry(s)? - + Ștergeți intrările?Ștergeți intrările?Ștergeți intrările? Move entry(s) to recycle bin? - - - - File opened in read only mode. - Fișier deschis doar pentru citire. + Mutați intrările în Coșul de reciclare?Mutați intrările în Coșul de reciclare?Mutați intrările în Coșul de reciclare? Lock Database? - + Blocarea bazei de date? You are editing an entry. Discard changes and lock anyway? - + Editați o intrare. Renunțați la modificări și blocați oricum? "%1" was modified. @@ -1585,7 +2036,8 @@ Salvați modificările? Database was modified. Save changes? - + Baza de date a fost modificată. +Salvați modificările? Save changes? @@ -1594,21 +2046,18 @@ Save changes? Could not open the new database file while attempting to autoreload. Error: %1 - + Imposibil de deschis noul fișier bază de date în timp ce încercați să autoreload. +Eroare: %1 Disable safe saves? - + Dezactivați salvarea sigură? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - - - - Writing the database failed. -%1 - + KeePassXC nu a reușit să salveze baza de date de mai multe ori. Acest lucru este probabil cauzat de serviciile de sincronizare a fișierelor care dețin o blocare pe fișierul de salvare. +Dezactivați salvarea sigură și încercați din nou? Passwords @@ -1624,30 +2073,42 @@ Disable safe saves and try again? Replace references to entry? - + Înlocuiți referințele la intrare? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - + Intrarea "% 1" are% 2 referințe (e). Suprascrieți referințele cu valori, ignorați această intrare sau ștergeți-o oricum?Intrarea "% 1" are% 2 referințe (e). Suprascrieți referințele cu valori, ignorați această intrare sau ștergeți-o oricum?Intrarea "%1" are %2 referințe. Suprascrieți referințele cu valori, ignorați această intrare sau ștergeți-o oricum? Delete group - + Ștergere grup Move group to recycle bin? - + Mutați grupul în Coșul de reciclare? Do you really want to move the group "%1" to the recycle bin? - + Chiar doriți să mutați grupul "%1" în Coșul de reciclare? Successfully merged the database files. - + A fuzionat cu succes fișierele bazei de date. Database was not modified by merge operation. + Baza de date nu a fost modificată de operațiunea de îmbinare. + + + Shared group... + Grup partajat... + + + Writing the database failed: %1 + Scrierea bazei de date nu a reușit: %1 + + + This database is opened in read-only mode. Autosave is disabled. @@ -1667,7 +2128,7 @@ Disable safe saves and try again? Auto-Type - + Auto tiparire Properties @@ -1723,7 +2184,7 @@ Disable safe saves and try again? Are you sure you want to remove this attribute? - Sunteți sigur că doriți să eliminați acest atribut? + Sigur doriți să eliminați acest atribut? Tomorrow @@ -1731,42 +2192,54 @@ Disable safe saves and try again? %n week(s) - + % n săptămână (i)% n săptămână (i)%n săptămână(i) %n month(s) - + % n lună (i)% n lună (i)%n lună(i) Apply generated password? - + Aplicați parola generată? Do you want to apply the generated password to this entry? - + Aplicați parola generată la această intrare? Entry updated successfully. - + Intrare actualizată cu succes. Entry has unsaved changes - + Intrarea are modificări nesalvate New attribute %1 - + Atribut nou %1 [PROTECTED] Press reveal to view or edit - + [PROTEJAT] Apăsați pe dezvăluire pentru a vizualiza sau edita %n year(s) - + % n an (i)% n an (i)%n an(i) Confirm Removal + Confirmare eliminare + + + Browser Integration + Integrare cu browserul + + + <empty URL> + + + + Are you sure you want to remove this URL? @@ -1802,10 +2275,46 @@ Disable safe saves and try again? Foreground Color: - + Culoare prim plan: Background Color: + Culoare de fundal: + + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection @@ -1813,19 +2322,19 @@ Disable safe saves and try again? EditEntryWidgetAutoType Enable Auto-Type for this entry - + Activare tiparire automat pentru această intrare Inherit default Auto-Type sequence from the &group - + Moștenirea secvenței implicite de tiparire auto din &grupul &Use custom Auto-Type sequence: - + &Utilizați secvența de auto-tiparire personalizată: Window Associations - + Asocieri de Ferestre + @@ -1841,6 +2350,77 @@ Disable safe saves and try again? Use a specific sequence for this association: + Utilizați o secvență specifică pentru această asociere: + + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + General + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Adaugă + + + Remove + Înlătură + + + Edit @@ -1862,6 +2442,26 @@ Disable safe saves and try again? Delete all Șterge toate + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1891,7 +2491,7 @@ Disable safe saves and try again? Toggle the checkbox to reveal the notes section. - + Comutați caseta de selectare pentru a dezvălui secțiunea de note. Username: @@ -1901,16 +2501,72 @@ Disable safe saves and try again? Expires Expiră + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent Form - De la + Formular Remove key from agent after - + Eliminați cheia de la agent după seconds @@ -1918,11 +2574,11 @@ Disable safe saves and try again? Fingerprint - + Amprentă Remove key from agent when database is closed/locked - + Eliminați cheia de la agent atunci când baza de date este închisă/blocată Public key @@ -1930,7 +2586,7 @@ Disable safe saves and try again? Add key to agent when database is opened/unlocked - + Adăugare cheie la agent când baza de date este deschisă/descuiată Comment @@ -1975,6 +2631,22 @@ Disable safe saves and try again? Require user confirmation when this key is used + Solicitați confirmarea utilizatorului când se utilizează această tastă + + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file @@ -2010,7 +2682,11 @@ Disable safe saves and try again? Inherit from parent group (%1) - + Moștenire din grupul părinte (%1) + + + Entry has unsaved changes + Intrarea are modificări nesalvate @@ -2021,15 +2697,15 @@ Disable safe saves and try again? Type: - + Tip: Path: - + Calea: ... - + ... Password: @@ -2037,54 +2713,100 @@ Disable safe saves and try again? Inactive - - - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - + Inactiv KeeShare unsigned container - + KeeShare container nesemnat KeeShare signed container - + KeeShare container semnat Select import source - + Selectați sursă de import Select export target - + Selectați țintă de export Select import/export file + Selectați fișier pentru import/export + + + Clear + Golește + + + Import + Import + + + Export + Export + + + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2108,14 +2830,42 @@ Disable safe saves and try again? Auto-Type - + Auto tiparire &Use default Auto-Type sequence of parent group - + &Utilizați secvența implicită de auto-tiparire a grupului părinte Set default Auto-Type se&quence + Setarea implicită auto-tiparire se&quence + + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field @@ -2123,11 +2873,11 @@ Disable safe saves and try again? EditWidgetIcons &Use default icon - + &Folosește icoana implicită Use custo&m icon - + Folosește icoa&nă personalizată Add custom icon @@ -2153,45 +2903,69 @@ Disable safe saves and try again? All files Toate fișierele - - Custom icon already exists - Icon personalizat deja există - Confirm Delete Confirmați ștergerea - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) - + Selectare imagine(i) Successfully loaded %1 of %n icon(s) - + Încărcat cu succes% 1 din% n pictogramă (e)Încărcat cu succes% 1 din% n pictogramă (e)Încărcat cu succes %1 din %n pictogramă(e) No icons were loaded - + Nu s-au încărcat pictograme %n icon(s) already exist in the database - + % n pictograma (ele) există deja în baza de date% n pictograma (ele) există deja în baza de date%n pictograma(ele) există deja în baza de date The following icon(s) failed: - + Pictograma (ele) următoare nu a reușit:Pictograma (ele) următoare nu a reușit:Pictograma(ele) următoare nu au reușit: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - + Această pictogramă este utilizată de% n intrare (e) și va fi înlocuită de pictograma implicită. Sigur ștergeți-l?Această pictogramă este utilizată de% n intrare (e) și va fi înlocuită de pictograma implicită. Sigur ștergeți-l?Această pictogramă este utilizată de %n intrare(i) și va fi înlocuită de pictograma implicită. Sigur ștergeți-l? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2214,7 +2988,7 @@ Disable safe saves and try again? Plugin Data - + Plugin de date Remove @@ -2222,19 +2996,44 @@ Disable safe saves and try again? Delete plugin data? - + Ștergeți datele modulului? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Chiar doriți să ștergeți datele selectate modulului? +Acest lucru poate provoca moduluri afectate la defecțiune. Key - + Cheie Value + Valoare + + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data @@ -2242,7 +3041,7 @@ This may cause the affected plugins to malfunction. Entry %1 - Clone - + %1 - Clona @@ -2253,14 +3052,14 @@ This may cause the affected plugins to malfunction. Size - + Dimensiunea EntryAttachmentsWidget Form - De la + Formular Add @@ -2284,7 +3083,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - + Sigur eliminați% n atașamente?Sigur eliminați% n atașamente?Sigur eliminați %n atașamente? Save attachments @@ -2293,11 +3092,12 @@ This may cause the affected plugins to malfunction. Unable to create directory: %1 - + Imposibil de creat dosar: +%1 Are you sure you want to overwrite the existing file "%1" with the attachment? - + Sigur suprascrieți fișierul existent "%1" cu atașamentul? Confirm overwrite @@ -2306,26 +3106,52 @@ This may cause the affected plugins to malfunction. Unable to save attachments: %1 - + Imposibil de salvat atașamentele: +%1 Unable to open attachment: %1 - + Imposibil de deschis atașament: +%1 Unable to open attachments: %1 - + Imposibil de deschis atașări: +%1 Confirm remove - + Confirmare eliminare Unable to open file(s): %1 - + Imposibil de deschis fișierul (e): +% 1Imposibil de deschis fișierul (e): +% 1Imposibil de deschis fișierul(e): +%1 + + + Attachments + Atașamente + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2383,7 +3209,7 @@ This may cause the affected plugins to malfunction. Password - Parolă + Parola Notes @@ -2395,15 +3221,15 @@ This may cause the affected plugins to malfunction. Created - + Creat Modified - + Modificat Accessed - + Accesate Attachments @@ -2411,19 +3237,15 @@ This may cause the affected plugins to malfunction. Yes - + da TOTP - + TOTP EntryPreviewWidget - - Generate TOTP Token - Generează token TOTP - Close Închide @@ -2462,7 +3284,7 @@ This may cause the affected plugins to malfunction. Autotype - + autotipie Window @@ -2495,7 +3317,7 @@ This may cause the affected plugins to malfunction. <b>%1</b>: %2 attributes line - + <b>%1</b>:%2 Enabled @@ -2507,34 +3329,42 @@ This may cause the affected plugins to malfunction. Share + Împărtăşi + + + Display current TOTP value + + Advanced + Avansat + EntryView Customize View - + Particularizare vizualizare Hide Usernames - + Ascundere nume de utilizator Hide Passwords - + Ascundere parole Fit to window - + Potrivire la fereastră Fit to contents - + Potrivire la conținut Reset to defaults - + Resetare la valorile implicite Attachments (icon) @@ -2542,33 +3372,99 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Coș de gunoi - - - [empty] - group has no children + Entry "%1" from database "%2" was used by %3 - GroupModel + FdoSecrets::Service - %1 - Template for name without annotation + Failed to register DBus service at %1: another secret service is running. + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group + + [empty] + group has no children + gol + HostInstaller KeePassXC: Cannot save file! - + KeePassXC: Imposibil de salvat fișierul! Cannot save the native messaging script file. + Imposibil de salvat fișierul script de mesagerie nativ. + + + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Anulare + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Închide + + + URL + URL + + + Status + Stare + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... @@ -2576,7 +3472,7 @@ This may cause the affected plugins to malfunction. KMessageWidget &Close - + &Închide Close message @@ -2591,30 +3487,31 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. - - - - Wrong key or database file is corrupt. - Cheie greșită sau fișier bază de date corupt. + Imposibilitatea de a emite provocare-răspuns. missing database headers - + Lipsă de anteturi de baze de date Header doesn't match hash - + Antetul nu se potrivește cu hash Invalid header id size - + Dimensiune ID antet nevalidă Invalid header field length - + Lungime câmp antet nevalid Invalid header data length + Lungime de date antet nevalidă + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. @@ -2622,7 +3519,7 @@ This may cause the affected plugins to malfunction. Kdbx3Writer Unable to issue challenge-response. - + Imposibilitatea de a emite provocare-răspuns. Unable to calculate master key @@ -2633,7 +3530,7 @@ This may cause the affected plugins to malfunction. Kdbx4Reader missing database headers - + Lipsă de anteturi de baze de date Unable to calculate master key @@ -2641,114 +3538,119 @@ This may cause the affected plugins to malfunction. Invalid header checksum size - + Dimensiune de control antet nevalidă Header SHA256 mismatch - - - - Wrong key or database file is corrupt. (HMAC mismatch) - + Antet SHA256 nepotrivire Unknown cipher - + Cifru necunoscut Invalid header id size - + Dimensiune ID antet nevalidă Invalid header field length - + Lungime câmp antet nevalid Invalid header data length - + Lungime de date antet nevalidă Failed to open buffer for KDF parameters in header - + Nu s-a reușit deschiderea tampon pentru parametrii KDF în antet Unsupported key derivation function (KDF) or invalid parameters - + Funcția de derivare a cheii neacceptate (KDF) sau parametrii nevaliți Legacy header fields found in KDBX4 file. - + Câmpuri antet moștenite găsite în fișierul KDBX4. Invalid inner header id size - + Dimensiune ID antet interior nevalidă Invalid inner header field length - + Lungime câmp antet interior nevalid Invalid inner header binary size - + Dimensiune binar antet interior nevalid Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - + Versiune de hartă variantă neacceptată. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - + Lungime nevalidă a numelui intrării hărții de variantă Invalid variant map entry name data Translation: variant map = data structure for storing meta data - + Nume de intrare date hartă variantă nevalidă Invalid variant map entry value length Translation: variant map = data structure for storing meta data - + Lungime nevalidă a valorii intrării hărții de variantă Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - + Date de valoare de intrare hartă variantă nevalidă Invalid variant map Bool entry value length Translation: variant map = data structure for storing meta data - + Hartă variantă nevalidă lungimea valorii intrării bool Invalid variant map Int32 entry value length Translation: variant map = data structure for storing meta data - + Hartă variantă nevalidă Int32 lungime valoare intrare Invalid variant map UInt32 entry value length Translation: variant map = data structure for storing meta data - + Hartă variantă nevalidă UInt32 lungime valoare intrare Invalid variant map Int64 entry value length Translation: variant map = data structure for storing meta data - + Hartă variantă nevalidă Int64 lungime valoare intrare Invalid variant map UInt64 entry value length Translation: variant map = data structure for storing meta data - + Hartă variantă nevalidă UInt64 lungime valoare intrare Invalid variant map entry type Translation: variant map = data structure for storing meta data - + Tip de intrare hartă variantă nevalidă Invalid variant map field type size Translation: variant map = data structure for storing meta data + Dimensiune tip câmp hartă variantă nevalidă + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) @@ -2756,12 +3658,12 @@ This may cause the affected plugins to malfunction. Kdbx4Writer Invalid symmetric cipher algorithm. - + Algoritm de cifrare simetrică nevalid. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - + Cifrul simetric nevalid dimensiune IV. Unable to calculate master key @@ -2770,46 +3672,46 @@ This may cause the affected plugins to malfunction. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - + Nu s-a reușit serializarea hărții variantei parametrilor KDF KdbxReader Unsupported cipher - + Cifru neacceptat Invalid compression flags length - + Lungime steaguri de compresie nevalidă Unsupported compression algorithm - + Algoritm de compresie neacceptat Invalid master seed size - + Dimensiune de semințe coordonatoare nevalidă Invalid transform seed size - + Dimensiune de semințe de transformare nevalidă Invalid transform rounds size - + Dimensiune incorectă a rundelor de transformare Invalid start bytes size - + Dimensiune nevalidă a octeților de pornire Invalid random stream id size - + Dimensiune incorectă a fluxului de flux aleator Invalid inner random stream cipher - + Cifrul intern nevalid al fluxului aleator Not a KeePass database. @@ -2820,160 +3722,165 @@ This may cause the affected plugins to malfunction. You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. - + Fișierul selectat este o bază de date vechi KeePass 1 (.KDB). + +Tu poți importa prin click pe bază de date > 'importarea bază de date KeePass 1... '. +Aceasta este o migrare într-un singur sens. Nu veți putea deschide baza de date importată cu vechea versiune KeePassX 0,4. Unsupported KeePass 2 database version. - + Versiunea bazei de date KeePass 2 neacceptată. Invalid cipher uuid length: %1 (length=%2) - + lungime nevalidă a UUID criptat: %1 (lungime = %2) Unable to parse UUID: %1 - + Imposibil de analizat UUID: %1 Failed to read database file. - + Imposibil de citit fișierul bazei de date. KdbxXmlReader XML parsing failure: %1 - + Eroare de analizare XML: %1 No root group - + Nici un grup rădăcină Missing icon uuid or data - + Lipsește pictograma UUID sau date Missing custom data key or value - + Lipsă de cheie sau valoare de date particularizate Multiple group elements - + Mai multe elemente de grup Null group uuid - + Grup nul UUID Invalid group icon number - + Numărul pictogramei de grup nevalid Invalid EnableAutoType value - + Valoare nevalidă pentru permite AutoTiparire Invalid EnableSearching value - + Valoare nevalidă pentru Permite cautare No group uuid found - + Nici un grup UUID găsit Null DeleteObject uuid - + UUID Null pentru Sterge Obiect Missing DeletedObject uuid or time - + Lipsă UUID sau timp pentru Obiect Sters Null entry uuid - + Intrare nulă UUID Invalid entry icon number - + Număr pictogramă de intrare nevalidă History element in history entry - + Element istoric în intrarea în istorie No entry uuid found - + Nici o intrare UUID găsit History element with different uuid - + Element istoric cu diferite UUID Duplicate custom attribute found - + Atribut personalizat duplicat găsit Entry string key or value missing - + Cheie șir de intrare sau valoare lipsă Duplicate attachment found - + Atașare dublată găsită Entry binary key or value missing - + Intrare cheie binare sau valoare lipsă Auto-type association window or sequence missing - + Lipsă de fereastra de asociere de tiparire auto sau secvența Invalid bool value - + Valoare bool nevalidă Invalid date time value - + Valoare dată nevalidă Invalid color value - + Valoare de culoare nevalidă Invalid color rgb part - + Parte RGB de culoare nevalidă Invalid number value - + Valoare numerică nevalidă Invalid uuid value - + Valoare UUID nevalidă Unable to decompress binary Translator meant is a binary data inside an entry - + Imposibilde a decomprima binar XML error: %1 Line %2, column %3 - + Eroare XML: +%1 +Linia %2, coloana %3 KeePass1OpenWidget - Import KeePass1 database - + Unable to open the database. + Baza de date nu poate fi deschisă. - Unable to open the database. - Nu pot deschide baza de date. + Import KeePass1 Database + @@ -2997,31 +3904,31 @@ Line %2, column %3 Unable to read encryption IV IV = Initialization Vector for symmetric cipher - + Imposibil de citit criptarea IV Invalid number of groups - + Număr nevalid de grupuri Invalid number of entries - + Număr nevalid de intrări Invalid content hash size - + Dimensiune hash conținut nevalidă Invalid transform seed size - + Dimensiune de semințe de transformare nevalidă Invalid number of transform rounds - + Număr nevalid de runde de transformare Unable to construct group tree - + Imposibil de construit arborele de grup Root @@ -3031,123 +3938,152 @@ Line %2, column %3 Unable to calculate master key Nu a putut fi calculată cheia principală - - Wrong key or database file is corrupt. - Cheie greșită sau fișier bază de date corupt. - Key transformation failed - + Transformarea cheii nu a reușit Invalid group field type number - + Număr de câmp de grupă nevalid Invalid group field size - + Dimensiune câmp de grup nevalid Read group field data doesn't match size - + Citirea datelor câmpului de grup nu corespunde dimensiunii Incorrect group id field size - + Dimensiune incorecta a câmpului ID grup Incorrect group creation time field size - + Dimensiune incorect a câmpului de timp creare grup Incorrect group modification time field size - + Dimensiunea incorectă a câmpului pentru modificarea grupelor Incorrect group access time field size - + Dimensiune incorecta câmpului timp de acces a grupului Incorrect group expiry time field size - + Dimensiunea incorecta a câmpului timp de expirare grup Incorrect group icon field size - + Dimensiune incorecta a câmpului pictogramă grupei Incorrect group level field size - + Dimensiune incorecta a câmpului nivelul grupei Invalid group field type - + Tip nevalid a câmpului grup Missing group id or level - + Lipsă ID-ul grupului sau nivelul Missing entry field type number - + Lipsă numărului tipului câmpului de intrare Invalid entry field size - + Dimensiune nevalidă câmp intrare Read entry field data doesn't match size - + Citirea datelor câmpului de intrare nu corespunde dimensiunii Invalid entry uuid field size - + Dimensiune nevalidă a câmpului UUID intrare Invalid entry group id field size - + Dimensiune nevalida a câmpului ID grup de intrare Invalid entry icon field size - + Dimensiune nevalidă a câmpului pictogramă intrare Invalid entry creation time field size - + Dimensiune nevalidă a câmpului marcă de timp de creare intrare Invalid entry modification time field size - + Dimensiune nevalidă a câmpului marcă de timp modificarii intrare Invalid entry expiry time field size - + Dimensiune nevalidă a câmpului timp expirare intrare Invalid entry field type - + Tipul câmpului de intrare nevalid unable to seek to content position + imposibilitatea de a căuta la poziția de conținut + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. KeeShare - Disabled share + Invalid sharing reference - Import from + Inactive share %1 - Export to + Imported from %1 + Importat din %1 + + + Exported to %1 - Synchronize with + Synchronized with %1 + + + + Import is disabled in settings + + + + Export is disabled in settings + + + + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3155,11 +4091,11 @@ Line %2, column %3 KeyComponentWidget Key Component - + Componenta cheie Key Component Description - + Descriere componentă cheie Cancel @@ -3167,62 +4103,62 @@ Line %2, column %3 Key Component set, click to change or remove - + Set de componente cheie, faceți clic pentru a modifica sau elimina Add %1 Add a key component - + Adăugare %1 Change %1 Change a key component - + Modificare %1 Remove %1 Remove a key component - + Eliminare %1 %1 set, click to change or remove Change or remove a key component - + %1 set, faceți clic pentru a modifica sau elimina KeyFileEditWidget - - Browse - Răsfoiește - Generate Generează Key File - + Fișier cheie <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>Aveți posibilitatea să adăugați un fișier cheie care conține octeți aleatoare pentru securitate suplimentară.</p><p>Trebuie să-l păstrați secret și niciodată nu-l pierde sau vei fi blocat!</p> Legacy key file format - + Format moștenit de fișier cheie You are using a legacy key file format which may become unsupported in the future. Please go to the master key settings and generate a new key file. - + Utilizați un format de fișier cheie moștenit care poate deveni +neacceptat în viitor. + +Vă rugăm să mergeți la setările principale cheie și generati un nou fișier cheie. Error loading the key file '%1' Message: %2 - + Eroare la încărcarea fișierului cheie '%1' +Mesaj: %2 Key files @@ -3238,78 +4174,115 @@ Message: %2 Error creating key file - + Eroare la crearea fișierului cheie Unable to create key file: %1 - + Imposibil de creat fișierul cheie: %1 Select a key file Selectați un fișier cheie + + Key file selection + + + + Browse for key file + + + + Browse... + Răsfoiește... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow &Database - + &Bază de date &Recent databases - + &Baze de date recente &Help - + &Ajutor E&ntries - + I&ntrări &Groups - + &Grupuri &Tools - + &Unelte &Quit - + &Ieșire &About - + &Despre &Open database... - + &Deschide baza de date... &Save database - + &Salvează bază de date &Close database - + &Închide baza de date &Delete entry - + &Șterge intrarea &Edit group - + &Editează grupul &Delete group - + &Șterge grupul Sa&ve database as... - + Sa&lvează bază de date ca... Database settings @@ -3317,47 +4290,43 @@ Message: %2 &Clone entry - + &Clonează intrarea Copy &username - + Copiază &numele de utilizator Copy username to clipboard - + Copiere nume utilizator în Clipboard Copy password to clipboard - + Copiere parolă în Clipboard &Settings &Setări - - Password Generator - Generator de parole - &Lock databases - + &Blocare baze de date &Title - + &Titlu Copy title to clipboard - + Copiere titlu în Clipboard &URL - + &URL Copy URL to clipboard - + Copiere URL în Clipboard &Notes @@ -3365,23 +4334,23 @@ Message: %2 Copy notes to clipboard - + Copierea notelor în Clipboard &Export to CSV file... - + &Exportă în fișier CSV... Set up TOTP... - + Configurarea TOTP... Copy &TOTP - + Copiază &TOTP E&mpty recycle bin - + coș de r&eciclare gol Clear history @@ -3389,7 +4358,7 @@ Message: %2 Access error for config file %1 - + Eroare de acces pentru fisier de configurare %1 Settings @@ -3397,154 +4366,218 @@ Message: %2 Toggle window - + Comutare fereastră Quit KeePassXC - + Părăsiți KeePassXC Please touch the button on your YubiKey! - + Vă rugăm să atingeți butonul de pe YubiKey dvs.! WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - + Avertisment: utilizați un build instabil de KeePassXC! +Există un risc ridicat de corupție, menține o copie de rezervă a bazelor de date. +Această versiune nu este destinată utilizării producției. &Donate - + &Donează Report a &bug - + Reportează un &defect WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - + Avertisment: versiunea dumneavoastră QT poate provoca KeePassXC să se blocheze cu o tastatură vizuală! +Vă recomandăm să utilizați AppImage disponibile pe pagina noastră de descărcări. &Import - + &Import Copy att&ribute... - + Copiază at&ributul... TOTP... - + TOTP... &New database... - + &Bază de date nouă Create a new database - + Crearea unei baze de date noi &Merge from database... - + &Merge din baza de date... Merge from another KDBX database - + Îmbinare dintr-o altă bază de date KDBX &New entry - + &Intrare nouă Add a new entry - + Adăugarea unei noi intrări &Edit entry - + &Editează intrarea View or edit entry - + Vizualizarea sau editarea intrării &New group - + &Grup nou Add a new group - + Adăugarea unui grup nou Change master &key... - + Modifică &cheia principală &Database settings... - + &Setări bază de date... Copy &password - + Copiază &parola Perform &Auto-Type - + Efectuați și &Auto-Tiparire Open &URL - + Deschide &URL-ul KeePass 1 database... - + KeePass 1 bază de date... Import a KeePass 1 database - + Importul unei baze de date KeePass 1 CSV file... - + Fișier CSV... Import a CSV file - + Importul unui fișier CSV Show TOTP... - + Afișare TOTP... Show TOTP QR Code... - - - - Check for Updates... - - - - Share entry - + Afișare cod QR TOTP... NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + Notă: utilizați o versiune pre-release de KeePassXC! +Asteptati-va unele bug-uri și probleme minore, această versiune nu este destinat pentru utilizarea producției. Check for updates on startup? - + Căutați actualizări la pornire? Would you like KeePassXC to check for updates on startup? - + Doriți ca KeePassXC să caute actualizări la pornire? You can always check for updates manually from the application menu. + Puteți căuta întotdeauna actualizări manual din meniul aplicației. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Descarcă favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts @@ -3552,58 +4585,66 @@ Expect some bugs and minor issues, this version is not meant for production use. Merger Creating missing %1 [%2] - + Creare lipsă %1 [%2] Relocating %1 [%2] - + Relocalizarea %1 [%2] Overwriting %1 [%2] - + Suprascrierea %1 [%2] older entry merged from database "%1" - + intrare mai veche îmbinată din baza de date "%1" Adding backup for older target %1 [%2] - + Adăugarea copiei de rezervă pentru ținta mai veche %1 [%2] Adding backup for older source %1 [%2] - + Adăugarea copiei de rezervă pentru sursa mai veche %1 [%2] Reapplying older target entry on top of newer source %1 [%2] - + Reaplicarea intrării țintă mai vechi în partea de sus a sursei mai noi %1 [%2] Reapplying older source entry on top of newer target %1 [%2] - + Reaplicarea intrării sursei mai vechi în partea de sus a țintei mai noi %1 [%2] Synchronizing from newer source %1 [%2] - + Sincronizarea din sursa mai nouă %1 [%2] Synchronizing from older source %1 [%2] - + Sincronizarea din sursa mai veche %1 [%2] Deleting child %1 [%2] - + Ștergerea copilului %1 [%2] Deleting orphan %1 [%2] - + Ștergerea intrarii orfane %1 [%2] Changed deleted objects - + Obiecte șterse modificate Adding missing icon %1 + Adăugarea pictogramei lipsă %1 + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] @@ -3611,7 +4652,7 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizard Create a new KeePassXC database... - + Creați o nouă bază de date KeePassXC... Root @@ -3623,55 +4664,121 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPage WizardPage - + Pagină de start En&cryption Settings - + Setări cri&ptare Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Aici aveți posibilitatea să ajustați setările de criptare a bazei de date. Nu vă faceți griji, le puteți modifica mai târziu în setările bazei de date. Advanced Settings - + Setări avansate Simple Settings - + Setări simple NewDatabaseWizardPageEncryption Encryption Settings - + Setări criptare Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Aici aveți posibilitatea să ajustați setările de criptare a bazei de date. Nu vă faceți griji, le puteți modifica mai târziu în setările bazei de date. NewDatabaseWizardPageMasterKey Database Master Key - + Cheie bază de date Master A master key known only to you protects your database. - + O cheie principală cunoscută numai pentru tine protejează baza de date. NewDatabaseWizardPageMetaData General Database Information - + Informații generale despre baza de date Please fill in the display name and an optional description for your new database: + Vă rugăm să completați numele afișat și o descriere opțională pentru noua bază de date: + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 @@ -3679,27 +4786,27 @@ Expect some bugs and minor issues, this version is not meant for production use. OpenSSHKey Invalid key file, expecting an OpenSSH key - + Fișier cheie nevalid, așteptând o cheie OpenSSH PEM boundary mismatch - + Nepotrivire de graniță PEM Base64 decoding failed - + Decodificare base64 nu a reușit Key file way too small. - + Cheie dosar mult prea mic. Key file magic header id invalid - + Cheie dosar Magic antet ID nevalid Found zero keys - + Găsit zero chei Failed to read public key. @@ -3707,70 +4814,81 @@ Expect some bugs and minor issues, this version is not meant for production use. Corrupted key file, reading private key failed - + Fișier cheie deteriorat, citirea cheii private nu a reușit No private key payload to decrypt - + Nici o sarcină cheie privată pentru a decripta Trying to run KDF without cipher - + Încercarea de a rula KDF fără cifrul Passphrase is required to decrypt this key - + Passphrase este necesar pentru a decripta această tastă Key derivation failed, key file corrupted? - + Derivare cheie nu a reușit, fișierul cheie corupt? Decryption failed, wrong passphrase? - + Decriptarea nu a reușit, fraza de acces greșită? Unexpected EOF while reading public key - + EOF neașteptate în timpul citirii cheii publice Unexpected EOF while reading private key - + EOF neașteptate în timp ce citiți cheia privată Can't write public key as it is empty - + Nu se poate scrie cheie publică, deoarece este goală Unexpected EOF when writing public key - + EOF neașteptate atunci când scrierea cheie publică Can't write private key as it is empty - + Nu se poate scrie cheie privată, deoarece este goală Unexpected EOF when writing private key - + EOF neașteptate atunci când scrierea cheie privată Unsupported key type: %1 - + Tip de cheie neacceptat: %1 Unknown cipher: %1 - + Cifru necunoscut: %1 Cipher IV is too short for MD5 kdf - + Cifrul IV este prea scurt pentru MD5 KDF Unknown KDF: %1 - + KDF necunoscut: %1 Unknown key type: %1 + Tip de cheie necunoscut: %1 + + + + PasswordEdit + + Passwords do not match + + + + Passwords match so far @@ -3782,7 +4900,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Confirm password: - + Confirmați parola: Password @@ -3790,18 +4908,30 @@ Expect some bugs and minor issues, this version is not meant for production use. <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - - - - Password cannot be empty. - + <p>O parolă este metoda primară pentru securizarea bazei de date.</p><p>Parolele bune sunt lungi și unice. KeePassXC poate genera unul pentru tine.</p> Passwords do not match. - + Parolele nu se potrivesc. Generate master password + Generare parolă principală + + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator @@ -3826,31 +4956,19 @@ Expect some bugs and minor issues, this version is not meant for production use. Password - Parolă + Parola Character Types Tipuri de caractere - - Upper Case Letters - Litere mari - - - Lower Case Letters - Litere mici - Numbers Numere - - Special Characters - Caractere speciale - Extended ASCII - + Extins ASCII Exclude look-alike characters @@ -3866,11 +4984,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase - + Frază parola Wordlist: - + lista cuvintelor Word Separator: @@ -3918,28 +5036,20 @@ Expect some bugs and minor issues, this version is not meant for production use. ExtendedASCII - + ASCII Extins Switch to advanced mode - + Comutarea la modul avansat Advanced Avansat - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3950,86 +5060,146 @@ Expect some bugs and minor issues, this version is not meant for production use. Braces - + Bretele {[( - + {[( Punctuation - + Punctuaţie .,:; - + .,:; Quotes - + Citate " ' - - - - Math - + " ' <*+!?= - - - - Dashes - + <*+!?=></*+!?=> \_|-/ - + \_|-/ Logograms - + Logograme #$%&&@^`~ - + #$%&&@^`~ Switch to simple mode - + Comutarea la modul simplu Simple - + Simplu Character set to exclude from generated password - + Set de caractere pentru a exclude din parola generată Do not include: - + Nu includeți: Add non-hex letters to "do not include" list - + Adăugați litere non-hex la "nu includ" lista Hex - + Hex Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - + Caractere excluse: "0", "1", "l", "I", "O", "|", "." Word Co&unt: - + Număr c&uvinte: Regenerate + Regenera + + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility @@ -4037,13 +5207,10 @@ Expect some bugs and minor issues, this version is not meant for production use. QApplication KeeShare - + De la KeeShare - - - QFileDialog - Select + Statistics @@ -4051,7 +5218,7 @@ Expect some bugs and minor issues, this version is not meant for production use. QMessageBox Overwrite - + Suprascrie Delete @@ -4059,11 +5226,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + Muta Empty - + Gol Remove @@ -4071,7 +5238,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + Sări peste Disable @@ -4079,6 +5246,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge + Îmbinare + + + Continue @@ -4086,51 +5257,51 @@ Expect some bugs and minor issues, this version is not meant for production use. QObject Database not opened - + Bază de date nedeschisă Database hash not available - + Hash bază de date nu este disponibilă Client public key not received - + Cheie publică client neprimită Cannot decrypt message - + Nu se poate decripta mesajul Action cancelled or denied - + Acțiune anulată sau refuzată KeePassXC association failed, try again - + Asociația KeePassXC nu a reușit, încercați din nou Encryption key is not recognized - + Cheia de criptare nu este recunoscută Incorrect action - + Acțiune incorectă Empty message received - + Mesaj gol primit No URL provided - + Niciun URL furnizat No logins found - + Nu s-au găsit conectări Unknown error - + Eroare necunoscută Add a new entry to a database. @@ -4138,7 +5309,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the database. - Calea către baza de date + Calea către baza de date. Key file of the database. @@ -4150,7 +5321,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Username for the entry. - + Nume de utilizator pentru intrare. username @@ -4158,7 +5329,7 @@ Expect some bugs and minor issues, this version is not meant for production use. URL for the entry. - + URL pentru intrare. URL @@ -4166,15 +5337,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Prompt for the entry's password. - + Se solicită parola intrării. Generate a password for the entry. - - - - Length for the generated password. - Lungimea parolei generate. + Generează o parolă pentru intrare. length @@ -4182,20 +5349,20 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the entry to add. - + Calea intrării de adăugat. Copy an entry's password to the clipboard. - + Copiați parola unei intrări în Clipboard. Path of the entry to clip. clip = copy to clipboard - + Calea intrării în clip. Timeout in seconds before clearing the clipboard. - + Expirare în câteva secunde înainte de Golirea Clipboard. Edit an entry. @@ -4211,38 +5378,29 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the entry to edit. - + Calea intrării de editat. Estimate the entropy of a password. - + Estimați entropia a unei parole. Password for which to estimate the entropy. - + Parola pentru care să estimezi entropia. Perform advanced analysis on the password. - - - - Extract and print the content of a database. - - - - Path of the database to extract. - Calea bazei de date pentru extragere. - - - Insert password to unlock %1: - + Efectuați o analiză avansată a parolei. WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Avertisment: utilizați un format de fișier cheie moștenit care poate deveni +neacceptat în viitor. + +Vă rugăm să luați în considerare generarea unui nou fișier cheie. @@ -4260,15 +5418,15 @@ Comenzi disponibile: List database entries. - + Listare intrări din bază de date. Path of the group to list. Default is / - + Calea grupului la listă. Implicit este/ Find entries quickly. - + Găsiți rapid intrările. Search term. @@ -4278,29 +5436,25 @@ Comenzi disponibile: Merge two databases. Îmbina doua baze de date - - Path of the database to merge into. - - Path of the database to merge from. - + Calea bazei de date din care să fuzioneze. Use the same credentials for both database files. - + Utilizați aceleași acreditări pentru ambele fișiere de baze de date. Key file of the database to merge from. - + Fișier cheie al bazei de date pentru a fuziona din. Show an entry's information. - + Afișați informațiile unei intrări. Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - + Numele atributelor de arătat. Această opțiune poate fi specificată de mai multe ori, fiecare atribut fiind afișat într-o singură linie în ordinea dată. Dacă nu sunt specificate atribute, se acordă un rezumat al atributelor implicite. attribute @@ -4308,23 +5462,23 @@ Comenzi disponibile: Name of the entry to show. - + Numele intrării de arătat. NULL device - + Dispozitiv NULL error reading from device - + citirea erorilor de pe dispozitiv malformed string - + șir incorect missing closing quote - + lipsă citat de închidere Group @@ -4340,7 +5494,7 @@ Comenzi disponibile: Password - Parolă + Parola Notes @@ -4348,20 +5502,16 @@ Comenzi disponibile: Last Modified - + Ultima modificare Created - + Creat Browser Integration Integrare cu browserul - - YubiKey[%1] Challenge Response - Slot %2 - %3 - - Press Apasă @@ -4376,446 +5526,410 @@ Comenzi disponibile: Generate a new random diceware passphrase. - + Generează o nouă frază de acces diceware aleatoare. Word count for the diceware passphrase. - + Word conta pentru fraza de acces diceware. Wordlist for the diceware generator. [Default: EFF English] - + Lista de cuvinte pentru generatorul de diceware. +[Default: EFF engleză] Generate a new random password. - - - - Invalid value for password length %1. - + Generează o nouă parolă aleatorie. Could not create entry with path %1. - + Imposibil de creat intrarea cu calea %1. Enter password for new entry: - + Introduceți parola pentru intrare nouă: Writing the database failed %1. - + Scrierea bazei de date nu a reușit %1. Successfully added entry %1. - + Intrare adăugată cu succes %1. Copy the current TOTP to the clipboard. - + Copiați TOTP curent în Clipboard. Invalid timeout value %1. - + Valoare de expirare nevalidă %1. Entry %1 not found. - + Intrarea %1 nu a fost găsită. Entry with path %1 has no TOTP set up. - + Intrarea cu calea %1 nu are TOTP configurat. Entry's current TOTP copied to the clipboard! - + TOTP curent de intrare copiate în Clipboard! Entry's password copied to the clipboard! - + Parola de intrare copiate în Clipboard! Clearing the clipboard in %1 second(s)... - + Golirea Clipboard-ului în% 1 second (s)...Golirea Clipboard-ului în% 1 second (s)...Golirea Clipboard-ului în %1 secunda (e)... Clipboard cleared! - + Clipboard sters! Silence password prompt and other secondary outputs. - + Tăcere parola prompt și alte ieșiri secundare. count CLI parameter - - - - Invalid value for password length: %1 - + număr Could not find entry with path %1. - + Imposibil de găsit intrarea cu calea %1. Not changing any field for entry %1. - + Nu se modifică niciun câmp pentru intrarea %1. Enter new password for entry: - + Introduceți parola nouă pentru intrare: Writing the database failed: %1 - + Scrierea bazei de date nu a reușit: %1 Successfully edited entry %1. - + Intrare editată cu succes %1. Length %1 - + Lungime %1 Entropy %1 - + Entropie %1 Log10 %1 - + Log10 %1 Multi-word extra bits %1 - + Multi-cuvânt extra Bits %1 Type: Bruteforce - + Tipul: Bruteforce Type: Dictionary - + Tip: dicționar Type: Dict+Leet - + Tip: dict + Leet Type: User Words - + Tip: cuvinte utilizator Type: User+Leet - + Tip: utilizator + Leet Type: Repeated - + Tip: repetat Type: Sequence - + Tip: secvență Type: Spatial - + Tip: spatial Type: Date - + Tip: data Type: Bruteforce(Rep) - + Tipul: Bruteforce (Rep) Type: Dictionary(Rep) - + Tip: Dicționar (Rep) Type: Dict+Leet(Rep) - + Tip: dict + Leet (Rep) Type: User Words(Rep) - + Tip: cuvinte utilizator (Rep) Type: User+Leet(Rep) - + Tip: utilizator + Leet (Rep) Type: Repeated(Rep) - + Tip: repetat (Rep) Type: Sequence(Rep) - + Tip: secvență (Rep) Type: Spatial(Rep) - + Tip: spatial (Rep) Type: Date(Rep) - + Tip: data (Rep) Type: Unknown%1 - + Tip: necunoscut %1 Entropy %1 (%2) - + Entropie %1 (%2) *** Password length (%1) != sum of length of parts (%2) *** - + *** Lungime parolă (%1) != suma de lungime a pieselor (%2) * * * Failed to load key file %1: %2 - - - - File %1 does not exist. - - - - Unable to open file %1. - - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + Încărcarea fișierului cheie %1: %2 nu a reușit Length of the generated password - + Lungimea parolei generate Use lowercase characters - + Folosește minuscule Use uppercase characters - - - - Use numbers. - + Folosește majuscule Use special characters - + Folosește caractere speciale Use extended ASCII - + Utilizarea ASCII extinsă Exclude character set - + Excludere set de caractere chars - + caractere Exclude similar looking characters - + Exclude caractere similare în căutarea Include characters from every selected group - + Includere caractere din fiecare grup selectat Recursively list the elements of the group. - + Recursiv lista elementele grupului. Cannot find group %1. - + Imposibil de găsit grupul %1. Error reading merge file: %1 - + Eroare la citirea fișierului de îmbinare: +%1 Unable to save database to file : %1 - + Imposibil de salvat baza de date în fișier: %1 Unable to save database to file: %1 - + Imposibil de salvat baza de date în fișier: %1 Successfully recycled entry %1. - + Intrare reciclată cu succes %1. Successfully deleted entry %1. - + Intrare ștearsă cu succes %1. Show the entry's current TOTP. - + Afișați TOTP-ul curent al intrării. ERROR: unknown attribute %1. - + EROARE: atribut necunoscut %1. No program defined for clipboard manipulation - + Nici un program definit pentru manipularea Clipboard Unable to start program %1 - + Imposibil de pornit programul %1 file empty - + fișier gol %1: (row, col) %2,%3 - + % 1: (rând, col) %2,%3 AES: 256-bit - + AES: 256-biți Twofish: 256-bit - + Twofish: 256-biți ChaCha20: 256-bit - + ChaCha20: 256-biți Argon2 (KDBX 4 – recommended) - + Argon2 (KDBX 4 – recomandat) AES-KDF (KDBX 4) - + AES-KDF (KDBX 4) AES-KDF (KDBX 3.1) - + AES-KDF (KDBX 3.1) Invalid Settings TOTP - + Setări invalide Invalid Key TOTP - + Cheie invalidă Message encryption failed. - + Criptarea mesajelor nu a reușit. No groups found - + Nu s-au găsit grupuri Create a new database. - + Creează o bază de date nouă. File %1 already exists. - + Fișierul %1 există deja. Loading the key file failed - + Încărcarea fișierului cheie nu a reușit No key is set. Aborting database creation. - + Nu este setată nicio cheie. Abandonarea creării bazei de date. Failed to save the database: %1. - + Salvarea bazei de date nu a reușit: %1. Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + Noua bază de date a fost creată cu succes. Creating KeyFile %1 failed: %2 - + Crearea KeyFile %1 nu a reușit: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Eliminați o intrare din baza de date. + Încărcarea KeyFile %1 nu a reușit: %2 Path of the entry to remove. - + Calea intrării de eliminat. Existing single-instance lock file is invalid. Launching new instance. - + Fișierul de blocare cu o singură instanță existentă nu este valid. Lansează o nouă instanță. The lock file could not be created. Single-instance mode disabled. - + Imposibil de creat fișierul de blocare. Modul single-instanță dezactivat. KeePassXC - cross-platform password manager - + KeePassXC - manager de parole multi-platformă filenames of the password databases to open (*.kdbx) - + nume de fișiere de baze de date parola pentru a deschide (*.kdbx) path to a custom config file - + calea către un fișier de configurare particularizat key file of the database - + fișier cheie al bazei de date read password of the database from stdin - + citi parola bazei de date de la stdin Parent window handle - + Handle fereastră părinte Another instance of KeePassXC is already running. - + O altă instanță a KeePassXC este deja în execuție. Fatal error while testing the cryptographic functions. - + Eroare fatală în timpul testării funcțiilor criptografice. KeePassXC - Error @@ -4823,6 +5937,334 @@ Comenzi disponibile: Database password: + Parolă bază de date: + + + Cannot create new group + Imposibil de creat un grup nou + + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + + + + Build Type: %1 + + + + Revision: %1 + Revizie: %1 + + + Distribution: %1 + Distribuție: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Sistem de operare: %1 +Arhitectura procesor (CPU): %2 +Nucleu (Kernel): %3 %4 + + + Auto-Type + Auto tiparire + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + + + + TouchID + + + + None + + + + Enabled extensions: + Extensii activate: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Baza de date nu a fost modificată de operațiunea de îmbinare. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options @@ -4830,30 +6272,30 @@ Comenzi disponibile: QtIOCompressor Internal zlib error when compressing: - + Eroare internă zlib la comprimarea: Error writing to underlying device: - + Eroare la scrierea dispozitivului subiacent: Error opening underlying device: - + Eroare la deschiderea dispozitivului subiacent: Error reading data from underlying device: - + Eroare la citirea datelor de pe dispozitivul subiacent: Internal zlib error when decompressing: - + Eroare internă zlib la decomprimare: QtIOCompressor::open The gzip format not supported in this version of zlib. - + Formatul gzip nu este acceptat în această versiune de zlib. Internal zlib error: @@ -4864,90 +6306,90 @@ Comenzi disponibile: SSHAgent Agent connection failed. - + Conexiunea agentului nu a reușit. Agent protocol error. - + Eroare de protocol agent. No agent running, cannot add identity. - + Nu se execută niciun agent, nu se poate adăuga identitate. No agent running, cannot remove identity. - + Nu se execută niciun agent, nu se poate elimina identitatea. Agent refused this identity. Possible reasons include: - + Agentul a refuzat această identitate. Motive posibile includ: The key has already been added. - + Cheia a fost deja adăugată. Restricted lifetime is not supported by the agent (check options). - + Durata de viață restricționată nu este acceptată de agent (opțiuni de verificare). A confirmation request is not supported by the agent (check options). - + O solicitare de confirmare nu este acceptată de agent (opțiuni de selectare). SearchHelpWidget Search Help - + Căutare ajutor Search terms are as follows: [modifiers][field:]["]term["] - + Termenii de căutare sunt după urmează: [modifiers][field:]["]term["] Every search term must match (ie, logical AND) - + Fiecare termen de căutare trebuie să corespundă (de exemplu, logică și) Modifiers - + Modificatori exclude term from results - + exclude termenul de la rezultate match term exactly - + termenul de potrivire exact use regex in term - + utilizarea regex în termen Fields - + Câmpuri Term Wildcards - + Wildcards pe termen match anything - + se potrivesc cu orice match one - + meci unul logical OR - + logică sau Examples - + Exemple @@ -4966,15 +6408,102 @@ Comenzi disponibile: Search Help - + Căutare ajutor Search (%1)... Search placeholder text, %1 is the keyboard shortcut - + Căutare (%1)... Case sensitive + Caz sensibil + + + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + General + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Grup + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Setări bază de date + + + Edit database settings + + + + Unlock database + Deblocare bază de date + + + Unlock database to show more information + + + + Lock database + Blocare bază de date + + + Unlock to show + + + + None @@ -4982,31 +6511,31 @@ Comenzi disponibile: SettingsWidgetKeeShare Active - + Activ Allow export - + Se permite exportul Allow import - + Se permite importul Own certificate - + Certificat propriu Fingerprint: - + Amprentă: Certificate: - + Certificat: Signer - + Semnatar Key: @@ -5018,27 +6547,27 @@ Comenzi disponibile: Import - + Import Export - + Export Imported certificates - + Certificate importate Trust - + Încredere Ask - + Întreabă Untrust - + Fără încredere Remove @@ -5046,40 +6575,40 @@ Comenzi disponibile: Path - + Cale Status - + Stare Fingerprint - + Amprentă Certificate - + Certificat Trusted - + Încredere Untrusted - + Încredere Unknown - + Necunoscut key.share Filetype for KeeShare key - + cheie.Share KeeShare key file - + KeeShare fisier-cheie All files @@ -5087,43 +6616,133 @@ Comenzi disponibile: Select path - + Selectare traseu Exporting changed certificate - + Exportul certificatului modificat The exported certificate is not the same as the one in use. Do you want to export the current certificate? + Certificatul exportat nu este identic cu cel utilizat. Exportați certificatul curent? + + + Signer: + Semnatar: + + + Allow KeeShare imports - %1.%2 - Template for KeeShare key file + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Cheie + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Suprascrierea container de partajare semnate nu este acceptată-exportul împiedicat + + + Could not write export container (%1) + Imposibil de scris containerul de export (%1) + + + Could not embed signature: Could not open file to write (%1) + Imposibil de încorporat semnătura: Imposibil de deschis fișierul de scris (%1) + + + Could not embed signature: Could not write file (%1) + Imposibil de încorporat semnătura: Imposibil de scris fișierul (%1) + + + Could not embed database: Could not open file to write (%1) + Imposibil de încorporat baza de date: Imposibil de deschis fișierul pentru scris (%1) + + + Could not embed database: Could not write file (%1) + Imposibil de încorporat baza de date: Imposibil de scris fișierul (%1) + + + Overwriting unsigned share container is not supported - export prevented + Suprascrierea containerului de partajare nesemnate nu este acceptată-exportul împiedicat + + + Could not write export container + Imposibil de scris container de export + + + Unexpected export error occurred + Eroare de export neașteptată + + + + ShareImport Import from container without signature - + Importul din container fără semnătură We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + Nu putem verifica sursa containerului partajat, deoarece nu este semnat. Chiar doriți să importați de la %1? Import from container with certificate - + Importul din container cu certificat - Do you want to trust %1 with the fingerprint of %2 from %3 - + Do you want to trust %1 with the fingerprint of %2 from %3? + Doriți să aveți încredere în %1 cu amprenta de %2 de la %3? {1 ?} {2 ?} Not this time - + Nu și de data asta. Never @@ -5131,103 +6750,86 @@ Comenzi disponibile: Always - + Întotdeauna Just this time - - - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - + Doar de data asta. Signed share container are not supported - import prevented - + Container de partajare semnat nu sunt acceptate-import prevenit File is not readable - + Fișierul nu este lizibil Invalid sharing container - + Container de partajare nevalid Untrusted import prevented - + Import de neîncredere împiedicat Successful signed import - + Import semnat cu succes Unexpected error - + Eroare neașteptată Unsigned share container are not supported - import prevented - + Container de partajare nesemnate nu sunt acceptate-import prevenit Successful unsigned import - + Import nesemnate cu succes File does not exist - + Fișierul nu există Unknown share container type - + Tip de container de partajare necunoscut + + + + ShareObserver + + Import from %1 failed (%2) + Importul din %1 nu a reușit (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + Importul de la %1 cu succes (%2) - Could not write export container (%1) - - - - Could not embed signature (%1) - - - - Could not embed database (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Importat din %1 Export to %1 failed (%2) - + Exportul în %1 nu a reușit (%2) Export to %1 successful (%2) - + Exportul către %1 cu succes (%2) Export to %1 - + Export în %1 + + + Multiple import source path to %1 in %2 + Mai multe căi de import sursă la %1 în %2 + + + Conflicting export target path %1 in %2 + Calea țintă de export în conflict %1 în %2 @@ -5246,7 +6848,7 @@ Comenzi disponibile: Expires in <b>%n</b> second(s) - + Expiră în <b>% n</b> second (s)Expiră în <b>% n</b> second (s)Expiră în <b>%n</b> secunde @@ -5258,15 +6860,15 @@ Comenzi disponibile: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + Notă: aceste setări TOTP sunt particularizate și pot să nu funcționeze cu alți autentificatori. There was an error creating the QR code. - + Eroare la crearea codului QR. Closing in %1 seconds. - + Se închide în %1 secunde. @@ -5275,10 +6877,6 @@ Comenzi disponibile: Setup TOTP Configurați TOTP - - Key: - Cheie: - Default RFC 6238 token settings Setări implicite token RFC 6238 @@ -5293,11 +6891,11 @@ Comenzi disponibile: Custom Settings - + Setări particularizate Time step: - + Pasul de timp: sec @@ -5309,27 +6907,56 @@ Comenzi disponibile: Dimensiune cod: - 6 digits - 6 cifre - - - 7 digits + Secret Key: - 8 digits - 8 cifre + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + Algoritm: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + UpdateCheckDialog Checking for updates - + Se caută actualizări Checking for updates... - + Se caută actualizări... Close @@ -5337,46 +6964,46 @@ Comenzi disponibile: Update Error! - + Eroare de actualizare! An error occurred in retrieving update information. - + S-a produs o eroare la recuperarea informațiilor de actualizare. Please try again later. - + Vă rugăm să încercați din nou mai târziu. Software Update - + Actualizări software A new version of KeePassXC is available! - + O nouă versiune a KeePassXC este disponibila! KeePassXC %1 is now available — you have %2. - + KeePassXC %1 este acum disponibil — aveți %2. Download it at keepassxc.org - + Descărcați-l la keepassxc.org You're up-to-date! - + Ești la zi! KeePassXC %1 is currently the newest version available - + KeePassXC %1 este în prezent cea mai nouă versiune disponibilă WelcomeWidget Start storing your passwords securely in a KeePassXC database - + Începeți să stocați parolele în siguranță într-o bază de date KeePassXC Create new database @@ -5400,6 +7027,14 @@ Comenzi disponibile: Welcome to KeePassXC %1 + Bun venit la KeePassXC %1 + + + Import from 1Password + + + + Open a recent database @@ -5411,18 +7046,26 @@ Comenzi disponibile: YubiKey Challenge-Response - + YubiKey Challenge-răspuns <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>Dacă dețineți un <a href="https://www.yubico.com/">YubiKey</a>, îl puteți folosi pentru securitate suplimentară.</p><p>YubiKey necesită unul dintre sloturile sale să fie programat ca <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-răspuns</a>.</p> No YubiKey detected, please ensure it's plugged in. - + Nu este detectat YubiKey, asigurați-vă că este conectat. No YubiKey inserted. + Nu s-a inserat YubiKey. + + + Refresh hardware tokens + + + + Hardware key slot selection diff --git a/share/translations/keepassx_ru.ts b/share/translations/keepassx_ru.ts index b3fab3d24..07799f568 100644 --- a/share/translations/keepassx_ru.ts +++ b/share/translations/keepassx_ru.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC распространяется на условиях универсальной общедоступной лицензии GNU (GPL) версии 2 или 3 (на ваше усмотрение). + KeePassXC распространяется на условиях универсальной общественной лицензии GNU (GPL) версии 2 или 3 (на ваше усмотрение). Contributors @@ -95,6 +95,14 @@ Follow style Следовать стилю + + Reset Settings? + Сбросить настройки? + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,21 +118,9 @@ Start only a single instance of KeePassXC Запускать только один экземпляр KeePassXC - - Remember last databases - Запоминать последнюю базу данных - - - Remember last key files and security dongles - Запоминать последние использованные ключевые файлы и устройства - - - Load previous databases on startup - Загружать предыдущие базы данных при запуске - Minimize window at application startup - Запускать приложение в свёрнутом виде + Сворачивать окно при запуске приложения File Management @@ -148,7 +144,7 @@ Don't mark database as modified for non-data changes (e.g., expanding groups) - Не помечать базу данных изменённой при действиях, не изменяющих данные (например при раскрытии групп) + Не помечать базу данных изменённой при действиях, не связанных с изменением данных (например при раскрытии групп) Automatically reload the database when modified externally @@ -162,10 +158,6 @@ Use group icon on entry creation Использовать значок группы для новых записей - - Minimize when copying to clipboard - Сворачивать при копировании в буфер обмена - Hide the entry preview panel Скрыть панель предварительного просмотра записи @@ -192,11 +184,7 @@ Hide window to system tray when minimized - Сворачивать окно в область уведомлений - - - Language - Язык + При сворачивании скрывать окно в область уведомлений Auto-Type @@ -216,7 +204,7 @@ Global Auto-Type shortcut - Клавиши для глобального автоввода + Комбинация клавиш для глобального автоввода Auto-Type typing delay @@ -231,21 +219,102 @@ Auto-Type start delay Задержка начала автоввода - - Check for updates at application startup - Проверять обновления при запуске приложения - - - Include pre-releases when checking for updates - Включать бета-версии при проверке обновлений - Movable toolbar Перемещаемая панель инструментов - Button style - Стиль кнопок + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + сек + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -265,7 +334,7 @@ Lock databases after inactivity of - Блокировать базу данных при неактивности в течение + Блокировать базу данных при отсутствии активности в течение min @@ -273,7 +342,7 @@ Forget TouchID after inactivity of - Забывать TouchID после неактивности + Забыть TouchID после неактивности Convenience @@ -285,19 +354,19 @@ Forget TouchID when session is locked or lid is closed - Забывать TouchID при блокировке сеанса или закрытии крышки ноутбука + Забыть TouchID, когда сеанс заблокирован или крышка закрыта Lock databases after minimizing the window - Блокировать базы данных при сворачивании окна + Блокировать базу данных при сворачивании окна Re-lock previously locked database after performing Auto-Type - Блокировать ранее заблокированную БД после автоввода + Заблокировать базу данных после автоввода Don't require password repeat when it is visible - Не требовать повторный ввод пароля, когда он отображается + Не требовать повторный ввод пароля, когда он показывается Don't hide passwords when editing them @@ -313,15 +382,36 @@ Hide entry notes by default - По умолчанию скрывать примечания записи + Скрыть примечания записи по умолчанию Privacy Конфиденциальность - Use DuckDuckGo as fallback for downloading website icons - Использовать DuckDuckGo как резервный источник для загрузки значков сайта + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + мин + + + Clear search query after + @@ -340,7 +430,7 @@ The Syntax of your Auto-Type statement is incorrect! - Неверная инструкция автоввода! + Неверный синтаксис инструкции автоввода! This Auto-Type command contains a very long delay. Do you really want to proceed? @@ -367,7 +457,7 @@ Default sequence - Стандартная последовательность + Последовательность по умолчанию @@ -378,17 +468,28 @@ Title - Имя записи + Заголовок Username - Имя пользователя + Логин Sequence Последовательность + + AutoTypeMatchView + + Copy &username + Скопировать лог&ин + + + Copy &password + Скопировать п&ароль + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Выберите запись для автоввода: + + Search... + Поиск... + BrowserAccessControlDialog @@ -424,12 +529,20 @@ Please select whether you want to allow access. %1 запросил доступ к паролям для следующих элементов. Разрешить доступ? + + Allow access + + + + Deny access + + BrowserEntrySaveDialog KeePassXC-Browser Save Entry - KeePassXC-Browser - сохранить запись + KeePassXC-Browser: Сохранение записи Ok @@ -454,11 +567,7 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser - Это требуется для доступа к вашим базам данных при использовании KeePassXC-Browser - - - Enable KeepassXC browser integration - Включить интеграцию с браузером + Это требуется для доступа к базам данных с помощью KeePassXC-Browser General @@ -495,7 +604,7 @@ Please select the correct database for saving credentials. Only entries with the same scheme (http://, https://, ...) are returned. - Возвращать записи только при соответствии протокола (http://, https://,...). + Возвращаются только записи с таким же протоколом (http://, https://, ...). &Match URL scheme (e.g., https://...) @@ -503,7 +612,7 @@ Please select the correct database for saving credentials. Only returns the best matches for a specific URL instead of all entries for the whole domain. - При поиске по URL возвращать только лучшие совпадения, а не все записи для домена. + Возвращает только лучшие совпадения для определённого URL-адреса, а не все записи для целого домена. &Return only best-matching credentials @@ -526,16 +635,12 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - Не &запрашивать доступ к записям + Никогда не &спрашивать перед доступом к учётным данным Never ask before &updating credentials Credentials mean login data requested via browser extension - Не спрашивать перед &обновлением учётных данных - - - Only the selected database has to be connected with a client. - К клиенту должна быть подключена только выбранная база данных. + Никогда не спрашивать перед &обновлением учётных данных Searc&h in all opened databases for matching credentials @@ -544,7 +649,7 @@ Please select the correct database for saving credentials. Automatically creating or updating string fields is not supported. - Автоматическое создание или обновление полей, содержащих строки, не поддерживается. + Автоматическое создание или обновление строковых полей не поддерживается. &Return advanced string fields which start with "KPH: " @@ -556,7 +661,7 @@ Please select the correct database for saving credentials. Update &native messaging manifest files at startup - Обновлять при запуске файлы манифеста механизма &native messaging + Обновлять файлы манифеста механизма &native messaging при запуске Support a proxy application between KeePassXC and browser extension. @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Внимание!</b> Не найдено приложение keepassxc-proxy! <br /> Проверьте папку установки KeePassXC или задайте свой путь в расширенных настройках. <br />Интеграция в браузеры не будет работать без прокси-приложения. <br />Ожидаемый путь: - Executable Files Исполняемые файлы @@ -607,19 +708,63 @@ Please select the correct database for saving credentials. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - Не спрашивать разрешения для HTTP и Basic авторизации + Не спрашивать разрешения для &базовой HTTP-аутентификации Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - Так как Snap - песочница, нужно запустить скрипт, чтобы разрешить интеграцию в браузеры.<br />Этот скрипт можно получить тут: %1 + Так как Snap это песочница, для включения браузерной интеграции нужно выполнить сценарий.<br />Этот сценарий можно получить с %1 Please see special instructions for browser extension use below - Ознакомьтесь ниже с особыми инструкциями по использованию расширения браузера + Ознакомьтесь с инструкциями по использованию расширения браузера ниже KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 - KeePassXC-Browser необходим для интеграции в браузер. <br />Скачайте его для %1 и %2. %3 + Для интеграции с браузерами требуется KeePassXC-Browser. <br />Скачайте его для %1 и %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + @@ -666,7 +811,7 @@ Do you want to overwrite it? Converting attributes to custom data… - Преобразование атрибутов в пользовательских данных... + Преобразование атрибутов в пользовательские данные... KeePassXC: Converted KeePassHTTP attributes @@ -675,12 +820,12 @@ Do you want to overwrite it? Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - Успешно преобразованы атрибуты из %1 записи(ей). + Записей, из которых успешно преобразованы атрибуты: %1. Перемещено ключей в пользовательские данные: %2. Successfully moved %n keys to custom data. - Успешно переехал %n ключи пользовательских данных.Успешно переехал %n ключи пользовательских данных.Успешно переехал %n ключи пользовательских данных.Успешно перемещено ключей в пользовательские данные: %n. + %n ключ успешно перемещён в пользовательские данные.%n ключа успешно перемещены в пользовательские данные.%n ключей успешно перемещены в пользовательские данные.Перемещено ключей в пользовательские данные: %n. KeePassXC: No entry with KeePassHTTP attributes found! @@ -692,7 +837,7 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - KeePassXC: Обнаружена устаревшая интеграция с браузером + KeePassXC: Обнаружена устаревшая интеграция с браузерами KeePassXC: Create a new group @@ -702,7 +847,7 @@ Moved %2 keys to custom data. A request for creating a new group "%1" has been received. Do you want to create this group? - Получен запрос на создание новой группы "%1". + Получен запрос для создания новой группы "%1". Создать эту группу? @@ -710,9 +855,13 @@ Do you want to create this group? Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - Ваши настройки KeePassXC-Browser требуется переместить в настройки базы данных. -Это необходимо, чтобы поддерживать текущие подключения браузера. -Хотите перенести настройки сейчас? + Необходимо переместить настройки KeePassXC-Browser в настройки базы данных. +Это нужно для управления текущими подключениями к браузерам. +Переместить имеющиеся настройки? + + + Don't show this warning again + Не показывать это предупреждение @@ -727,7 +876,7 @@ Would you like to migrate your existing settings now? Replace username and password with references - Использовать ссылки для имени пользователя и пароля + Заменить логин и пароль ссылками Copy history @@ -754,7 +903,7 @@ Would you like to migrate your existing settings now? Codec - Кодек + Кодировка Text is qualified by @@ -772,13 +921,9 @@ Would you like to migrate your existing settings now? First record has field names Первая запись содержит имена полей - - Number of headers line to discard - Пропустить строк в начале - Consider '\' an escape character - Символ «\» является экранирующим + Считать символ «\» экранирующим Preview @@ -786,7 +931,7 @@ Would you like to migrate your existing settings now? Column layout - Назначение столбцов + Расположение столбцов Not present in CSV file @@ -818,19 +963,35 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n больше сообщений пропущен][%n больше сообщений пропущен][%n больше сообщений пропущен][пропущено сообщений: %n] + [ещё %n сообщение пропущено][ещё %n сообщения пропущено][ещё %n сообщений пропущено][пропущено сообщений: %n] CSV import: writer has errors: %1 - Импорт CSV: запись с ошибками - %1 + Импорт CSV: запись с ошибками (%1) + + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + CsvParserModel %n column(s) - %n столбцов%n столбцов%n столбцов%n столбцов + %n столбец%n столбца%n столбцов%n столбцов %1, %2, %3 @@ -839,11 +1000,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n байт(ов)%n байт(ов)%n байт(ов)%n байт + %n байт%n байта%n байт%n байт %n row(s) - %n строка%n строк%n строк%n строк + %n строка%n строки%n строк%n строк @@ -865,52 +1026,53 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Ошибка при чтении базы данных: %1 - - Could not save, database has no file name. - Не удалось сохранить, отсутствует имя у файла базы данных. - File cannot be written as it is opened in read-only mode. - Файл не может быть перезаписан - он открыт в режиме "только для чтения". + Невозможно перезаписать файл - он открыт в режиме только для чтения. Key not transformed. This is a bug, please report it to the developers! - Ключ не преобразован. Это ошибка, сообщите о ней разработчикам! + Ключ не преобразован. Это ошибка, сообщите о ней разработчикам. + + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Корзина DatabaseOpenDialog Unlock Database - KeePassXC - Разблокировать базу данных - KeePassXC + Разблокировка базы данных - KeePassXC DatabaseOpenWidget - - Enter master key - Введите мастер-пароль - Key File: Ключевой файл: - - Password: - Пароль: - - - Browse - Обзор - Refresh Обновить - - Challenge Response: - Вызов-ответ: - Legacy key file format Устаревший формат ключевого файла @@ -941,20 +1103,96 @@ Please consider generating a new key file. Выберите ключевой файл - TouchID for quick unlock - TouchID для быстрой разблокировки + Failed to open key file: %1 + - Unable to open the database: -%1 - Невозможно открыть базу данных: -%1 + Select slot... + - Can't open key file: -%1 - Невозможно открыть ключевой файл: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Обзор... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Очистить + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -1003,11 +1241,11 @@ Please consider generating a new key file. Forg&et all site-specific settings on entries - Забыть все настройки записей для конкретных сайтов + Забыть все специфические для сайтов настройки записей Move KeePassHTTP attributes to KeePassXC-Browser &custom data - Переместить аттрибуты KeePassHTTP в пользовательские данные KeePassXC-Browser + Переместить атрибуты KeePassHTTP в пользовательские данные KeePassXC-Browser Stored keys @@ -1025,7 +1263,7 @@ Please consider generating a new key file. Do you really want to delete the selected key? This may prevent connection to the browser plugin. Вы действительно хотите удалить выбранный ключ? -Это может помешать подключению к плагину браузера. +Это может воспрепятствовать соединению с плагином браузера. Key @@ -1046,8 +1284,8 @@ This may prevent connection to the browser plugin. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - Вы действительно хотите отключить все браузеры? -Это может помешать подключению к плагину браузера. + Вы действительно хотите отсоединить все браузеры? +Это может воспрепятствовать соединению с плагином браузера. KeePassXC: No keys found @@ -1055,7 +1293,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - В настройках KeePassXC нет общих ключей шифрования. + Нет общих ключей шифрования в настройках KeePassXC. KeePassXC: Removed keys from database @@ -1063,17 +1301,17 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Успешно удалён %n ключ шифрования из настроек KeePassXC.Успешно удалёны %n ключа шифрования из настроек KeePassXC.Успешно удалёны %n ключей шифрования из настроек KeePassXC.Успешно удалено ключей шифрования из настроек KeePassXC: %n. + Успешно удалён %n ключ шифрования из настроек KeePassXC.Успешно удалёны %n ключа шифрования из настроек KeePassXC.Успешно удалёны %n ключей шифрования из настроек KeePassXC.Ключи шифрования (%n шт.) успешно удалены из настроек KeePassXC. Forget all site-specific settings on entries - Забыть все настройки записей для конкретных сайтов + Забыть все специфические для сайтов настройки записей Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - Вы действительно хотите забыть все настройки сайта для каждой записи? -Разрешения на доступ к записям будут отменены. + Вы действительно хотите забыть все специфические для сайтов настройки у каждой записи? +Разрешения на доступ к записям будут отозваны. Removing stored permissions… @@ -1089,7 +1327,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Успешно удалено разрешение от %n записи.Успешно удалены разрешения от %n записей.Успешно удалены разрешения от %n записей.Успешно удалены разрешения из %n шт. записей. + Успешно удалены доступы из %n записи.Успешно удалены доступы из %n записей.Успешно удалены доступы из %n записей.Записей, у которых удалены разрешения: %n. KeePassXC: No entry with permissions found! @@ -1097,18 +1335,26 @@ Permissions to access entries will be revoked. The active database does not contain an entry with permissions. - В активной базе данных нет записей с разрешениями. + Активная база данных не содержит записей с разрешениями. Move KeePassHTTP attributes to custom data - Переместить атрибуты KeePassHTTP в пользовательские данные + Переместить аттрибуты KeePassHTTP в пользовательские данные Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - Вы действительно хотите перевести все устаревшие данные интеграции браузера в новый стандарт? + Вы действительно хотите привести все устаревшие данные интеграции браузера к новейшему стандарту? Это необходимо для поддержания совместимости с плагином браузера. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1130,7 +1376,7 @@ This is necessary to maintain compatibility with the browser plugin. Transform rounds: - Циклов преобразования: + Раундов преобразования: Benchmark 1-second delay @@ -1166,7 +1412,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - Чем больше значение, тем сильнее защита, но дольше открывается база данных. + Чем выше значение, тем надёжнее защита, но база данных будет открываться дольше. Database format: @@ -1192,15 +1438,15 @@ This is necessary to maintain compatibility with the browser plugin. Number of rounds too high Key transformation rounds - Слишком много циклов + Слишком много раундов You are using a very high number of key transform rounds with Argon2. If you keep this number, your database may take hours or days (or even longer) to open! - Слишком много циклов преобразования ключа Argon2. + Слишком большое число раундов преобразования ключа Argon2. -Если оставить это значение, то база данных может открываться часы, дни или даже дольше! +Если оставить это значение, открытие базы данных может занять часы, дни или даже больше! Understood, keep number @@ -1213,13 +1459,13 @@ If you keep this number, your database may take hours or days (or even longer) t Number of rounds too low Key transformation rounds - Слишком мало циклов + Слишком мало раундов You are using a very low number of key transform rounds with AES-KDF. If you keep this number, your database may be too easy to crack! - Слишком мало циклов преобразования ключа AES-KDF. + Слишком мало раундов преобразования ключа AES-KDF. Если оставить это значение, базу данных можно будет слишком легко взломать! @@ -1234,12 +1480,12 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - МиБ МиБ МиБ МиБ +  МиБ МиБ МиБ МиБ thread(s) Threads for parallel execution (KDF settings) - потоков потоков потоков потоков + поток потока потоков потоков %1 ms @@ -1249,7 +1495,58 @@ If you keep this number, your database may be too easy to crack! %1 s seconds - %1 s%1 s%1 s%1 cек + %1 с%1 с%1 с%1 сек + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1268,7 +1565,7 @@ If you keep this number, your database may be too easy to crack! Default username: - Имя пользователя по умолчанию: + Логин по умолчанию: History Settings @@ -1298,6 +1595,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Включить &сжатие (рекомендуется) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1335,7 +1665,7 @@ If you keep this number, your database may be too easy to crack! DatabaseSettingsWidgetMasterKey Add additional protection... - Добавить дополнительную защиту... + Дополнительная защита... No encryption key added @@ -1343,17 +1673,17 @@ If you keep this number, your database may be too easy to crack! You must add at least one encryption key to secure your database! - Нужно добавить хотя бы один ключ шифрования, чтобы обезопасить базу данных! + Нужно добавить хотя бы один ключ шифрования для защиты базы данных! No password set - Пароль не установлен + Не задан пароль WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - ВНИМАНИЕ! Вы не установили пароль. Категорически НЕ рекомендуется использовать базу данных без пароля! + ВНИМАНИЕ! Вы не установили пароль. Настоятельно НЕ рекомендуется использовать базу данных без пароля! Вы действительно хотите продолжить без пароля? @@ -1365,6 +1695,10 @@ Are you sure you want to continue without a password? Failed to change master key Не удалось изменить мастер-ключ + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1710,129 @@ Are you sure you want to continue without a password? Description: Описание: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Имя + + + Value + Значение + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1422,16 +1879,12 @@ Are you sure you want to continue without a password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - У созданной базы данных нет ключа или ФФК, сохранение невозможно. -Это определённо ошибка, сообщите о ней разработчикам. - - - The database file does not exist or is not accessible. - Файл базы данных не существует или недоступен. + Созданная база данных не имеет ключа или ФФК, сохранение невозможно. +Это ошибка, сообщите о ней разработчикам. Select CSV file - Выберите CSV-файл + Выберать CSV-файл New Database @@ -1440,17 +1893,41 @@ This is definitely a bug, please report it to the developers. %1 [New Database] Database tab name modifier - %1 [новая база данных] + %1 [Новая база данных] %1 [Locked] Database tab name modifier - %1 [заблокировано] + %1 [Заблокировано] %1 [Read-only] Database tab name modifier - %1 [только для чтения] + %1 [Только для чтения] + + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + @@ -1469,7 +1946,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить записи (%n) в корзину? + Вы действительно хотите поместить %n запись в корзину?Вы действительно хотите поместить %n записи в корзину?Вы действительно хотите поместить %n записей в корзину?Вы действительно хотите переместить записи (%n шт.) в корзину? Execute command? @@ -1531,7 +2008,7 @@ Do you want to merge your changes? Do you really want to delete %n entry(s) for good? - Вы действительно хотите удалить %n запись насовсем?Вы действительно хотите удалить %n записи насовсем?Вы действительно хотите удалить %n записей насовсем?Вы действительно хотите окончательно удалить записи (%n шт.)? + Вы действительно хотите удалить %n запись насовсем?Вы действительно хотите удалить %n записи насовсем?Вы действительно хотите удалить %n записей насовсем?Удалить записи (%n шт.) окончательно? Delete entry(s)? @@ -1541,17 +2018,13 @@ Do you want to merge your changes? Move entry(s) to recycle bin? Переместить запись в корзину?Переместить записи в корзину?Переместить записи в корзину?Переместить записи в корзину? - - File opened in read only mode. - Файл открыт в режиме только для чтения. - Lock Database? Заблокировать базу данных? You are editing an entry. Discard changes and lock anyway? - Вы сейчас редактируете запись. Отменить изменения и всё равно заблокировать? + Вы редактируете запись. Отказаться от изменений и всё равно заблокировать? "%1" was modified. @@ -1572,7 +2045,7 @@ Save changes? Could not open the new database file while attempting to autoreload. Error: %1 - Не удалось открыть новый файл базы данных при попытке автоматически загрузить повторно. + Не удалось открыть новый файл базы данных при попытке автоматической перезагрузки. Ошибка: %1 @@ -1584,12 +2057,6 @@ Error: %1 Disable safe saves and try again? KeePassXC несколько раз не удалось сохранить базу данных. Это могло быть вызвано службами синхронизации файлов, блокирующими файл при сохранении. Отключить безопасное сохранение и повторить попытку? - - - Writing the database failed. -%1 - Не удалось записать базу данных. -%1 Passwords @@ -1609,7 +2076,7 @@ Disable safe saves and try again? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Запись "%1" имеет %2 ссылку. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?Запись "%1" имеет %2 ссылки. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?Запись "%1" имеет %2 ссылок. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?У записи "%1" есть ссылки (%2 шт.). Хотите перезаписать ссылки значениями, пропустить эту запись или всё равно её удалить? + Запись "%1" имеет %2 ссылку. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?Запись "%1" имеет %2 ссылки. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?Запись "%1" имеет %2 ссылок. Вы хотите переписать ссылки значениями, пропустить эту запись или удалить в любом случае?Ссылок у записи "%1": %2. Что нужно сделать: перезаписать ссылки значениями, пропустить эту запись или всё равно удалить? Delete group @@ -1629,11 +2096,19 @@ Disable safe saves and try again? Database was not modified by merge operation. - База данных не была изменена операцией объединения. + База данных не была изменена операцией слияния. Shared group... - Общая группа... + Совместная группа... + + + Writing the database failed: %1 + Ошибка при записи базы данных: %1 + + + This database is opened in read-only mode. Autosave is disabled. + @@ -1656,7 +2131,7 @@ Disable safe saves and try again? Properties - Параметры + Свойства History @@ -1676,15 +2151,15 @@ Disable safe saves and try again? Select private key - Выберите закрытый (личный) ключ + Выберите частный ключ File too large to be a private key - Слишком большой файл для закрытого ключа + Слишком большой файл для частного ключа Failed to open private key - Не удалось открыть личный ключ + Не удалось открыть частный ключ Entry history @@ -1696,7 +2171,7 @@ Disable safe saves and try again? Edit entry - Изменить запись + Редактировать запись Different passwords supplied. @@ -1716,11 +2191,11 @@ Disable safe saves and try again? %n week(s) - %n нед%n нед%n нед%n нед. + %n неделя%n недели%n недель%n нед. %n month(s) - %n месяц(-а)(-ев)%n месяц(-а)(-ев)%n месяц(-а)(-ев)%n мес. + %n месяц%n месяца%n месяцев%n мес. Apply generated password? @@ -1744,16 +2219,28 @@ Disable safe saves and try again? [PROTECTED] Press reveal to view or edit - [Защищено] Нажмите 'Показать' для просмотра или правки + [ЗАЩИЩЕНО] Нажмите для просмотра или правки %n year(s) - %n год%n лет%n лет%n лет + %n год%n года%n лет%n г. Confirm Removal Подтвердите удаление + + Browser Integration + Интеграция с браузерами + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1779,7 +2266,7 @@ Disable safe saves and try again? Reveal - Показать + Открытие Attachments @@ -1793,6 +2280,42 @@ Disable safe saves and try again? Background Color: Цвет фона: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1826,7 +2349,78 @@ Disable safe saves and try again? Use a specific sequence for this association: - Использовать специальную последовательность для этой ассоциации: + Особая последовательность для этой ассоциации: + + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Общие + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Создать + + + Remove + Удалить + + + Edit + Изменить @@ -1847,6 +2441,26 @@ Disable safe saves and try again? Delete all Удалить всё + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1886,6 +2500,62 @@ Disable safe saves and try again? Expires Истекает + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1935,7 +2605,7 @@ Disable safe saves and try again? Private key - Закрытый (личный) ключ + Частный ключ External file @@ -1944,7 +2614,7 @@ Disable safe saves and try again? Browse... Button for opening file dialog - Просмотр... + Обзор... Attachment @@ -1962,6 +2632,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Требовать подтверждение при использовании этого ключа + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1975,7 +2661,7 @@ Disable safe saves and try again? Properties - Параметры + Свойства Add group @@ -1983,7 +2669,7 @@ Disable safe saves and try again? Edit group - Править группу + Изменить группу Enable @@ -1997,6 +2683,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Наследовать от родительской группы (%1) + + Entry has unsaved changes + В записи есть несохранённые изменения + EditGroupWidgetKeeShare @@ -2024,34 +2714,6 @@ Disable safe saves and try again? Inactive Неактивные - - Import from path - Импортировать из пути - - - Export to path - Экспортировать в путь - - - Synchronize with path - Синхронизировать с путём - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Эта версия KeePassXC не поддерживает совместное использование контейнера такого типа. Используйте %1. - - - Database sharing is disabled - Совместное использование базы данных отключено - - - Database export is disabled - Экспорт базы данных отключён - - - Database import is disabled - Импорт базы данных отключён - KeeShare unsigned container Неподписанный контейнер KeeShare @@ -2062,11 +2724,11 @@ Disable safe saves and try again? Select import source - Выберите источник импорта + Выбрать источник для импорта Select export target - Выберите место экспорта + Выбрать цель для экспорта Select import/export file @@ -2077,16 +2739,74 @@ Disable safe saves and try again? Очистить - The export container %1 is already referenced. - На контейнер экспорта %1 уже есть ссылка. + Import + Импортировать - The import container %1 is already imported. - Контейнер импорта %1 уже импортирован. + Export + Экспортировать - The container %1 imported and export by different groups. - Контейнер %1 импортируется и экспортируется разными группами. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + @@ -2117,7 +2837,35 @@ Disable safe saves and try again? Set default Auto-Type se&quence - Установить последовательность автоввода по умолчанию + Задать последовательность автоввода по умолчанию + + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + @@ -2154,37 +2902,25 @@ Disable safe saves and try again? All files Все файлы - - Custom icon already exists - Свой значок уже существует - Confirm Delete Подтверждение удаления - - Custom icon successfully downloaded - Свой значок успешно загружен - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - * Вы можете включить DuckDuckGo как резерв в "Сервис>Настройки>Безопасность" - Select Image(s) Выбор изображения Successfully loaded %1 of %n icon(s) - Успешно загружен %1 из %n значкаУспешно загружены %1 из %n значковУспешно загружены %1 из %n значковУспешно загружено значков: %1 из %n + Успешно загружена %1 из %n значкаУспешно загружены %1 из %n значковУспешно загружены %1 из %n значковУспешно загружено значков: %1 из %n No icons were loaded - Не загружено ни одного значка + Значки не были загружены %n icon(s) already exist in the database - %n значок уже существует в базе данных%n значка уже существуют в базе данных%n значков уже существуют в базе данныхЗначков, уже имеющихся в базе данных: %n + %n значок уже существует в базе данных%n значка уже существуют в базе данных%n значков уже существуют в базе данныхУже существующих в базе данных значков: %n The following icon(s) failed: @@ -2192,18 +2928,54 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Этот значок используется %n записью и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется %n записями и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется %n записями и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется записями (%n), он будет замещён стандартным значком. Вы действительно хотите его удалить? + Этот значок используется %n записью и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется %n записями и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется %n записями и будет замещён значком по умолчанию. Вы уверены, что хотите удалить его?Этот значок используется записями (%n шт.) и будет замещён значком по умолчанию. Вы действительно хотите его удалить? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + EditWidgetProperties Created: - Создание: + Создано: Modified: - Изменение: + Изменено: Accessed: @@ -2239,12 +3011,36 @@ This may cause the affected plugins to malfunction. Value Значение + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry %1 - Clone - %1 - клон + %1 - Клон @@ -2286,7 +3082,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложения?Вы действительно хотите удалить вложения (%n шт.)? + Вы уверены, что вы хотите удалить %n вложение?Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложений?Вы действительно хотите удалить вложения (%n шт.)? Save attachments @@ -2295,12 +3091,11 @@ This may cause the affected plugins to malfunction. Unable to create directory: %1 - Невозможно создать папку: -%1 + Не удаётся создать папку: %1 Are you sure you want to overwrite the existing file "%1" with the attachment? - Вы действительно хотите перезаписать имеющийся файл "%1" с вложением? + Перезаписать имеющийся файл "%1" с вложением? Confirm overwrite @@ -2309,7 +3104,7 @@ This may cause the affected plugins to malfunction. Unable to save attachments: %1 - Невозможно сохранить вложения: + Невозможно сохранить вложение: %1 @@ -2331,12 +3126,32 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 - Не удалось открыть файл: -%1Не удалось открыть файлы: -%1Не удалось открыть файлы: -%1Невозможно открыть файл(ы): + Не удаётся открыть файл: +%1Не удаётся открыть файлы: +%1Не удаётся открыть файлы: +%1Невозможно открыть файлы: %1 + + Attachments + Вложения + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2353,11 +3168,11 @@ This may cause the affected plugins to malfunction. Title - Имя записи + Название Username - Имя пользователя + Логин URL @@ -2377,11 +3192,11 @@ This may cause the affected plugins to malfunction. Title - Имя записи + Название Username - Имя пользователя + Логин URL @@ -2405,11 +3220,11 @@ This may cause the affected plugins to malfunction. Created - Создан + Создано Modified - Изменение + Изменено Accessed @@ -2430,10 +3245,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Генерировать токен TOTP - Close Закрыть @@ -2519,6 +3330,14 @@ This may cause the affected plugins to malfunction. Share Предоставить общий доступ + + Display current TOTP value + + + + Advanced + Дополнительно + EntryView @@ -2544,7 +3363,7 @@ This may cause the affected plugins to malfunction. Reset to defaults - Сброс в стандартные значения + Восстановить значения по умолчанию Attachments (icon) @@ -2552,11 +3371,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Корзина + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2574,6 +3415,58 @@ This may cause the affected plugins to malfunction. Невозможно сохранить файл сценария для механизма native messaging. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Отмена + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Закрыть + + + URL + URL-адрес + + + Status + Статус + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + OK + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2593,11 +3486,7 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. - Невозможно выполнить вызов-ответ. - - - Wrong key or database file is corrupt. - Неверный ключ, либо повреждён файл базы данных. + Невозможно выполнить ответ на вызов. missing database headers @@ -2619,12 +3508,17 @@ This may cause the affected plugins to malfunction. Invalid header data length Недопустимая длина данных заголовка + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer Unable to issue challenge-response. - Невозможно выполнить вызов-ответ. + Невозможно выполнить ответ на вызов. Unable to calculate master key @@ -2649,10 +3543,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch Несоответствие SHA256 заголовка - - Wrong key or database file is corrupt. (HMAC mismatch) - Неверный ключ, либо повреждён файл базы данных (несоответствие HMAC). - Unknown cipher Неизвестный шифр @@ -2753,6 +3643,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data Недопустимый размер поля поля в структуре метаданных + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2791,15 +3690,15 @@ This may cause the affected plugins to malfunction. Invalid master seed size - Недопустимый размер основного seed + Недопустимый размер мастер-seed Invalid transform seed size - Недопустимый размер seed для преобразования + Недопустимый размер seed для трансформирования Invalid transform rounds size - Недопустимый размер цикла преобразования + Недопустимый размер раунда преобразования Invalid start bytes size @@ -2837,11 +3736,11 @@ This is a one-way migration. You won't be able to open the imported databas Unable to parse UUID: %1 - Не удается выполнить разбор UUID: %1 + Невозможно выполнить разбор UUID: %1 Failed to read database file. - Не удалось прочитать файл базы данных. + Невозможно прочитать файл базы данных. @@ -2856,11 +3755,11 @@ This is a one-way migration. You won't be able to open the imported databas Missing icon uuid or data - Нет UUID значка или данных + Нет значка UUID или данных Missing custom data key or value - Нет ключа пользовательских данных или значения + Отсутствует ключ пользовательских данных или значение Multiple group elements @@ -2868,7 +3767,7 @@ This is a one-way migration. You won't be able to open the imported databas Null group uuid - UUID для группы NULL + Значение UUID для NULL-группы Invalid group icon number @@ -2884,11 +3783,11 @@ This is a one-way migration. You won't be able to open the imported databas No group uuid found - Нет UUID группы + Отсутствует групповой UUID Null DeleteObject uuid - UUID DeleteObject Null + Null DeleteObject UUID Missing DeletedObject uuid or time @@ -2896,7 +3795,7 @@ This is a one-way migration. You won't be able to open the imported databas Null entry uuid - UUID для записи Null + UUID для Null-записи Invalid entry icon number @@ -2920,7 +3819,7 @@ This is a one-way migration. You won't be able to open the imported databas Entry string key or value missing - Нет ключа или значения записи + Отсутствует ключ или значение записи Duplicate attachment found @@ -2928,11 +3827,11 @@ This is a one-way migration. You won't be able to open the imported databas Entry binary key or value missing - Нет двоичного ключа или значения записи + Отсутствует двоичный ключ или значение записи Auto-type association window or sequence missing - Нет окна или последовательности для автоввода + Отсутствует окно или последовательность для автоввода Invalid bool value @@ -2940,7 +3839,7 @@ This is a one-way migration. You won't be able to open the imported databas Invalid date time value - Недопустимое значение даты/времени + Недопустимое значение даты времени Invalid color value @@ -2974,14 +3873,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Импортировать базу данных KeePass 1 - Unable to open the database. Невозможно открыть базу данных. + + Import KeePass1 Database + + KeePass1Reader @@ -3020,15 +3919,15 @@ Line %2, column %3 Invalid transform seed size - Недопустимый размер seed для преобразования + Недопустимый размер seed для трансформирования Invalid number of transform rounds - Недопустимое число циклов преобразования + Недопустимое количество раундов преобразования Unable to construct group tree - Не удалось создать дерево групп + Невозможно создать дерево групп Root @@ -3038,17 +3937,13 @@ Line %2, column %3 Unable to calculate master key Невозможно вычислить мастер-пароль - - Wrong key or database file is corrupt. - Неверный ключ, либо повреждён файл базы данных. - Key transformation failed - Не удалось выполнить преобразование ключа + Невозможно преобразовать ключ Invalid group field type number - Недопустимый тип поля группы + Недопустимый номер типа поля группы Invalid group field size @@ -3076,7 +3971,7 @@ Line %2, column %3 Incorrect group expiry time field size - Неверный размер поля времени истечения срока действия группы + Неверное значение поля времени истечения срока действия группы Incorrect group icon field size @@ -3092,15 +3987,15 @@ Line %2, column %3 Missing group id or level - Нет группового идентификатора или уровня + Отсутствует групповой идентификатор или уровень Missing entry field type number - Нет номера типа поля записи + Отсутствует номер типа поля записи Invalid entry field size - Неверный размер поля записи + Недопустимый размер поля записи Read entry field data doesn't match size @@ -3108,7 +4003,7 @@ Line %2, column %3 Invalid entry uuid field size - Неверный размер поля UUID записи + Недопустимый размер поля UUID записи Invalid entry group id field size @@ -3128,7 +4023,7 @@ Line %2, column %3 Invalid entry expiry time field size - Недопустимый размер поля времени срока действия + Недопустимый размер поля времени для срока действия Invalid entry field type @@ -3138,40 +4033,57 @@ Line %2, column %3 unable to seek to content position не удалось переместиться к позиции содержимого + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Отключить общий доступ + Invalid sharing reference + - Import from - Импорт из + Inactive share %1 + - Export to - Экспорт в + Imported from %1 + Импортировано из %1 - Synchronize with - Синхронизировать с + Exported to %1 + - Disabled share %1 - Отключённый общий ресурс %1 + Synchronized with %1 + - Import from share %1 - Импорт из общего ресурса %1 + Import is disabled in settings + - Export to share %1 - Экспорт в общий ресурс %1 + Export is disabled in settings + - Synchronize with share %1 - Синхронизировать с общим ресурсом %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3190,7 +4102,7 @@ Line %2, column %3 Key Component set, click to change or remove - Ключевой компонент установлен, нажмите, чтобы изменить или удалить + Ключевой компонент установлен, щёлкните, чтобы изменить или удалить Add %1 @@ -3215,10 +4127,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Обзор - Generate Генерировать @@ -3229,7 +4137,7 @@ Line %2, column %3 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - <p>Для большей безопасности вы можете добавить ключевой файл со случайными байтами.</p><p>Храните его в надёжном месте и не теряйте, иначе будете заблокированы!</p> + <p>Для большей надёжности можно добавить ключевой файл, содержащий случайные байты.</p><p>Этот файл нужно хранить в секрете и не терять, иначе не удастся получить доступ к данным.</p> Legacy key file format @@ -3240,9 +4148,9 @@ Line %2, column %3 unsupported in the future. Please go to the master key settings and generate a new key file. - Вы используете ключевой файл устаревшего формата, поддержка которого впоследствии может прекратиться. + Вы используете ключевой файл устаревшего формата, поддержка которого в дальнейшем может быть прекращена. -Сгенерируйте новый ключевой файл в настройках мастер-ключа. +Перейдите в настройки мастер-ключа и создайте новый ключевой файл. Error loading the key file '%1' @@ -3274,6 +4182,43 @@ Message: %2 Select a key file Выберите ключевой файл + + Key file selection + + + + Browse for key file + + + + Browse... + Обзор... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3287,7 +4232,7 @@ Message: %2 &Help - &Справка + Справка E&ntries @@ -3347,11 +4292,11 @@ Message: %2 Copy &username - Скопировать лог&ин + Скопировать &имя пользователя Copy username to clipboard - Скопировать логин в буфер обмена + Скопировать имя пользователя в буфер обмена Copy password to clipboard @@ -3361,10 +4306,6 @@ Message: %2 &Settings &Параметры - - Password Generator - Генератор паролей - &Lock databases &Заблокировать базу данных @@ -3453,7 +4394,7 @@ This version is not meant for production use. WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. ВНИМАНИЕ: Ваша версия Qt может привести к сбоям KeePassXC при работе с экранной клавиатурой! -Рекомендуем использовать AppImage (см. нашу страницу загрузок). +Рекомендуем использовать AppImage с нашей страницы загрузки. &Import @@ -3493,11 +4434,11 @@ We recommend you use the AppImage available on our downloads page. &Edit entry - Изменить запись + &Изменить запись View or edit entry - Показать/изменить запись + Просмотреть или отредактировать запись &New group @@ -3551,19 +4492,11 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Показать QR-код TOTP... - - Check for Updates... - Проверить обновления... - - - Share entry - Поделиться записью - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. ВНИМАНИЕ: Вы используете бета-версию KeePassXC! -В ней возможны ошибки и небольшие проблемы, она не предназначена для основного применения. +Она может содержать ошибки и не предназначена для повседневного использования. Check for updates on startup? @@ -3571,11 +4504,79 @@ Expect some bugs and minor issues, this version is not meant for production use. Would you like KeePassXC to check for updates on startup? - Хотите проверять обновления KeePassXC при запуске? + Хотите, чтобы программа KeePassXC проверяла наличие обновлений при запуске? You can always check for updates manually from the application menu. - Проверять наличие обновлений можно вручную из меню приложения. + Наличие обновлений можно проверять и вручную из меню программы. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Скачать значок сайта + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + @@ -3594,7 +4595,7 @@ Expect some bugs and minor issues, this version is not meant for production use. older entry merged from database "%1" - более старая запись из базы данных "%1" + более старая запись объединена из базы данных "%1" Adding backup for older target %1 [%2] @@ -3610,7 +4611,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Reapplying older source entry on top of newer target %1 [%2] - Повторное применение более старой исходной записи поверх более новой мишени %1 [%2] + Повторное применение более старой исходной записи поверх более новой цели %1 [%2] Synchronizing from newer source %1 [%2] @@ -3626,7 +4627,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Deleting orphan %1 [%2] - Удаление "осиротевшей" %1 [%2] + Удаление 'сироты' %1 [%2] Changed deleted objects @@ -3636,6 +4637,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 Добавление отсутствующего значка %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3661,7 +4670,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Здесь можно настроить параметры шифрования базы данных. Их можно будет изменить позже в настройках базы данных. + Здесь можно настроить шифрование базы данных. Вы сможете изменить параметры позже в настройках базы данных. Advanced Settings @@ -3680,7 +4689,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - Здесь можно настроить параметры шифрования базы данных. Их можно будет изменить позже в настройках базы данных. + Здесь можно настроить шифрование базы данных. Вы сможете изменить параметры позже в настройках базы данных. @@ -3691,7 +4700,7 @@ Expect some bugs and minor issues, this version is not meant for production use. A master key known only to you protects your database. - Известный только вам мастер-ключ служит для защиты базы данных. + Известный только вам мастер-ключ для защиты базы данных. @@ -3702,7 +4711,73 @@ Expect some bugs and minor issues, this version is not meant for production use. Please fill in the display name and an optional description for your new database: - Заполните отображаемое имя и, при желании, описание новой базы данных: + Заполните отображаемое имя и описание (необязательное) новой базы данных: + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + @@ -3733,15 +4808,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Failed to read public key. - Ошибка чтения открытого (публичного) ключа. + Не удалось прочитать публичный ключ. Corrupted key file, reading private key failed - Ключевой файл повреждён, ошибка чтения закрытого (личного) ключа + Повреждённый ключевой файл, ошибка чтения частного ключа No private key payload to decrypt - Нет данных для расшифровки в закрытом (личном) ключе + Нет сведений для дешифрования в частном ключе Trying to run KDF without cipher @@ -3761,27 +4836,27 @@ Expect some bugs and minor issues, this version is not meant for production use. Unexpected EOF while reading public key - Неожиданный конец файла при чтении открытого (публичного) ключа + Неожиданный конец файла при чтении публичного ключа Unexpected EOF while reading private key - Неожиданный конец файла при чтении закрытого (личного) ключа + Неожиданный конец файла при чтении частного ключа Can't write public key as it is empty - Невозможно записать открытый (публичный) ключ, так как он пуст + Невозможно записать публичный ключ, так как он пуст Unexpected EOF when writing public key - Неожиданный конец файла при записи открытого (публичного) ключа + Неожиданный конец файла при записи публичного ключа Can't write private key as it is empty - Невозможно записать закрытый (личный) ключ, так как он пуст + Невозможно записать частный ключ, так как он пуст Unexpected EOF when writing private key - Неожиданный конец файла при записи закрытого (личного) ключа + Неожиданный конец файла при записи частного ключа Unsupported key type: %1 @@ -3793,7 +4868,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Cipher IV is too short for MD5 kdf - Слишком короткий вектор инициализации (IV) для MD5 ФФК + Слишком короткий шифр IV для ФФК MD5 Unknown KDF: %1 @@ -3804,6 +4879,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Неизвестный тип ключа: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3820,7 +4906,7 @@ Expect some bugs and minor issues, this version is not meant for production use. <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - <p>Пароль - это основной метод защиты базы данных.</p><p>Хороший пароль должен быть длинным и уникальным. KeePassXC может сгенерировать его сам.</p> + <p>Пароль - основной метод защиты базы данных.</p><p>Хороший пароль должен быть длинным и уникальным. Программа KeePassXC может его сгенерировать сама.</p> Passwords do not match. @@ -3830,6 +4916,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Сгенерировать мастер-пароль + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3856,24 +4958,12 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types - Виды символов - - - Upper Case Letters - Заглавные буквы - - - Lower Case Letters - Строчные буквы + Типы символов Numbers Цифры - - Special Characters - Специальные символы - Extended ASCII Расширенный ASCII @@ -3952,20 +5042,12 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced - Дополнительно - - - Upper Case Letters A to F - Заглавные буквы от A до F + Дополнительные A-Z A-Z - - Lower Case Letters A to F - Строчные буквы от A до F - a-z a-z @@ -3998,18 +5080,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Математические - <*+!?= <*+!?= - - Dashes - Тире - \_|-/ \_|-/ @@ -4032,7 +5106,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Character set to exclude from generated password - Набор символов для исключения из сгенерированного пароля + Набор символов, исключаемых из пароля Do not include: @@ -4044,7 +5118,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Hex - Hex + 16 Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" @@ -4056,7 +5130,75 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate - Создать снова + Создать заново + + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Скопировать пароль + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + @@ -4065,12 +5207,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Выберите + Statistics + @@ -4085,7 +5224,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - Переместить + Перемещение Empty @@ -4107,6 +5246,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Слияние + + Continue + + QObject @@ -4120,7 +5263,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Client public key not received - Не получен открытый (публичный) ключ клиента + Не получен публичный ключ клиента Cannot decrypt message @@ -4148,7 +5291,7 @@ Expect some bugs and minor issues, this version is not meant for production use. No URL provided - Нет URL-адреса + Отсутствует URL-адрес No logins found @@ -4192,16 +5335,12 @@ Expect some bugs and minor issues, this version is not meant for production use. Prompt for the entry's password. - Введите пароль записи. + Запрос пароля записи. Generate a password for the entry. Сгенерировать пароль для записи. - - Length for the generated password. - Длина сгенерированного пароля. - length длина @@ -4251,18 +5390,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Выполнить расширенный анализ пароля. - - Extract and print the content of a database. - Извлечь и распечатать содержимое базы данных. - - - Path of the database to extract. - Путь к базе данных для извлечения. - - - Insert password to unlock %1: - Введите пароль для разблокировки %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4307,10 +5434,6 @@ Available commands: Merge two databases. Объединить две базы данных. - - Path of the database to merge into. - Путь к базе-приёмнику для объединения. - Path of the database to merge from. Путь к базе-источнику для объединения. @@ -4387,10 +5510,6 @@ Available commands: Browser Integration Интеграция с браузером - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Вызов-ответ - слот %2 - %3 - Press Нажать @@ -4421,10 +5540,6 @@ Available commands: Generate a new random password. Сгенерировать новый случайный пароль. - - Invalid value for password length %1. - Неверная величина для длины пароля %1 - Could not create entry with path %1. Не удалось создать запись с путём %1. @@ -4435,7 +5550,7 @@ Available commands: Writing the database failed %1. - Запись базы данных не удалась %1. + Ошибка при записи базы данных %1. Successfully added entry %1. @@ -4467,7 +5582,7 @@ Available commands: Clearing the clipboard in %1 second(s)... - Очищение буфера обмена через %1 секунду...Очищение буфера обмена через %1 секунды..Очищение буфера обмена через %1 секунд...Очистка буфера обмена через %1 сек... + Очищение буфера обмена через %1 секунду...Очищение буфера обмена через %1 секунды...Очищение буфера обмена через %1 секунд...Буфер обмена будет очищен через %1 сек... Clipboard cleared! @@ -4475,24 +5590,20 @@ Available commands: Silence password prompt and other secondary outputs. - Заглушить запрос пароля и другие второстепенные выводы. + Не показывать запрос пароля и другие второстепенные выводы. count CLI parameter количество - - Invalid value for password length: %1 - Неверное значение для длины пароля: %1 - Could not find entry with path %1. Не удалось найти запись с путём %1. Not changing any field for entry %1. - Не меняются никакие поля для записи %1. + Не меняются какие-либо поля для записи %1. Enter new password for entry: @@ -4500,7 +5611,7 @@ Available commands: Writing the database failed: %1 - Ошибка записи базы данных: %1 + Ошибка при записи базы данных: %1 Successfully edited entry %1. @@ -4532,15 +5643,15 @@ Available commands: Type: Dict+Leet - Тип: Словать+замена букв цифрами/знаками + Тип: Словать+Leet Type: User Words - Тип: Пользовательские слова + Тип: Польз. слова Type: User+Leet - Тип: Пользователь+замена букв цифрами/знаками + Тип: Польз. слова+Leet Type: Repeated @@ -4568,15 +5679,15 @@ Available commands: Type: Dict+Leet(Rep) - Тип: Словарь+замена букв цифрами/знаками (повт.) + Тип: Словарь+Leet (повт.) Type: User Words(Rep) - Тип: Пользовательские слова (повт.) + Тип: Польз. слова (повт.) Type: User+Leet(Rep) - Тип: Пользователь+замена букв цифрами/знаками (повт.) + Тип: Польз. слова+Leet (повт.) Type: Repeated(Rep) @@ -4608,31 +5719,11 @@ Available commands: Failed to load key file %1: %2 - Ошибка загрузки ключевого файла %1: %2 - - - File %1 does not exist. - Файл %1 не существует. - - - Unable to open file %1. - Невозможно открыть файл %1. - - - Error while reading the database: -%1 - Ошибка при чтении базы данных: -%1 - - - Error while parsing the database: -%1 - Ошибка при разборе базы данных: -%1 + Не удалось загрузить ключевой файл %1: %2 Length of the generated password - Длина генерируемого пароля + Длина сгенерированного пароля Use lowercase characters @@ -4642,10 +5733,6 @@ Available commands: Use uppercase characters Использовать заглавные буквы - - Use numbers. - Использовать цифры - Use special characters Использовать специальные символы @@ -4681,16 +5768,16 @@ Available commands: Error reading merge file: %1 - Ошибка при чтении объединяемого файла: + Ошибка при чтении файла слияния: %1 Unable to save database to file : %1 - Невозможно сохранить базу данных в файл: %1 + Невозможно сохранить базу данных в файле: %1 Unable to save database to file: %1 - Невозможно сохранить базу данных в файл: %1 + Невозможно сохранить базу данных в файле: %1 Successfully recycled entry %1. @@ -4710,11 +5797,11 @@ Available commands: No program defined for clipboard manipulation - Не задана программа для управления буфером обмена + Не задана программа для работы с буфером обмена Unable to start program %1 - Невозможно запустить программу %1 + Не удалось запустить программу %1 file empty @@ -4726,15 +5813,15 @@ Available commands: AES: 256-bit - AES: 256-бит + AES: 256 бит Twofish: 256-bit - Twofish: 256-бит + Twofish: 256 бит ChaCha20: 256-bit - ChaCha20: 256-бит + ChaCha20: 256 бит Argon2 (KDBX 4 – recommended) @@ -4780,7 +5867,7 @@ Available commands: No key is set. Aborting database creation. - Не задан ключ. Создание базы данных отменено. + Не задан ключ. Создание базы данных прервано. Failed to save the database: %1. @@ -4790,10 +5877,6 @@ Available commands: Successfully created new database. Новая база данных успешно создана. - - Insert password to encrypt database (Press enter to leave blank): - Введите пароль для шифрования базы данных (нажмите Enter, чтобы оставить его пустым): - Creating KeyFile %1 failed: %2 Ошибка создания ключевого файла %1: %2 @@ -4802,10 +5885,6 @@ Available commands: Loading KeyFile %1 failed: %2 Ошибка загрузки ключевого файла %1: %2 - - Remove an entry from the database. - Удалить запись из базы данных. - Path of the entry to remove. Путь к записи для удаления. @@ -4844,7 +5923,7 @@ Available commands: Another instance of KeePassXC is already running. - Другой экземпляр KeePassXC уже запущен. + Уже запущен другой экземпляр KeePassXC. Fatal error while testing the cryptographic functions. @@ -4852,7 +5931,7 @@ Available commands: KeePassXC - Error - Ошибка - KeePassXC + KeePassXC - Ошибка Database password: @@ -4862,6 +5941,330 @@ Available commands: Cannot create new group Невозможно создать новую группу + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Версия %1 + + + Build Type: %1 + Тип сборки: %1 + + + Revision: %1 + Ревизия: %1 + + + Distribution: %1 + Дистрибутив: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Операционная система: %1 +Архитектура ЦП: %2 +Ядро: %3 %4 + + + Auto-Type + Автоввод + + + KeeShare (signed and unsigned sharing) + KeeShare (доступ с использованием подписей и без) + + + KeeShare (only signed sharing) + KeeShare (доступ только с использованием подписи) + + + KeeShare (only unsigned sharing) + KeeShare (доступ только без использованием подписи) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Нет + + + Enabled extensions: + Включённые расширения: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + База данных не была изменена операцией объединения. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4901,7 +6304,7 @@ Available commands: SSHAgent Agent connection failed. - Сбой подключения агента. + Ошибка подключения агента. Agent protocol error. @@ -4909,15 +6312,15 @@ Available commands: No agent running, cannot add identity. - Агент не запущен, невозможно добавить идентификатор. + Агент не запущен, не удается добавить идентификатор. No agent running, cannot remove identity. - Агент не запущен, невозможно удалить идентификатор. + Агент не запущен, невозможно удалить учётную запись. Agent refused this identity. Possible reasons include: - Идентификатор отклонён агентом. Возможные причины: + Агент отклонил учётную запись. Возможные причины: The key has already been added. @@ -4936,7 +6339,7 @@ Available commands: SearchHelpWidget Search Help - Поиск в Справке + Искать в справке Search terms are as follows: [modifiers][field:]["]term["] @@ -4944,7 +6347,7 @@ Available commands: Every search term must match (ie, logical AND) - Каждое поисковое выражение должно иметь соответствие (т.е. логическое И) + Каждое поисковое выражение должно иметь соответствие (то есть логическое И) Modifiers @@ -4956,7 +6359,7 @@ Available commands: match term exactly - соответствовать выражению в точности + точно соответствовать выражению use regex in term @@ -4972,7 +6375,7 @@ Available commands: match anything - соответствие всему + соответствие любому match one @@ -5003,7 +6406,7 @@ Available commands: Search Help - Поиск в Справке + Искать в справке Search (%1)... @@ -5015,6 +6418,93 @@ Available commands: Учитывать регистр + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Общие + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Группа + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Параметры базы данных + + + Edit database settings + + + + Unlock database + Разблокировать базу данных + + + Unlock database to show more information + + + + Lock database + Заблокировать базу данных + + + Unlock to show + + + + None + Нет + + SettingsWidgetKeeShare @@ -5031,7 +6521,7 @@ Available commands: Own certificate - Свой сертификат + Собственный сертификат Fingerprint: @@ -5128,30 +6618,125 @@ Available commands: Exporting changed certificate - Экспортирование изменённого сертификата + Экспорт изменённого сертификата The exported certificate is not the same as the one in use. Do you want to export the current certificate? - Экспортированный сертификат отличается от используемого. Хотите экспортировать текущий сертификат? + Экспортированный сертификат не такой же, как сейчас используемый. Экспортировать текущий сертификат? Signer: Подписант: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Ключ + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Перезапись подписанного совместного контейнера не поддерживается - экспорт запрещён + + + Could not write export container (%1) + Не удалось записать экспортируемый контейнер (%1) + + + Could not embed signature: Could not open file to write (%1) + Не удалось встроить подпись: невозможно открыть файл для записи (%1) + + + Could not embed signature: Could not write file (%1) + Не удалось встроить подпись: невозможно записать файл (%1) + + + Could not embed database: Could not open file to write (%1) + Не удалось встроить базу данных: невозможно открыть файл для записи (%1) + + + Could not embed database: Could not write file (%1) + Не удалось встроить базу данных: невозможно записать файл (%1) + + + Overwriting unsigned share container is not supported - export prevented + Перезапись не подписанного совместного контейнера не поддерживается - экспорт запрещён + + + Could not write export container + Не удалось записать экспортируемый контейнер + + + Unexpected export error occurred + Неизвестная ошибка экспорта + + + + ShareImport Import from container without signature - Импортировать из контейнера без подписи + Импорт из контейнера без подписи We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - Невозможно проверить источник общего контейнера, потому что он не подписан. Вы действительно хотите выполнить импорт из %1? + Невозможно проверить источник совместно используемого контейнера, потому что он не подписан. Вы действительно хотите выполнить импорт из %1? Import from container with certificate - Импортировать из контейнера с сертификатом + Импорт из контейнера с сертификатом + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Доверять %1 с отпечатком %2 из %3? {1 ?} {2 ?} Not this time @@ -5169,21 +6754,9 @@ Available commands: Just this time Только сейчас - - Import from %1 failed (%2) - Ошибка импорта из %1 (%2) - - - Import from %1 successful (%2) - Импорт из %1 выполнен (%2) - - - Imported from %1 - Импортировано из %1 - Signed share container are not supported - import prevented - Общий контейнер с подписью не поддерживается - импорт не выполнен + Подписанный совместно используемый контейнер не поддерживается - импорт запрещён File is not readable @@ -5191,11 +6764,11 @@ Available commands: Invalid sharing container - Неверный общий контейнер + Неверный совместно используемый контейнер Untrusted import prevented - Ненадёжный импорт не выполнен + Предотвращён ненадёжный импорт Successful signed import @@ -5207,7 +6780,7 @@ Available commands: Unsigned share container are not supported - import prevented - Контейнер без подписи не поддерживается - импорт не выполнен + Не подписанный совместно используемый контейнер не поддерживается - импорт запрещён Successful unsigned import @@ -5219,27 +6792,22 @@ Available commands: Unknown share container type - Неизвестный тип контейнера + Неизвестный тип совместного контейнера + + + + ShareObserver + + Import from %1 failed (%2) + Ошибка импорта из %1 (%2) - Overwriting signed share container is not supported - export prevented - Перезапись подписанного общего контейнера не поддерживается - экспорт не выполнен + Import from %1 successful (%2) + Импорт из %1 выполнен (%2) - Could not write export container (%1) - Ошибка записи экспортируемого контейнера (%1) - - - Overwriting unsigned share container is not supported - export prevented - Перезапись неподписанного общего контейнера не поддерживается - экспорт не выполнен - - - Could not write export container - Ошибка записи экспортируемого контейнера - - - Unexpected export error occurred - Неизвестная ошибка экспорта + Imported from %1 + Импортировано из %1 Export to %1 failed (%2) @@ -5253,10 +6821,6 @@ Available commands: Export to %1 Экспорт в %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Доверять %1 с отпечатком %2 из %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Множественный путь источника импорта к %1 в %2 @@ -5265,22 +6829,6 @@ Available commands: Conflicting export target path %1 in %2 Конфликтный путь цели экспорта %1 в %2 - - Could not embed signature: Could not open file to write (%1) - Не удалось встроить подпись: невозможно открыть файл для записи (%1) - - - Could not embed signature: Could not write file (%1) - Не удалось встроить подпись: невозможно записать файл (%1) - - - Could not embed database: Could not open file to write (%1) - Не удалось встроить базу данных: невозможно открыть файл для записи (%1) - - - Could not embed database: Could not write file (%1) - Не удалось встроить базу данных: невозможно записать файл (%1) - TotpDialog @@ -5310,7 +6858,7 @@ Available commands: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - * Эти параметры TOTP - пользовательские, они могут не работать с другими средствами проверки подлинности. + * Эти параметры TOTP - пользовательские и могут не работать с другими средствами проверки подлинности. There was an error creating the QR code. @@ -5318,7 +6866,7 @@ Available commands: Closing in %1 seconds. - Закрытие через %1 сек. + Закрытие через %1 сек @@ -5327,10 +6875,6 @@ Available commands: Setup TOTP Настроить TOTP - - Key: - Ключ: - Default RFC 6238 token settings Стандартные параметры токена RFC 6238 @@ -5341,11 +6885,11 @@ Available commands: Use custom settings - Использовать особые настройки + Использовать свои параметры Custom Settings - Особые настройки + Свои параметры Time step: @@ -5361,16 +6905,45 @@ Available commands: Размер кода: - 6 digits - 6 цифр + Secret Key: + - 7 digits - 7 цифр + Secret key must be in Base32 format + - 8 digits - 8 цифр + Secret key field + + + + Algorithm: + Алгоритм: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5401,7 +6974,7 @@ Available commands: Software Update - Обновление ПО + Обновление программного обеспечения A new version of KeePassXC is available! @@ -5409,26 +6982,26 @@ Available commands: KeePassXC %1 is now available — you have %2. - Доступна KeePassXC версии %1. У вас — %2. + Сейчас доступна KeePassXC версии %1. У вас — %2. Download it at keepassxc.org - Загрузите её с keepassxc.org + Загрузите её с сайта keepassxc.org You're up-to-date! - У вас самая новая версия! + У вас самая новая версия программы! KeePassXC %1 is currently the newest version available - На данный момент KeePassXC %1 — самая новая версия + KeePassXC %1 — самая новая версия на текущий момент WelcomeWidget Start storing your passwords securely in a KeePassXC database - Начать безопасное хранение ваших паролей в базе данных KeePassXC + Начать безопасное хранение паролей в базе данных KeePassXC Create new database @@ -5454,6 +7027,14 @@ Available commands: Welcome to KeePassXC %1 Вас приветствует KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5463,7 +7044,7 @@ Available commands: YubiKey Challenge-Response - Вызов-ответ YubiKey + YubiKey вызов-ответ <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> @@ -5471,11 +7052,19 @@ Available commands: No YubiKey detected, please ensure it's plugged in. - YubiKey не обнаружен. Убедитесь, что он подключён. + YubiKey не обнаружен. Проверьте, подключён ли он. No YubiKey inserted. YubiKey не подключён. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_sk.ts b/share/translations/keepassx_sk.ts index 50de22846..aadd1b145 100644 --- a/share/translations/keepassx_sk.ts +++ b/share/translations/keepassx_sk.ts @@ -95,6 +95,14 @@ Follow style Štýl nasledovania + + Reset Settings? + Resetovať nastavenia? + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Spustiť len jednu inštanciu KeePassXC - - Remember last databases - Zapamätať posledné databázy - - - Remember last key files and security dongles - Zapamätať si posledné súbory kľúčov a bezpečnostných kľúčeniek - - - Load previous databases on startup - Načítať predošlé databázy pri štarte - Minimize window at application startup Minimalizovať okno pri spustení aplikácie @@ -162,10 +158,6 @@ Use group icon on entry creation Použiť ikonu skupiny pri vytváraní položky - - Minimize when copying to clipboard - Minimalizovať pri skopírovaní do schránky - Hide the entry preview panel Skryť panel náhľadu položky @@ -194,10 +186,6 @@ Hide window to system tray when minimized Skryť okno do oznamovacej oblasti pri minimalizácii - - Language - Jazyk - Auto-Type Automatické vypĺňanie @@ -231,21 +219,102 @@ Auto-Type start delay Oneskorenia spustenia Auto-Type - - Check for updates at application startup - Pri štarte skontrolovať aktualizácie - - - Include pre-releases when checking for updates - Pri kontrole aktualizácii zahrnúť pred-vydania - Movable toolbar Presúvateľný panel nástrojov - Button style - Štýl tlačidla + Remember previously used databases + Zapamätať si predtým používané databázy + + + Load previously open databases on startup + Načítanie predtým otvorených databáz pri spustení + + + Remember database key files and security dongles + Zapamätať databázové kľúčové súbory a zabezpečovacie HW kľúče + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + s + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + Výber jazyka + + + Reset Settings to Default + Obnoviť predvolené nastavenia + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -285,7 +354,7 @@ Forget TouchID when session is locked or lid is closed - Zabudnúť TouchID po neaktivite dlhšej ako + Zabudnúť TouchID pri zamknutí relácie alebo zatvorení krytu Lock databases after minimizing the window @@ -320,8 +389,29 @@ Súkromie - Use DuckDuckGo as fallback for downloading website icons - Na sťahovanie ikon použiť ako záložné riešenie DuckDuckGo + Use DuckDuckGo service to download website icons + Používať služby DuckDuckGo na stiahnutie ikon webových stránok + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + @@ -340,7 +430,7 @@ The Syntax of your Auto-Type statement is incorrect! - Syntax Vášho Automatického vypĺňania nieje správna! + Syntax Vášho Automatického vypĺňania nie je správna! This Auto-Type command contains a very long delay. Do you really want to proceed? @@ -348,7 +438,7 @@ This Auto-Type command contains very slow key presses. Do you really want to proceed? - Tento príkaz Automatického vypĺňania obsahuje príliš pomalé stlačenia kláves. Do you really want to proceed? + Tento príkaz Automatického vypĺňania obsahuje príliš pomalé stlačenia kláves. Naozaj ho chcete vykonať? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? @@ -382,13 +472,24 @@ Username - Používateľské meno + Použ. meno: Sequence Postupnosť + + AutoTypeMatchView + + Copy &username + Kopírovať po&už. meno + + + Copy &password + Kopírovať &heslo + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Vyberte položku na Automatické vypĺňanie: + + Search... + Hľadanie… + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 požiadal prístup k heslám nasledujúcej položky(iek). Prosím, zvoľte, či chcete povoliť prístup. + + Allow access + Povoliť prístup + + + Deny access + Odmietnuť prístup + BrowserEntrySaveDialog @@ -456,10 +569,6 @@ Prosím, vyberte správnu databázu na uloženie prihlasovacích údajov.This is required for accessing your databases with KeePassXC-Browser Toto je potrebné na prístup k vašim databázam cez KeePassXC-Prehliadač - - Enable KeepassXC browser integration - Zapnúť Integráciu KeepassXC v prehliadači - General Všeobecné @@ -533,10 +642,6 @@ Prosím, vyberte správnu databázu na uloženie prihlasovacích údajov.Credentials mean login data requested via browser extension Nikdy sa nepýtať pred &úpravou údajov - - Only the selected database has to be connected with a client. - S klientom má byť pripojená len zvolená databáza. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -552,7 +657,7 @@ Prosím, vyberte správnu databázu na uloženie prihlasovacích údajov. Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - Pri spúšťaní automaticky aktualizovať cestu spustiteľného súboru s KeePassXC alebo keepassxc-proxy na skripty posielania správ medzi prehliadačom a KeePassXC (native messaging). + Pri štarte automaticky aktualizovať cestu spustiteľného súboru s KeePassXC alebo keepassxc-proxy na skripty posielania správ medzi prehliadačom a KeePassXC (native messaging). Update &native messaging manifest files at startup @@ -592,10 +697,6 @@ Prosím, vyberte správnu databázu na uloženie prihlasovacích údajov.&Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Upozornenie</b>, nebola nájdená aplikácia keepassxc-proxy!<br />Prosím, skontrolujte inštalačný adresár KeePassXC alebo potvrďte vlastnú cestu v pokročilých nastaveniach.<br />Integrácia prehliadača NEBUDE FUNGOVAŤ bez tejto proxy.<br />Očakávaná cesta: - Executable Files Spustiteľné súbory @@ -621,6 +722,50 @@ Prosím, vyberte správnu databázu na uloženie prihlasovacích údajov.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 KeePassXC-Browser je potrebný aby fungovala integrácia s prehliadačom<br /> Stiahnite ho pre %1 a %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + Povoliť integráciu prehľadávača + + + Browsers installed as snaps are currently not supported. + Boli nainštalované prehliadače lebo "snaps" momentálne nie sú podporované. + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -649,7 +794,7 @@ zadajte mu jedinečný názov na identifikáciu a potvrďte ho. A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - Zdieľaný šifrovací kľúč s menom „%1” už existuje. + Zdiľaný šifrovací kľúč s menom „%1” už existuje. Chcete ho prepísať? @@ -680,7 +825,7 @@ Do vlastných dát presunuté %2 kľúče. Successfully moved %n keys to custom data. - Úspešne presunutý %n kľúč do vlastných dát.Úspešne presunuté %n kľúče do vlastných dát.Úspešne presunutých %n kľúčov do vlastných dát.Úspešne presunutých %n kľúčov do vlastných dát. + KeePassXC: No entry with KeePassHTTP attributes found! @@ -714,6 +859,10 @@ Would you like to migrate your existing settings now? Je to potrebné kvôli správe aktuálnych pripojení prehliadača. Chcete teraz migrovať svoje nastavenia? + + Don't show this warning again + Nezobrazovať znova toto upozornenie + CloneDialog @@ -766,16 +915,12 @@ Chcete teraz migrovať svoje nastavenia? Comments start with - Komentáre začínajú + Komentáre začínajú znakom First record has field names Prvý záznam obsahuje názvy polí - - Number of headers line to discard - Počet riadkov hlavičky na zahodenie - Consider '\' an escape character Považovať „\” za znak „escape” @@ -818,7 +963,7 @@ Chcete teraz migrovať svoje nastavenia? [%n more message(s) skipped] - [%n ďalšia správa preskočená][%n ďalšie správy preskočené[%n ďalších správ preskočených][%n ďalších správ preskočených] + CSV import: writer has errors: @@ -826,12 +971,28 @@ Chcete teraz migrovať svoje nastavenia? Import CSV: chyby zápisu: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n stĺpec%n stĺpce%n stĺpcov%n stĺpcov + %1, %2, %3 @@ -840,11 +1001,11 @@ Chcete teraz migrovať svoje nastavenia? %n byte(s) - %n bajt%n bajty%n bajtov%n bajt(y) + %n row(s) - %n riadok%n riadky%n riadkov%n riadkov + @@ -866,10 +1027,6 @@ Chcete teraz migrovať svoje nastavenia? Error while reading the database: %1 Chyba čítania databázy: %1 - - Could not save, database has no file name. - Nemožno uložiť, databáza nemá meno súboru. - File cannot be written as it is opened in read-only mode. Do súboru nemožno zapisovať, pretože je otvorený v režime len na čítanie. @@ -878,6 +1035,28 @@ Chcete teraz migrovať svoje nastavenia? Key not transformed. This is a bug, please report it to the developers! Kľúč nebol transformovaný. Je to chyba, prosím, nahláste ju vývojárom! + + %1 +Backup database located at %2 + %1 +Zálohovať databázu nachádzajúcu sa na %2 + + + Could not save, database does not point to a valid file. + Nepodarilo sa uložiť, databáza neukazuje na platný súbor. + + + Could not save, database file is read-only. + Nepodarilo sa uložiť, databázový súbor je iba na čítanie + + + Database file has unmerged changes. + + + + Recycle Bin + Kôš + DatabaseOpenDialog @@ -888,30 +1067,14 @@ Chcete teraz migrovať svoje nastavenia? DatabaseOpenWidget - - Enter master key - Zadajte hlavný kľúč - Key File: Súbor kľúča: - - Password: - Heslo: - - - Browse - Prechádzať - Refresh Obnoviť - - Challenge Response: - Výzva – odpoveď: - Legacy key file format Starý formát kľúča @@ -943,20 +1106,100 @@ Prosím, zvážte vygenerovanie nového súboru kľúča. Zvoľte súbor kľúča - TouchID for quick unlock - TouchID na rýchle odomknutie + Failed to open key file: %1 + Nepodarilo sa otvoriť kľúčový súbor: %1 - Unable to open the database: -%1 - Nemožno otvoriť databázu: -%1 + Select slot... + Vybrať slot... - Can't open key file: -%1 - Nemožno otvoriť súbor kľúča: -%1 + Unlock KeePassXC Database + Odomknúť databázu KeePassXC + + + Enter Password: + Zadajte heslo: + + + Password field + Pole pre heslo + + + Toggle password visibility + Prepnúť viditeľnosť hesla + + + Enter Additional Credentials: + + + + Key file selection + Výber kľúčového súboru + + + Hardware key slot selection + Výber slotu hardvérového kľúča + + + Browse for key file + Vyhľadať súbor kľúča + + + Browse... + Prechádzať… + + + Refresh hardware tokens + Obnoviť hardvérové tokeny + + + Hardware Key: + Hardvérový kľúč: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>Môžete použiť hardvérový bezpečnostný kľúč ako <strong>Yubikey</strong> alebo <strong>OnlyKey</strong> so slotmi nakonfigurovanými pre HMAC-SHA1.</p> + <p>Kliknite pre viac informácií...</p> + + + Hardware key help + Pomocník pre hardvérový kľúč + + + TouchID for Quick Unlock + TouchID pre rýchle odomknutie + + + Clear + Vymazať + + + Clear Key File + Vymazať súbor kľúča + + + Select file... + Vybrať súbor... + + + Unlock failed and no password given + Odomkntie zlyhalo a nebolo zadané žiadne heslo + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + Odomknutie databázy zlyhalo a nezadali ste heslo. +Chcete sa pokúsiť znova s prázdnym heslom? + +Ak chcete zabrániť zobrazovaniu tejto chyby, musíte ísť do "Nastavenia databázy/Zabezpečenia" a obnoviť heslo. + + + Retry with empty password + Skúsiť znova s prázdnym heslom @@ -1065,7 +1308,7 @@ Môže to brániť pripojeniu zásuvného modulu prehliadača. Successfully removed %n encryption key(s) from KeePassXC settings. - Úspešne odstránený %n šifrovací kľúč z nastavení KeePassXC.Úspešne odstránené %n šifrovacie kľúče z nastavení KeePassXC.Úspešne odstránených %n šifrovacích kľúčov z nastavení KeePassXC.Úspešne odstránených %n šifrovacích kľúčov z nastavení KeePassXC. + Úspešne odstránené% n šifrovací kľúč (y) z KeePassXC nastavenia.Úspešne odstránené% n šifrovací kľúč (y) z KeePassXC nastavenia.Úspešne odstránené% n šifrovací kľúč (y) z KeePassXC nastavenia.Úspešne odstránené %n šifrovacie kľúče z nastavení KeePassXC. Forget all site-specific settings on entries @@ -1091,7 +1334,7 @@ Povolenia na prístup k položkám budú odvolané. Successfully removed permissions from %n entry(s). - Úspešne odstránené povolenia z %n položky.Úspešne odstránené povolenia z %n položiek.Úspešne odstránené povolenia z %n položiek.Úspešne odstránené povolenia z %n položky. + Povolenia sa úspešne odstránili z% n položiek.Povolenia sa úspešne odstránili z% n položiek.Povolenia sa úspešne odstránili z% n položiek.Povolenia sa úspešne odstránili z %n položiek. KeePassXC: No entry with permissions found! @@ -1111,6 +1354,14 @@ This is necessary to maintain compatibility with the browser plugin. Naozaj chcete presunúť všetky staré dáta integrácie prehliadača do najnovšej normy? Je to potrebné kvôli udržaniu kompatibility so zásuvným modulom prehliadača. + + Stored browser keys + Kľúče prehliadača uložené + + + Remove selected key + Odstrániť vybraný kľúč + DatabaseSettingsWidgetEncryption @@ -1120,7 +1371,7 @@ Je to potrebné kvôli udržaniu kompatibility so zásuvným modulom prehliadač AES: 256 Bit (default) - AES: 256 bit (predvolené) + AES: 256 bitov (predvolené) Twofish: 256 Bit @@ -1236,22 +1487,73 @@ Ak ponecháte toto číslo, môže byť prelomenie ochrany databázy príliš je MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB MiB MiB + thread(s) Threads for parallel execution (KDF settings) - vláknovláknavlákien vlákien + Závit (y)Závit (y)Závit (y)vlákna %1 ms milliseconds - %1 ms%1 ms%1 ms%1 ms + %1 s seconds - %1 s%1 s%1 s%1 s + + + + Change existing decryption time + Zmeniť existujúci čas dešifrovania + + + Decryption time in seconds + Čas dešifrovania v sekundách + + + Database format + Formát databázy + + + Encryption algorithm + Šifrovací algoritmus + + + Key derivation function + Funkcia odvodenia kľúča + + + Transform rounds + + + + Memory usage + Využitie pamäte + + + Parallelism + Paralelizácia + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + Exponované položky + + + Don't e&xpose this database + Neexponovať túto databázu + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1286,7 +1588,7 @@ Ak ponecháte toto číslo, môže byť prelomenie ochrany databázy príliš je MiB - MiB + MiB Use recycle bin @@ -1300,6 +1602,40 @@ Ak ponecháte toto číslo, môže byť prelomenie ochrany databázy príliš je Enable &compression (recommended) Zapnúť &komprimáciu (odporúčané) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + Odstrániť Kôš + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + Chcete odstrániť aktuálny Kôš a všetok jeho obsah? +Táto akcia nie je reverzibilná. + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1309,7 +1645,7 @@ Ak ponecháte toto číslo, môže byť prelomenie ochrany databázy príliš je Breadcrumb - + Breadcrumb Type @@ -1341,7 +1677,7 @@ Ak ponecháte toto číslo, môže byť prelomenie ochrany databázy príliš je No encryption key added - Nie je pridaný šifrovací kľúč + Nebol pridaný šifrovací kľúč You must add at least one encryption key to secure your database! @@ -1367,6 +1703,10 @@ Naozaj chcete pokračovať bez hesla? Failed to change master key Zlyhala zmena hlavného kľúča + + Continue without password + Pokračovať bez hesla + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1718,129 @@ Naozaj chcete pokračovať bez hesla? Description: Popis: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + Pre ďalšie informácie umiestnite kurzor myši na riadky s ikonami chýb. + + + Name + Názov + + + Value + Hodnota + + + Database name + Názov databázy + + + Description + Popis + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + áno + + + no + nie + + + The database was modified, but the changes have not yet been saved to disk. + Databáza bola zmenená, ale zmeny ešte neboli uložené na disk. + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + Databáza obsahuje položky ktoré expirovali. + + + Unique passwords + Jedinečné heslá + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1427,10 +1890,6 @@ This is definitely a bug, please report it to the developers. Vytvorená databáza nemá kľúča alebo KDF, jej uloženie je odmietnuté. Toto je určite chyba, prosím nahláste ju vývojárom. - - The database file does not exist or is not accessible. - Súbor databázy neexistuje alebo nie je dostupný. - Select CSV file Zvoľte súbor CSV @@ -1454,6 +1913,30 @@ Toto je určite chyba, prosím nahláste ju vývojárom. Database tab name modifier %1 [Len na čítanie] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1471,7 +1954,7 @@ Toto je určite chyba, prosím nahláste ju vývojárom. Do you really want to move %n entry(s) to the recycle bin? - Naozaj chcete presunúť %1 položku do koša?Naozaj chcete presunúť %1 položky do koša?Naozaj chcete presunúť %1 položiek do koša?Naozaj chcete presunúť %1 položiek do koša? + Execute command? @@ -1533,19 +2016,15 @@ Chcete zlúčiť svoje zmeny? Do you really want to delete %n entry(s) for good? - Naozaj chcete natrvalo odstrániť %n položku?Naozaj chcete natrvalo odstrániť %n položky?Naozaj chcete natrvalo odstrániť %n položiek?Naozaj chcete natrvalo odstrániť %n položky? + Delete entry(s)? - Odstrániť položku?Odstrániť položky?Odstrániť položky?Odstrániť položky? + Move entry(s) to recycle bin? - Presunúť položku do koša?Presunúť položky do koša?Presunúť položky do koša?Presunúť položky do koša? - - - File opened in read only mode. - Súbor otvorený v režime len na čítanie. + Lock Database? @@ -1586,12 +2065,6 @@ Chyba: %1 Disable safe saves and try again? KeePassXC pri ukladaní databázy viac krát zlyhal. Pravdepodobne to je spôsobené službou synchronizácie súborov, ktorá drží zámok na ukladanom súbore. Vypnúť bezpečné ukladanie a skúsiť znova? - - - Writing the database failed. -%1 - Zapisovanie do databázy zlyhalo. -%1 Passwords @@ -1611,7 +2084,7 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - Položka „%1” má %2 odkaz. Chcete prepísať odkazy hodnotami, preskočiť túto položku alebo ju i tak odstrániť?Položka „%1” má %2 odkazy. Chcete prepísať odkazy hodnotami, preskočiť túto položku alebo ju i tak odstrániť?Položka „%1” má %2 odkazov. Chcete prepísať odkazy hodnotami, preskočiť túto položku alebo ju i tak odstrániť?Položka „%1” má %2 odkazu. Chcete prepísať odkazy hodnotami, preskočiť túto položku alebo ju i tak odstrániť? + Delete group @@ -1637,6 +2110,14 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Shared group... Zdieľaná skupina… + + Writing the database failed: %1 + Zápis do databázy zlyhal: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1718,11 +2199,11 @@ Vypnúť bezpečné ukladanie a skúsiť znova? %n week(s) - %n týždeň%n týždne%n týždňov%n týždňov + %n month(s) - %n mesiacoch%n mesiacoch%n mesiacoch%n mesiacoch + Apply generated password? @@ -1750,12 +2231,24 @@ Vypnúť bezpečné ukladanie a skúsiť znova? %n year(s) - %n rok%n roky%n rokov%n rokov + Confirm Removal Potvrdiť odstránenie + + Browser Integration + Integrácia prehliadača + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1795,6 +2288,42 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Background Color: Farba pozadia: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1830,6 +2359,77 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Use a specific sequence for this association: Pre toto priradenie použiť špecifickú postupnosť: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Všeobecné + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Pridať + + + Remove + Odstrániť + + + Edit + + EditEntryWidgetHistory @@ -1849,6 +2449,26 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Delete all Odstrániť všetko + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1888,6 +2508,62 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Expires Platí do + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + Pole pre heslo + + + Toggle password visibility + Prepnúť viditeľnosť hesla + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1964,6 +2640,22 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Require user confirmation when this key is used Vyžadovať potvrdenie používateľa, keď je tento kľúč použitý + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1999,6 +2691,10 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Inherit from parent group (%1) Zdediť z nadradenej skupiny (%1) + + Entry has unsaved changes + Položka má neuložené zmeny + EditGroupWidgetKeeShare @@ -2026,34 +2722,6 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Inactive Neaktívne - - Import from path - Importovať z cesty - - - Export to path - Exportovať do cesty - - - Synchronize with path - Synchronizovať s cestou - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Táto verzia KeePassXC nepodporuje zdieľanie Vášho typu kontajnera. Prosím použite %1. - - - Database sharing is disabled - Zdieľanie databázy je vypnuté - - - Database export is disabled - Export databázy je vpynutý - - - Database import is disabled - Import databázy je vpynutý - KeeShare unsigned container Nepodpísaný kontajner KeeShare @@ -2064,11 +2732,11 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Select import source - Vyberte zdroj importu + Zvoľte zdroj importu Select export target - Vyberte cieľ exportu + Zvoľte cieľ exportu Select import/export file @@ -2079,16 +2747,74 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Vymazať - The export container %1 is already referenced. - Kontajner exportu %1 už je odkazovaný. + Import + Importovať - The import container %1 is already imported. - Kontajner importu %1 už je importovaný. + Export + Export - The container %1 imported and export by different groups. - Kontajner %1 importovaný a exportovaný rôznymi skupinami. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + Pole pre heslo + + + Toggle password visibility + Prepnúť viditeľnosť hesla + + + Toggle password generator + + + + Clear fields + @@ -2121,6 +2847,34 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Set default Auto-Type se&quence Nastaviť predvolenú &postupnosť Automatického vypĺňania + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2146,7 +2900,7 @@ Vypnúť bezpečné ukladanie a skúsiť znova? Unable to fetch favicon. - Nemožno stiahnuť ikonu stránky + Nemožno stiahnuť ikonu stránky. Images @@ -2156,29 +2910,17 @@ Vypnúť bezpečné ukladanie a skúsiť znova? All files Všetky súbory - - Custom icon already exists - Vlastná ikona už existuje - Confirm Delete Potvrďte odstránenie - - Custom icon successfully downloaded - Vlastná ikona úspešne stiahnutá - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Tip: Môžete zapnúť DuckDuckGo ako náhradné riešenie v Nástroje>Nastavenie>Bezpečnosť - Select Image(s) vyberte obrázok(y) Successfully loaded %1 of %n icon(s) - Úspešne načítané %1 z %n ikonyÚspešne načítané %1 z %n ikonÚspešne načítané %1 z %n ikonÚspešne načítané %1 z %n ikony + No icons were loaded @@ -2186,15 +2928,51 @@ Vypnúť bezpečné ukladanie a skúsiť znova? %n icon(s) already exist in the database - %n ikony už v databáze existuje%n ikony už v databáze existujú%n ikon už v databáze existuje%n ikony už v databáze existuje + The following icon(s) failed: - Nasledujúca ikona zlyhala:Nasledujúce ikony zlyhali:Nasledujúce ikony zlyhali:Nasledujúce ikony zlyhali: + This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Táto ikona je použitá v %n položke a bude nahradená predvolenou ikonou. Naozaj ju chcete odstrániť?Táto ikona je použitá v %n položkách a bude nahradená predvolenou ikonou. Naozaj ju chcete odstrániť?Táto ikona je použitá v %n položkách a bude nahradená predvolenou ikonou. Naozaj ju chcete odstrániť?Táto ikona je použitá v %n položke a bude nahradená predvolenou ikonou. Naozaj ju chcete odstrániť? + + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2241,6 +3019,30 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Value Hodnota + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2288,7 +3090,7 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Are you sure you want to remove %n attachment(s)? - Naozaj chcete odstrániť %n prílohu?Naozaj chcete odstrániť %n prílohy?Naozaj chcete odstrániť %n príloh?Naozaj chcete odstrániť %n príloh? + Save attachments @@ -2333,11 +3135,27 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Unable to open file(s): %1 - Nemožno otvoriť súbor: -%1Nemožno otvoriť súbory: -%1Nemožno otvoriť súbory: -%1Nemožno otvoriť súbory: -%1 + + + + Attachments + Prílohy + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2359,7 +3177,7 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Username - Používateľské meno + Použ. meno: URL @@ -2383,7 +3201,7 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Username - Používateľské meno + Použ. meno: URL @@ -2432,10 +3250,6 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. EntryPreviewWidget - - Generate TOTP Token - Generovať token TOPT - Close Zatvoriť @@ -2521,6 +3335,14 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Share Zdieľať + + Display current TOTP value + + + + Advanced + Pokročilé + EntryView @@ -2554,11 +3376,33 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. - Group + FdoSecrets::Item - Recycle Bin - Kôš + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2576,6 +3420,58 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Nemožno uložiť súbor skriptu správ medzi prehliadačom a KeePassXC (native messaging). + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Zrušiť + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Zatvoriť + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Ok + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2597,10 +3493,6 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Unable to issue challenge-response. Nemožno vyvolať výzvu – odpoveď. - - Wrong key or database file is corrupt. - Zlý kľúč alebo je súbor databázy poškodený. - missing database headers chýbajúce hlavičky databázy @@ -2621,6 +3513,11 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Invalid header data length Neplatná dĺžka dát hlavičky + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2651,10 +3548,6 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Header SHA256 mismatch Nezhoda hlavičky SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Zlý kľúč alebo je súbor databázy poškodený (nezhoda HMAC). - Unknown cipher Neznáma šifra @@ -2703,23 +3596,22 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - Neplatná dĺžka názvu položky mapy varianty + Neplatná dĺžka názvu položky meta-dát Invalid variant map entry name data Translation: variant map = data structure for storing meta data - Neplatné dáta názvu položky mapy varianty + Neplatné dáta názvu položky meta-dát Invalid variant map entry value length Translation: variant map = data structure for storing meta data - Neplatná dĺžka hodnoty položky mapy varianty - + Neplatná dĺžka hodnoty položky meta-dát Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - Neplatné dáta hodnoty položky mapy varianty + Neplatné dáta hodnoty položky meta-dát Invalid variant map Bool entry value length @@ -2756,6 +3648,15 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov.Translation: variant map = data structure for storing meta data Neplatná veľkosť typu poľa meta-dát + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2786,7 +3687,7 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Invalid compression flags length - Nepodporovaný komprimačný algoritmus + Neplatná dĺžka príznakov komprimácie Unsupported compression algorithm @@ -2798,7 +3699,7 @@ Môže to spôsobiť nefunkčnosť dotknutých zásuvných modulov. Invalid transform seed size - Neplatná transformácia hlavnej náhodnosti (seed) + Neplatná transformácia náhodnosti (seed) Invalid transform rounds size @@ -2871,11 +3772,11 @@ Je to jednosmerná migrácia. Importovanú databázu už nebude možné otvoriť Null group uuid - Nulový UUID skupiny + Žiadne UUID skupiny Invalid group icon number - Neplatný počet ikon skupiny + Neplatné číslo ikony skupiny Invalid EnableAutoType value @@ -2891,7 +3792,7 @@ Je to jednosmerná migrácia. Importovanú databázu už nebude možné otvoriť Null DeleteObject uuid - Nulový UUID DeleteObject + Žiadne UUID DeleteObject Missing DeletedObject uuid or time @@ -2899,11 +3800,11 @@ Je to jednosmerná migrácia. Importovanú databázu už nebude možné otvoriť Null entry uuid - Nulový UUID položky + Žiadne UUID položky Invalid entry icon number - Neplatný počet ikon položky + Neplatné číslo ikony položky History element in history entry @@ -2923,7 +3824,7 @@ Je to jednosmerná migrácia. Importovanú databázu už nebude možné otvoriť Entry string key or value missing - Chýba kľúč alebo hodnota reťazca položky + Chýba textový kľúč alebo hodnota položky Duplicate attachment found @@ -2951,7 +3852,7 @@ Je to jednosmerná migrácia. Importovanú databázu už nebude možné otvoriť Invalid color rgb part - neplatná časť RGB farby + Neplatná časť RGB farby Invalid number value @@ -2977,14 +3878,14 @@ Riadok %2, stĺpec %3 KeePass1OpenWidget - - Import KeePass1 database - Importovať databázu KeePass 1 - Unable to open the database. Nemožno otvoriť databázu. + + Import KeePass1 Database + + KeePass1Reader @@ -3023,7 +3924,7 @@ Riadok %2, stĺpec %3 Invalid transform seed size - Neplatná transformácia hlavnej náhodnosti (seed) + Neplatná transformácia náhodnosti (seed) Invalid number of transform rounds @@ -3041,10 +3942,6 @@ Riadok %2, stĺpec %3 Unable to calculate master key Nemožno vypočítať hlavný kľúč - - Wrong key or database file is corrupt. - Zlý kľúč alebo je súbor databázy poškodený. - Key transformation failed Transformácia kľúča zlyhala @@ -3141,40 +4038,57 @@ Riadok %2, stĺpec %3 unable to seek to content position nemožno sa posunúť na pozíciu obsahu + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Vypnúť zdieľanie + Invalid sharing reference + - Import from - Importovať z + Inactive share %1 + - Export to - Exportovať do + Imported from %1 + Importované z %1 - Synchronize with - Synchronizovať s + Exported to %1 + - Disabled share %1 - Vypnuté zdieľanie %1 + Synchronized with %1 + - Import from share %1 - Importovať zo zdieľania %1 + Import is disabled in settings + - Export to share %1 - Exportovať do zdieľania %1 + Export is disabled in settings + - Synchronize with share %1 - Synchronizovať so zdieľaním %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3218,10 +4132,6 @@ Riadok %2, stĺpec %3 KeyFileEditWidget - - Browse - Prechádzať - Generate Generovať @@ -3277,6 +4187,43 @@ Správa: %2 Select a key file Zvoľte súbor kľúča + + Key file selection + Výber kľúčového súboru + + + Browse for key file + Vyhľadať súbor kľúča + + + Browse... + Prechádzať… + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3364,10 +4311,6 @@ Správa: %2 &Settings Na&stavenia - - Password Generator - Generátor hesla - &Lock databases Za&mknúť databázy @@ -3554,14 +4497,6 @@ Odporúčame použiť AppImage dostupný v našej stránke sťahovaní.Show TOTP QR Code... Zobraziť QR kód TOTP - - Check for Updates... - Skontrolovať aktualizácie… - - - Share entry - Zdieľať položku - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3580,6 +4515,74 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč You can always check for updates manually from the application menu. Vždy môžete skontrolovať aktualizácie manuálne z menu aplikácie. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Stiahnuť ikonu stránky + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3609,34 +4612,42 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Reapplying older target entry on top of newer source %1 [%2] - + Aplikujem položku staršieho cieľa na novší cieľ %1 [%2] Reapplying older source entry on top of newer target %1 [%2] - + Aplikujem položku staršieho zdroja na novší cieľ %1 [%2] Synchronizing from newer source %1 [%2] - + Synchronizujem z nového zdroja %1 [%2] Synchronizing from older source %1 [%2] - + Synchronizujem zo staršieho zdroja %1 [%2] Deleting child %1 [%2] - + Vymazávam potomka %1 [%2] Deleting orphan %1 [%2] - + Vymazávam sirotu %1 [%2] Changed deleted objects - + Zmenené vymazané objekty Adding missing icon %1 + Pridáva sa chýbajúca ikona %1 + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] @@ -3644,7 +4655,7 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč NewDatabaseWizard Create a new KeePassXC database... - + Vytvoriť novú databázu KeePassXC... Root @@ -3708,6 +4719,72 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Prosím, vyplňte meno a prípadne aj popis svojej novej databázy: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3807,6 +4884,17 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Neznámy typ kľúča: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3833,6 +4921,22 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Generate master password Vygenerovať hlavné heslo + + Password field + Pole pre heslo + + + Toggle password visibility + Prepnúť viditeľnosť hesla + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3861,22 +4965,10 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Character Types Typy znakov - - Upper Case Letters - Veľké písmená - - - Lower Case Letters - Malé písmená - Numbers Číslice - - Special Characters - Špeciálne znaky - Extended ASCII Rozšírené ASCII @@ -3928,7 +5020,7 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Poor Password quality - Slabé + Biedne Weak @@ -3957,18 +5049,10 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Advanced Pokročilé - - Upper Case Letters A to F - Veľké písmená A až F - A-Z A-Ž - - Lower Case Letters A to F - Malé písmená A až F - a-z a-ž @@ -4001,18 +5085,10 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč " ' " ' - - Math - Matematické - <*+!?= <*+!?= - - Dashes - Oddeľovače - \_|-/ \_|-/ @@ -4051,7 +5127,7 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - Vynechané znaky: „0”, „1”, „l”, „I”, „O”, „|”, „﹒” + Vynechané znaky: "0", "1", "l", "I", "O", "|", "﹒" Word Co&unt: @@ -4061,6 +5137,74 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Regenerate Obnoviť + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + Prepnúť viditeľnosť hesla + QApplication @@ -4068,12 +5212,9 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč KeeShare KeeShare - - - QFileDialog - Select - Vybrať + Statistics + @@ -4110,6 +5251,10 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Merge Zlúčiť + + Continue + + QObject @@ -4155,7 +5300,7 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč No logins found - Nebolo nájdené prihlásenie + Neboli nájdené prihlásenia Unknown error @@ -4201,17 +5346,13 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Generate a password for the entry. Generovať heslo tejto položky. - - Length for the generated password. - Dĺžka generovaného hesla. - length dĺžka Path of the entry to add. - Cesta pridávanej položky + Cesta pridávanej položky. Copy an entry's password to the clipboard. @@ -4254,18 +5395,6 @@ Očakávajte chyby a menšie problémy, táto verzia nie je určená na produkč Perform advanced analysis on the password. Vykonať pokročilú analýzu hesla. - - Extract and print the content of a database. - Vytiahnuť a vypísať obsah databázy. - - - Path of the database to extract. - Cesta databázy na vytiahnutie. - - - Insert password to unlock %1: - Na odomknutie zadajte heslo: %1 - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4310,10 +5439,6 @@ Dostupné príkazy: Merge two databases. Zlúčiť dve databázy. - - Path of the database to merge into. - Cesta databázy, do ktorej zlúčiť. - Path of the database to merge from. Cesta k databáze, z ktorej zlúčiť. @@ -4356,7 +5481,7 @@ Dostupné príkazy: missing closing quote - chýba koncová úvodzovka + chýbajúca koncová úvodzovka Group @@ -4368,7 +5493,7 @@ Dostupné príkazy: Username - Používateľské meno + Použ. meno: Password @@ -4390,10 +5515,6 @@ Dostupné príkazy: Browser Integration Integrácia prehliadača - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Výzva – odpoveď – slot %2 – %3 - Press Stlačiť @@ -4424,10 +5545,6 @@ Dostupné príkazy: Generate a new random password. Generovať nové náhodné heslo. - - Invalid value for password length %1. - Neplatná hodnota dĺžky hesla %1. - Could not create entry with path %1. Nemožno vytvoriť položku s cestou %1. @@ -4462,7 +5579,7 @@ Dostupné príkazy: Entry's current TOTP copied to the clipboard! - TTOP aktuálnej položky skopírovaný do schránky! + TTOP aktuálnej položky skopírované do schránky! Entry's password copied to the clipboard! @@ -4478,24 +5595,20 @@ Dostupné príkazy: Silence password prompt and other secondary outputs. - + Umlčať prompt hesla a ďalšie sekundárne výstupy count CLI parameter počet - - Invalid value for password length: %1 - - Could not find entry with path %1. - + Nepodarilo sa nájsť položku s cestou %1. Not changing any field for entry %1. - + Nemení sa žiadne pole položky %1. Enter new password for entry: @@ -4535,11 +5648,11 @@ Dostupné príkazy: Type: Dict+Leet - Typ: Slovník+Leet + Typ: Slovníík+Leet Type: User Words - Typ: Použ. slová + Type: Použ. slová Type: User+Leet @@ -4563,23 +5676,23 @@ Dostupné príkazy: Type: Bruteforce(Rep) - Typ: Hrubou silou(Rep) + Typ: Hrubou silou (Opak) Type: Dictionary(Rep) - Typ: Slovník(Rep) + Typ: Slovník(Opak) Type: Dict+Leet(Rep) - Typ: Slovník+Leet(Rep) + Typ: Slovník+Leet(Opak) Type: User Words(Rep) - Type: Použ. slová(Rep) + Type: Použ. slová(Opak) Type: User+Leet(Rep) - Typ: Použ.+Leet(Rep) + Typ: Použ.+Leet(Opak) Type: Repeated(Rep) @@ -4607,32 +5720,12 @@ Dostupné príkazy: *** Password length (%1) != sum of length of parts (%2) *** - + *** Dĺžka hesla (%1) NIE JE súčtom dĺžky častí (%2) * * * Failed to load key file %1: %2 Zlyhalo načítanie súboru kľúča %1: %2 - - File %1 does not exist. - Súbor %1 neexistuje. - - - Unable to open file %1. - Nemožno otvoriť súbor %1. - - - Error while reading the database: -%1 - Chyba čítania databázy: -%1 - - - Error while parsing the database: -%1 - Chyba spracovania databázy: -1 - Length of the generated password Dĺžka generovaného hesla @@ -4645,10 +5738,6 @@ Dostupné príkazy: Use uppercase characters Použiť veľké písmená - - Use numbers. - Použiť čísla - Use special characters Použiť špeciálne znaky @@ -4675,7 +5764,7 @@ Dostupné príkazy: Recursively list the elements of the group. - + Rekurzívne vypísať zoznam prvkov skupiny. Cannot find group %1. @@ -4697,11 +5786,11 @@ Dostupné príkazy: Successfully recycled entry %1. - + Položka %1 bola úspešne recyklovaná. Successfully deleted entry %1. - + Položka %1 bola úspešne odstránená. Show the entry's current TOTP. @@ -4725,7 +5814,7 @@ Dostupné príkazy: %1: (row, col) %2,%3 - + %1: (riadok, stĺpec) %2, %3 AES: 256-bit @@ -4793,21 +5882,13 @@ Dostupné príkazy: Successfully created new database. Úspešne vytvorená nová databáza. - - Insert password to encrypt database (Press enter to leave blank): - Zadajte heslo na zašifrovanie databázy (Stlačte Enter na ponechanie prázdneho): - Creating KeyFile %1 failed: %2 - + Vytvorenie súboru KeyFile %1 zlyhalo: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Odstrániť položku z databázy. + Načítanie súboru KeyFile %1 zlyhalo: %2 Path of the entry to remove. @@ -4865,6 +5946,330 @@ Dostupné príkazy: Cannot create new group Nemožno vytvoriť novú skupinu + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Verzia %1 + + + Build Type: %1 + Typ zostavenia: %1 + + + Revision: %1 + Revízia %1 + + + Distribution: %1 + Distribúcia %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operačný systém: %1 +Architektúra CPU: %2 +Jadro: %3 %4 + + + Auto-Type + Automatické vypĺňanie + + + KeeShare (signed and unsigned sharing) + KeeShare (podpísané a nepodpísané zdieľanie) + + + KeeShare (only signed sharing) + KeeShare (len podpísané zdieľanie) + + + KeeShare (only unsigned sharing) + KeeShare (len nepodpísané zdieľanie) + + + YubiKey + YubiKey + + + TouchID + + + + None + Žiadny + + + Enabled extensions: + Zapnuté rozšírenia: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Databáza nebola operáciou zlúčenia zmenená. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -4912,7 +6317,7 @@ Dostupné príkazy: No agent running, cannot add identity. - Nie je spustený žiadny agent, nemožno identifikovať. + Nie je spustený žiadny agent, nemožno pridať identitu. No agent running, cannot remove identity. @@ -4928,7 +6333,7 @@ Dostupné príkazy: Restricted lifetime is not supported by the agent (check options). - Obmedzená doba platnosti nie je agentom podporovaná (skontrolujte voľby) + Obmedzená doba platnosti nie je agentom podporovaná (skontrolujte voľby). A confirmation request is not supported by the agent (check options). @@ -4943,11 +6348,11 @@ Dostupné príkazy: Search terms are as follows: [modifiers][field:]["]term["] - + Hľadané výrazy sú nasledovné: [modifikátory] [pole:] ["] termín ["] Every search term must match (ie, logical AND) - + Každý hľadaný výraz sa musí zhodovať (tj. platí logický AND) Modifiers @@ -4955,15 +6360,15 @@ Dostupné príkazy: exclude term from results - + vylúčiť hľadaný výraz z výsledkov match term exactly - + presná zhoda výrazu use regex in term - + použiť regex vo výraze Fields @@ -4971,19 +6376,19 @@ Dostupné príkazy: Term Wildcards - + zástupné znaky (wildcards) vo výraze match anything - + zhoda s ktorýmkoľvek z výrazov match one - + zhoda s jedným z výrazov logical OR - + logické OR (alebo) Examples @@ -5018,6 +6423,93 @@ Dostupné príkazy: Rozlišovať veľkosť písmen + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Všeobecné + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Skupina + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Nastavenia databázy + + + Edit database settings + + + + Unlock database + Odomknúť databázu + + + Unlock database to show more information + + + + Lock database + Zamknúť databázu + + + Unlock to show + + + + None + Žiadny + + SettingsWidgetKeeShare @@ -5070,7 +6562,7 @@ Dostupné príkazy: Trust - Dôverovať + Dôveryhodnosť Ask @@ -5115,11 +6607,11 @@ Dostupné príkazy: key.share Filetype for KeeShare key - + key.share KeeShare key file - + Kľúčový súbor KeeShare All files @@ -5131,30 +6623,126 @@ Dostupné príkazy: Exporting changed certificate - + Exportuje sa zmenený certifikát The exported certificate is not the same as the one in use. Do you want to export the current certificate? - + Exportovaný certifikát nie je rovnaký ako ten, ktorý sa používa. Chcete exportovať aktuálny certifikát? Signer: + Podpísaný: + + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Kľúč + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented +   +Prepis podpísaných zdieľaných kontajnerov nie je podporovaný - export sa neuskutočnil + + + Could not write export container (%1) + Nie je možné zapísať do exportného kontajnera (%1) + + + Could not embed signature: Could not open file to write (%1) + Podpis sa nedá vložiť: nedá sa otvoriť súbor na zápis (%1) + + + Could not embed signature: Could not write file (%1) + Podpis sa nedá vložiť: súbor sa nedá zapísať (%1) + + + Could not embed database: Could not open file to write (%1) + Nepodarilo sa vložiť databázu: nedá sa otvoriť súbor na zápis (%1) + + + Could not embed database: Could not write file (%1) + Nedá sa vložiť databáza: súbor sa nedá zapísať (%1) + + + Overwriting unsigned share container is not supported - export prevented + Prepis nepodpísaných zdieľaných kontajnerov nie je podporovaný - export sa neuskutočnil + + + Could not write export container + Nemožno zapísať do exportného kontajnera + + + Unexpected export error occurred + Vyskytla sa neočakávaná chyba exportu + + + + ShareImport Import from container without signature - + Import z kontajnera bez podpisu We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + Nie je možné overiť zdroj zdieľaného kontajnera, pretože nie je podpísaný. Naozaj chcete importovať z %1? Import from container with certificate - + Importovať z kontajnera s certifikátom + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Chcete dôverovať %1 odtlačkom prsta %2 z %3? {1?} {2?} Not this time @@ -5172,117 +6760,80 @@ Dostupné príkazy: Just this time Len tentokrát - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - - Signed share container are not supported - import prevented - + Podpísané zdieľané kontajnery nie sú podporované - import sa neuskutočnil File is not readable - + Súbor nie je čitateľný Invalid sharing container - + Neplatný kontajner zdieľania Untrusted import prevented - + Bolo zabránené nedôveryhodnému importu Successful signed import - + Úspešný podpísaný import Unexpected error - + Neočakávaná chyba Unsigned share container are not supported - import prevented - + Nepodpísané zdieľané kontajnery nie sú podporované - import sa neuskutočnil Successful unsigned import - + Úspešný nepodpísaný import File does not exist - + Súbor neexistuje Unknown share container type - + Neznámy typ kontajnera zdieľania + + + + ShareObserver + + Import from %1 failed (%2) + Import z %1 zlyhal (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + Import z %1 úspešný (%2) - Could not write export container (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Importované z %1 Export to %1 failed (%2) - + Exportovanie do %1 zlyhalo (%2) Export to %1 successful (%2) - + Export do %1 úspešný (%2) Export to %1 - - - - Do you want to trust %1 with the fingerprint of %2 from %3? - + Exportovať do %1 Multiple import source path to %1 in %2 - + Viaceré cesty zdroja importu do %1 v %2 Conflicting export target path %1 in %2 - - - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - + Konfliktná cieľová cesta exportu %1 v %2 @@ -5313,15 +6864,15 @@ Dostupné príkazy: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + Poznámka: tieto nastavenia TOTP sú používateľské a nemusia pracovať s inými autentikátormi. There was an error creating the QR code. - + Pri vytváraní QR kódu sa vyskytla chyba. Closing in %1 seconds. - + Zatvorí sa za %1 sekúnd. @@ -5330,10 +6881,6 @@ Dostupné príkazy: Setup TOTP Nastaviť TOTP - - Key: - Kľúč: - Default RFC 6238 token settings Predvolené nastavenia tokenu RFC 6238 @@ -5348,7 +6895,7 @@ Dostupné príkazy: Custom Settings - + Používateľské nastavenia Time step: @@ -5364,27 +6911,56 @@ Dostupné príkazy: Veľkosť kódu: - 6 digits - 6 číslic - - - 7 digits + Secret Key: - 8 digits - 8 číslic + Secret key must be in Base32 format + + + + Secret key field + + + + Algorithm: + + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + UpdateCheckDialog Checking for updates - + Kontrola aktualizácií Checking for updates... - + Kontrola aktualizácií... Close @@ -5392,39 +6968,39 @@ Dostupné príkazy: Update Error! - + Chyba pri aktualizácii! An error occurred in retrieving update information. - + Pri získavaní informácií o aktualizácii sa vyskytla chyba. Please try again later. - + Skúste to znova neskôr. Software Update - + Aktualizácia softvéru A new version of KeePassXC is available! - + Už existuje nová verzia KeePassXC! KeePassXC %1 is now available — you have %2. - + Už existuje KeePassXC %1 – vy máte %2. Download it at keepassxc.org - + Stiahnite si ho na keepassxc.org You're up-to-date! - + Máte najnovšiu verziu. KeePassXC %1 is currently the newest version available - + KeePassXC %1 je v súčasnosti najnovšia verzia @@ -5457,6 +7033,14 @@ Dostupné príkazy: Welcome to KeePassXC %1 Vitajte v KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5466,19 +7050,27 @@ Dostupné príkazy: YubiKey Challenge-Response - + YubiKey výzva-odpoveď (Challenge-Response) <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>Ak vlastníte <a href="https://www.yubico.com/">Yubikey</a>, môžete ho použiť na dodatočné zabezpečenie.</p><p>YubiKey vyžaduje, aby jeden z jeho slotov bol naprogramovaný ako <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> No YubiKey detected, please ensure it's plugged in. - + Nebol zistený žiadny YubiKey, skontrolujte, či je pripojený k PC. No YubiKey inserted. - + Nie je vložený žiaden YubiKey. + + + Refresh hardware tokens + Obnoviť hardvérové tokeny + + + Hardware key slot selection + Výber slotu hardvérového kľúča \ No newline at end of file diff --git a/share/translations/keepassx_sv.ts b/share/translations/keepassx_sv.ts index 3dcdf1c6e..ace3cf00f 100644 --- a/share/translations/keepassx_sv.ts +++ b/share/translations/keepassx_sv.ts @@ -11,7 +11,7 @@ Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> - Anmäl fel på: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> + Rapportera fel på: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. @@ -50,7 +50,7 @@ AgentSettingsWidget Enable SSH Agent (requires restart) - Aktivera SSH-agenten (kräver omstart) + Aktivera SSH-tjänsten (kräver omstart) Use OpenSSH for Windows instead of Pageant @@ -61,7 +61,7 @@ ApplicationSettingsWidget Application Settings - Applikationsinställningar + Programinställningar General @@ -93,7 +93,15 @@ Follow style - Följ stil + Följstil + + + Reset Settings? + Återställa inställningarna? + + + Are you sure you want to reset all general and security settings to default? + Är du säker på att du vill återställa alla allmäna inställningar och säkerhetsinställningar till standardvärden? @@ -108,23 +116,11 @@ Start only a single instance of KeePassXC - Tillåt endast en samtidig instans av KeePassXC - - - Remember last databases - Komihåg senaste databasen - - - Remember last key files and security dongles - Kom ihåg senaste nyckel-fil och säkerhets-enhet - - - Load previous databases on startup - Ladda tidigare databaser vid uppstart + Tillåt endast en instans av KeePassXC Minimize window at application startup - Minimera fönstret vid start av programmet + Minimera fönstret vid programstart File Management @@ -132,11 +128,11 @@ Safely save database files (may be incompatible with Dropbox, etc) - Spara databasfiler säkert (kan vara inkompatibelt med Dropbox, etc) + Spara databasfiler säkert (kan vara inkompatibelt med Dropbox etc) Backup database file before saving - Gör databasbackup innan sparning + Säkerhetskopiera databasfilen innan den sparas Automatically save after every change @@ -144,15 +140,15 @@ Automatically save on exit - Spara automatiskt när applikationen anslutas + Spara automatiskt när programmet avslutas Don't mark database as modified for non-data changes (e.g., expanding groups) - Markera inte databasen som ändrad vi icke-data förändringar (t.ex. öppna grupper) + Markera inte databasen som ändrad vid icke-dataförändringar (t.ex. expandera grupper) Automatically reload the database when modified externally - Ladda om databasen automatiskt när den ändras externt + Läs om databasen automatiskt när den ändrats externt Entry Management @@ -160,15 +156,11 @@ Use group icon on entry creation - Använd gruppens ikon för nya poster - - - Minimize when copying to clipboard - Minimera vid kopiering + Använd gruppikon för nya poster Hide the entry preview panel - Göm post förhandsvisningspanelen + Dölj förhandsvisningspanelen för poster General @@ -176,76 +168,153 @@ Hide toolbar (icons) - Göm verktygsfält (ikonerna) + Dölj verktygsfältet (ikonerna) Minimize instead of app exit - Minimera istället för att avsluta + Minimera istället för att avsluta programmet Show a system tray icon - Visa statusfält ikon + Visa en systemfältsikon Dark system tray icon - Mörk ikon för systemfältet + Mörk systemfältsikon Hide window to system tray when minimized - Vid minimering, minimera fönstret till systemfältet - - - Language - Språk + Minimera fönstret till systemfältet, vid minimering Auto-Type - Auto-skriv + Autoskriv Use entry title to match windows for global Auto-Type - Använd postens titel för att matcha fönster för global auto-skriv + Använd postens titel för att matcha fönster vid global autoskriv Use entry URL to match windows for global Auto-Type - Använd postens URL för att matcha fönster för global auto-skriv + Använd postens URL för att matcha fönster vid global autoskriv Always ask before performing Auto-Type - Fråga alltid innan auto-skriv utförs + Fråga alltid innan autoskriv utförs Global Auto-Type shortcut - Globalt auto-skriv kortkommando + Globalt autoskriv-kortkommando Auto-Type typing delay - Fördröjning för auto-skriv + Fördröjning för autoskriv ms Milliseconds - ms. + ms Auto-Type start delay - Auto-skriv start fördröjning - - - Check for updates at application startup - Leta efter uppdateringar vid start - - - Include pre-releases when checking for updates - Inkludera förhandsversioner vid sökning efter uppdateringar + Autoskriv startfördröjning Movable toolbar - Rörligt verktygsfält + Flyttbart verktygsfält - Button style - Knapp-stil + Remember previously used databases + Kom ihåg tidigare använda databaser + + + Load previously open databases on startup + Ladda tidigare använda databaser vid start + + + Remember database key files and security dongles + Kom ihåg databasers nyckelfiler och säkerhetsdonglar + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sek + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -261,7 +330,7 @@ sec Seconds - sek + sek Lock databases after inactivity of @@ -293,15 +362,15 @@ Re-lock previously locked database after performing Auto-Type - Lås tidigare låst databas efter att ha utfört Auto-skriv + Lås tidigare låst databas efter att ha utfört autoskriv Don't require password repeat when it is visible - Behöver inte upprepa lösenord när det är synligt + Behöver inte upprepa lösenordet när det är synligt Don't hide passwords when editing them - Dölj inte lösenord vid editering + Dölj inte lösenord vid redigering Don't use placeholder for empty password fields @@ -309,7 +378,7 @@ Hide passwords in the entry preview panel - Göm lösenord i förhandsgranskningsrutan + Dölj lösenord i förhandsgranskningsrutan Hide entry notes by default @@ -320,15 +389,36 @@ Integritet - Use DuckDuckGo as fallback for downloading website icons - Använd DuckDuckGo som alternativ vid nedladdning av webbplatsikoner + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + min + + + Clear search query after + AutoType Couldn't find an entry that matches the window title: - Kunde inte hitta en post som matchar fönstertiteln: + Kunde inte hitta någon post som matchar fönstertiteln: Auto-Type - KeePassXC @@ -389,6 +479,17 @@ Sekvens + + AutoTypeMatchView + + Copy &username + Kopiera användar&namn + + + Copy &password + Kopiera &lösenord + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Välj post att autoskriva: + + Search... + Sök... + BrowserAccessControlDialog @@ -422,7 +527,15 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. %1 har begärt åtkomst till lösenorden för följande objekt. -Vill du tillåta det? +Välj om du vill tillåta åtkomst. + + + Allow access + + + + Deny access + @@ -433,7 +546,7 @@ Vill du tillåta det? Ok - Ok + OK Cancel @@ -443,22 +556,18 @@ Vill du tillåta det? You have multiple databases open. Please select the correct database for saving credentials. Du ha flera databaser öppna. -Välj databas för att spara uppgifter. +Välj rätt databas för att spara inloggningsuppgifterna. BrowserOptionDialog Dialog - Dialogruta + Dialog This is required for accessing your databases with KeePassXC-Browser - Det här krävs för KeePassXC-Browser ska kunna komma åt dina databaser - - - Enable KeepassXC browser integration - Aktivera KeepassXC:s webbläsarintegration + Detta krävs för att KeePassXC-Browser ska kunna komma åt dina databaser General @@ -466,7 +575,7 @@ Välj databas för att spara uppgifter. Enable integration for these browsers: - Aktivera integration i dessa webbläsare: + Aktivera integrering i dessa webbläsare: &Google Chrome @@ -507,17 +616,17 @@ Välj databas för att spara uppgifter. &Return only best-matching credentials - &Returnera bara de lämpligaste + &Returnera bara de bäst lämpade inloggningsuppgifterna Sort &matching credentials by title Credentials mean login data requested via browser extension - Sortera &matchande autentiseringsuppgifter per titel + Sortera &matchande autentiseringsuppgifter efter titel Sort matching credentials by &username Credentials mean login data requested via browser extension - Sortera matchande autentiseringsuppgifter per &användarnamn + Sortera matchande autentiseringsuppgifter efter &användarnamn Advanced @@ -526,16 +635,12 @@ Välj databas för att spara uppgifter. Never &ask before accessing credentials Credentials mean login data requested via browser extension - &Fråga aldrig innan åtkomst till autentisieringsuppgifter + &Fråga aldrig före åtkomst till autentisieringsuppgifter Never ask before &updating credentials Credentials mean login data requested via browser extension - Fråga aldrig innan &uppdatering av autetiseringsuppgifter - - - Only the selected database has to be connected with a client. - Endast den valda databasen måste vara ansluten med en klient. + Fråga aldrig före &uppdatering av autetiseringsuppgifter Searc&h in all opened databases for matching credentials @@ -544,27 +649,27 @@ Välj databas för att spara uppgifter. Automatically creating or updating string fields is not supported. - Automatiskt skapande eller uppdaterande av strängfält stöds inte. + Automatiskt skapande eller uppdaterande av textfält stöds inte. &Return advanced string fields which start with "KPH: " - Returnera avancerade text-fält som börjar med "KPH: " + Returnera avancerade textfält som börjar med "KPH: " Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - + Uppdaterar KeePassXC eller keepassxc-proxyns binärsökväg automatiskt, till ursprungliga meddelandeskript vid uppstart. Update &native messaging manifest files at startup - + Uppdatera &ursprungliga meddelandemanifestfiler vid uppstart Support a proxy application between KeePassXC and browser extension. - + Stödjer ett proxyprogram mellan KeePassXC och webbläsartillägget. Use a &proxy application between KeePassXC and browser extension - + Använd ett &proxyprogram mellan KeePassXC och webbläsartillägget Use a custom proxy location if you installed a proxy manually. @@ -578,27 +683,23 @@ Välj databas för att spara uppgifter. Browse... Button for opening file dialog - Utforska... + Bläddra... <b>Warning:</b> The following options can be dangerous! - <b>Varning:</b> Följande parametrar kan vara farliga! + <b>Varning:</b> Följande alternativ kan vara farliga! Select custom proxy location - Välj en proxy + Välj en anpassad proxy &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - - Executable Files - Exekverbara filer + Körbara filer All Files @@ -607,18 +708,62 @@ Välj databas för att spara uppgifter. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - + Be inte om tillstånd för HTTP &grundläggande autentisering Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + På grund av Snaps sandlådeteknik, måste du köra ett skript för att aktivera webbläsarintegration.<br />Du kan hämta skriptet från %1 Please see special instructions for browser extension use below - + Se specialinstruktioner för webbläsarintegreringens användning nedan KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 + KeePassXC-Browser behövs för att webbläsarintegration skall fungera.<br />Ladda ner det för %1 och %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 @@ -626,14 +771,17 @@ Välj databas för att spara uppgifter. BrowserService KeePassXC: New key association request - + KeePassXC: Ny nyckelassocieringsbegäran You have received an association request for the above key. If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. - + Du har fått en associationsbegäran för ovanstående nyckel. + +Ge den ett unikt namn för identifikation och acceptera, om du +vill tillåta åtkomst till din KeePassXC-databas. Save and allow access @@ -641,12 +789,13 @@ give it a unique name to identify and accept it. KeePassXC: Overwrite existing key? - KeePassXC: Skriv över befintlig nyckel? + KeePassXC: Vill du skriva över befintlig nyckel? A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - + En delad krypteringsnyckel med namnet "%1" finns redan. +Vill du skriva över den? KeePassXC: Update Entry @@ -662,59 +811,68 @@ Do you want to overwrite it? Converting attributes to custom data… - + Konverterar attribut till anpassad data... KeePassXC: Converted KeePassHTTP attributes - KeePassXC: Konverterade KeePassHTTP attribut + KeePassXC: Konverterade KeePassHTTP-attribut Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + Konverterade attribut från %1 post(er). +Flyttade %2 nycklar till anpassad data. Successfully moved %n keys to custom data. - + Flyttade %n nyckel till anpassad data.Flyttade %n nycklar till anpassad data. KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC: Hittade ingen post med KeePassHTTP-attribut! The active database does not contain an entry with KeePassHTTP attributes. - + Den aktiva databasen innehåller inte någon post med KeePassHTTP-attribut. KeePassXC: Legacy browser integration settings detected - + KeePassXC: Inställningar för webbläsarintegrering har identifierats KeePassXC: Create a new group - + KeePassXC: Skapa en ny grupp A request for creating a new group "%1" has been received. Do you want to create this group? - + En begäran om att skapa en ny grupp "%1" har tagits emot. +Vill du skapa denna grupp? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + Dina inställningar för KeePassXC-Browser behöver flyttas in i databasinställningarna. +Detta är nödvändigt för att behålla dina aktuella webbläsaranslutningar. +Vill du migrera dina befintliga inställningar nu? + + + Don't show this warning again + Visa inte denna varning igen CloneDialog Clone Options - Klonings alternativ + Kloningsalternativ Append ' - Clone' to title - Lägg till ' - Klon' i titel + Lägg till " - Klon" i titeln Replace username and password with references @@ -729,7 +887,7 @@ Would you like to migrate your existing settings now? CsvImportWidget Import CSV fields - Importera CSV fält + Importera CSV-fält filename @@ -745,7 +903,7 @@ Would you like to migrate your existing settings now? Codec - Codec + Kodek Text is qualified by @@ -763,13 +921,9 @@ Would you like to migrate your existing settings now? First record has field names Första data har fältnamn - - Number of headers line to discard - Antal rubrikrader att kasta bort - Consider '\' an escape character - + Betrakta "\" som ett kommentarstecken Preview @@ -777,19 +931,19 @@ Would you like to migrate your existing settings now? Column layout - Kolumn layout + Kolumnlayout Not present in CSV file - Finns inte i CSV filen + Finns inte i CSV-filen Imported from CSV file - Importerat från CSV fil + Importerat från CSV-fil Original data: - Ursprungsdata: + Ursprunglig data: Error @@ -809,20 +963,36 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n fler meddelande(n) hoppades över][%n fler meddelande(n) hoppades över] + [%n meddelande hoppades över][%n meddelanden hoppades över] CSV import: writer has errors: %1 - CSV importering: skrivare har fel: + CSV-import: Skrivare har fel: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel %n column(s) - %n kolumn(er)%n kolumn(er) + %n kolumn%n kolumner %1, %2, %3 @@ -831,11 +1001,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n byte(s)%n byte(s) + %n byte%n byte %n row(s) - %n rad(er)%n rad(er) + %n rad%n rader @@ -847,28 +1017,45 @@ Would you like to migrate your existing settings now? File %1 does not exist. - Fil %1 finns inte. + Filen %1 finns inte. Unable to open file %1. - Kunde inte öppna fil %1. + Kunde inte öppna filen %1. Error while reading the database: %1 Fel vid inläsning av databas: %1 - - Could not save, database has no file name. - Kunde inte spara, databasen har inget filnamn. - File cannot be written as it is opened in read-only mode. - + Filen kan inte skrivas eftersom den är öppnad i skrivskyddat läge. Key not transformed. This is a bug, please report it to the developers! + Nyckeln har inte transformerats. Detta är ett programfel, rapportera det till utvecklarna! + + + %1 +Backup database located at %2 + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Papperskorg + DatabaseOpenDialog @@ -879,40 +1066,27 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Ange huvud lösenord - Key File: - Nyckel-fil: - - - Password: - Lösenord: - - - Browse - Bläddra + Nyckelfil: Refresh Uppdatera - - Challenge Response: - Utmanings respons - Legacy key file format - + Äldre nyckelfilsformat You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Du använder ett äldre nyckelfilsformat, som stödet kan +komma att tas bort för i framtiden. + +Överväg att generera en ny nyckelfil. Don't show this warning again @@ -924,27 +1098,103 @@ Please consider generating a new key file. Key files - Nyckel-filer + Nyckelfiler Select key file - Välj nyckel-fil + Välj nyckelfil - TouchID for quick unlock - TouchID för snabbupplåsning + Failed to open key file: %1 + - Unable to open the database: -%1 - Kunde inte öppna databasen: -%1 + Select slot... + - Can't open key file: -%1 - Kunde inte öppna nyckelfilen: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Bläddra... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Rensa + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -970,7 +1220,7 @@ Please consider generating a new key file. Master Key - Huvud-lösenord + Huvudlösenord Encryption Settings @@ -978,30 +1228,30 @@ Please consider generating a new key file. Browser Integration - Webbläsarintegration + Webbläsarintegrering DatabaseSettingsWidgetBrowser KeePassXC-Browser settings - KeePassXC-Browser inställningar + KeePassXC-Browser-inställningar &Disconnect all browsers - &Koppla från alla browsers + &Koppla bort alla webbläsare Forg&et all site-specific settings on entries - + Gl&öm alla sidspecifika inställningar i befintliga poster Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + Flytta KeePassHTTP-attribut till KeePassXC-Browser &anpassad data Stored keys - Sparade nycklar + Lagrade nycklar Remove @@ -1009,12 +1259,13 @@ Please consider generating a new key file. Delete the selected key? - Radera den valda nyckeln? + Vill du ta bort den valda nyckeln? Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + Vill du verkligen ta bort den valda nyckeln? +Detta kan förhindra anslutning till webbläsartillägget. Key @@ -1026,45 +1277,47 @@ This may prevent connection to the browser plugin. Enable Browser Integration to access these settings. - + Aktivera webbläsarintegrering för åtkomst till dessa inställningar. Disconnect all browsers - Koppla från alla webbläsare + Koppla bort alla webbläsare Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + Vill du verkligen koppla bort alla webbläsare? +Detta kan förhindra anslutning till webbläsartillägget. KeePassXC: No keys found - KeePassXC: Hittade inga nycklar + KeePassXC: Inga nycklar hittades No shared encryption keys found in KeePassXC settings. - + Inga delade krypteringsnycklar hittades i KeePassXC:s inställningar. KeePassXC: Removed keys from database - KeePassXC: Nycklar borttagna från databasen + KeePassXC: Tog bort nycklar från databasen Successfully removed %n encryption key(s) from KeePassXC settings. - + Tog bort %n krypteringsnyckel från KeePassXC:s inställningar.Tog bort %n krypteringsnycklar från KeePassXC:s inställningar. Forget all site-specific settings on entries - + Glöm alla sidspecifika inställningar i befintliga poster Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + Vill du verkligen glömma alla sidspecifika inställningar i varje post? +Behörighet att komma åt posterna kommer att återkallas. Removing stored permissions… - Raderar sparade rättigheter... + Tar bort lagrade rättigheter... Abort @@ -1076,7 +1329,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - + Tog bort behörighet från %n post.Tog bort behörigheter från %n poster. KeePassXC: No entry with permissions found! @@ -1084,15 +1337,24 @@ Permissions to access entries will be revoked. The active database does not contain an entry with permissions. - Den aktiva databasen innehåller inte en post med behörigheter. + Den aktiva databasen innehåller ingen post med behörigheter. Move KeePassHTTP attributes to custom data - + Flytta KeePassHTTP-attribut till anpassad data Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. + Vill du verkligen flytta all äldre webbläsarintegrationsdata till den senaste standarden? +Detta är nödvändigt för att få kompatibilitet med webbläsartillägget. + + + Stored browser keys + + + + Remove selected key @@ -1104,7 +1366,7 @@ This is necessary to maintain compatibility with the browser plugin. AES: 256 Bit (default) - AES: 256 Bit (standard) + AES: 256 Bit (standard) Twofish: 256 Bit @@ -1112,15 +1374,15 @@ This is necessary to maintain compatibility with the browser plugin. Key Derivation Function: - + Nyckelhärledningsfunktion: Transform rounds: - Transformerings varv: + Transformeringsrundor: Benchmark 1-second delay - + Beräkna 1 sekunds fördröjning Memory Usage: @@ -1128,11 +1390,11 @@ This is necessary to maintain compatibility with the browser plugin. Parallelism: - Parallelism: + Parallellitet: Decryption Time: - Dektypterings-tid: + Dekrypteringstid: ?? s @@ -1152,7 +1414,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - + Högre värde medger bättre skydd, men databasen tar längre tid att öppna. Database format: @@ -1160,11 +1422,11 @@ This is necessary to maintain compatibility with the browser plugin. This is only important if you need to use your database with other programs. - + Detta är bara viktigt om du behöver använda din databas med andra program. KDBX 4.0 (recommended) - KDBX 4.0 (rekommenderad) + KDBX 4.0 (rekommenderas) KDBX 3.1 @@ -1178,17 +1440,19 @@ This is necessary to maintain compatibility with the browser plugin. Number of rounds too high Key transformation rounds - För högt antal omgångar + För högt antal rundor You are using a very high number of key transform rounds with Argon2. If you keep this number, your database may take hours or days (or even longer) to open! - + Du använder ett mycket högt antal nyckeltransformeringsrundor med Argon2. + +Om du behåller detta antal, kan din databas ta timmar eller dagar (eller t.om. längre) att öppna! Understood, keep number - Uppfattat, behåll nummer + Uppfattat, behåll antalet Cancel @@ -1197,13 +1461,15 @@ If you keep this number, your database may take hours or days (or even longer) t Number of rounds too low Key transformation rounds - För lågt antal omgångar + För lågt antal rundor You are using a very low number of key transform rounds with AES-KDF. If you keep this number, your database may be too easy to crack! - + Du använder ett mycket lågt antal nyckeltransformeringsrundor med AES-KDF. + +Om du behåller detta antal, kan din databas bli för lätt att hacka! KDF unchanged @@ -1211,7 +1477,7 @@ If you keep this number, your database may be too easy to crack! Failed to transform key with new KDF parameters; KDF unchanged. - + Kunde inte transformera nyckeln med nya KDF-parametrar. KDF oförändrad. MiB @@ -1221,7 +1487,7 @@ If you keep this number, your database may be too easy to crack! thread(s) Threads for parallel execution (KDF settings) - tråd(ar)tråd(ar) + tråd trådar %1 ms @@ -1233,12 +1499,63 @@ If you keep this number, your database may be too easy to crack! seconds %1 s%1 s + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral Database Meta Data - Databas metadata + Databasmetadata Database name: @@ -1250,27 +1567,27 @@ If you keep this number, your database may be too easy to crack! Default username: - Standard användarnamn: + Standardanvändarnamn: History Settings - Inställningar historik + Historikinställningar Max. history items: - Maxantal historikposter: + Max antal historikposter: Max. history size: - Maximal historik storlek: + Maximal historikstorlek: MiB - MiB + MiB Use recycle bin - Använd soptunnan + Använd papperskorgen Additional Database Settings @@ -1280,6 +1597,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Aktivera &komprimering (rekommenderas) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1301,7 +1651,7 @@ If you keep this number, your database may be too easy to crack! Last Signer - + Senaste undertecknare Certificates @@ -1317,7 +1667,7 @@ If you keep this number, your database may be too easy to crack! DatabaseSettingsWidgetMasterKey Add additional protection... - + Lägg till ytterligare skydd... No encryption key added @@ -1325,17 +1675,19 @@ If you keep this number, your database may be too easy to crack! You must add at least one encryption key to secure your database! - + Du måste lägga till minst en krypteringsnyckel, för att säkra din databas! No password set - Inget lösenord satt + Inget lösenord angivet WARNING! You have not set a password. Using a database without a password is strongly discouraged! Are you sure you want to continue without a password? - + VARNING! Du har inte angivit något lösenord. Du avråds bestämt att använda en databas utan lösenord! + +Vill du verkligen fortsätta utan lösenord? Unknown error @@ -1343,6 +1695,10 @@ Are you sure you want to continue without a password? Failed to change master key + Kunde inte ändra huvudlösenordet + + + Continue without password @@ -1356,12 +1712,135 @@ Are you sure you want to continue without a password? Description: Beskrivning: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Namn + + + Value + Värde + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget KeePass 2 Database - KeePass 2 databas + KeePass 2-databas All files @@ -1381,11 +1860,11 @@ Are you sure you want to continue without a password? Open KeePass 1 database - Öppna KeePass 1 databas + Öppna KeePass 1-databas KeePass 1 database - KeePass 1 databas + KeePass 1-databas Export database to CSV file @@ -1393,20 +1872,17 @@ Are you sure you want to continue without a password? Writing the CSV file failed. - Kunde inte skriva till CSV-filen + Kunde inte skriva CSV-filen. Database creation error - + Fel vid databasskapande The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + Den skapade databasen har ingen nyckel eller KDF, vägrar att spara den. +Detta är definitivt ett programfel, rapportera det till utvecklarna. Select CSV file @@ -1429,6 +1905,30 @@ This is definitely a bug, please report it to the developers. %1 [Read-only] Database tab name modifier + %1 [Skrivskyddad] + + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? @@ -1444,23 +1944,23 @@ This is definitely a bug, please report it to the developers. Do you really want to move entry "%1" to the recycle bin? - Vill du verkligen flytta %n poster till papperskorgen? + Vill du verkligen flytta "%1" till papperskorgen? Do you really want to move %n entry(s) to the recycle bin? - + Vill du verkligen flytta %n post till papperskorgen?Vill du verkligen flytta %n poster till papperskorgen? Execute command? - Utför kommando? + Vill du köra kommandot? Do you really want to execute the following command?<br><br>%1<br> - + Vill du verkligen köra följande kommando?<br><br>%1<br> Remember my choice - + Komihåg mitt val Do you really want to delete the group "%1" for good? @@ -1468,11 +1968,11 @@ This is definitely a bug, please report it to the developers. No current database. - Ingen nuvarande databas. + Ingen aktuell databas. No source database, nothing to do. - Ingen ursprungs databas, inget att göra. + Ingen källdatabas, inget att göra. Search Results (%1) @@ -1488,7 +1988,7 @@ This is definitely a bug, please report it to the developers. The database file has changed. Do you want to load the changes? - Databasfilen har ändrats. Vill du ladda in ändringarna? + Databasfilen har ändrats. Vill du läsa in ändringarna? Merge Request @@ -1497,73 +1997,68 @@ This is definitely a bug, please report it to the developers. The database file has changed and you have unsaved changes. Do you want to merge your changes? - + Databasfilen har ändrats och du har osparade ändringar. +Vill du slå samman dina ändringar? Empty recycle bin? - Töm papperskorgen? + Vill du tömma papperskorgen? Are you sure you want to permanently delete everything from your recycle bin? - + Vill du verkligen ta bort allt från din papperskorg permanent? Do you really want to delete %n entry(s) for good? - + Vill du verkligen ta bort %n post för gott?Vill du verkligen ta bort %n poster för gott? Delete entry(s)? - Ta bort post?Ta bort poster? + Vill du ta bort posten?Vill du ta bort posterna? Move entry(s) to recycle bin? - - - - File opened in read only mode. - Fil öppnad i läs-enbart läge. + Vill du flytta posten till papperskorgen?Vill du flytta posterna till papperskorgen? Lock Database? - Lås databas? + Vill du låsa databasen? You are editing an entry. Discard changes and lock anyway? - + Du redigerar en post. Vill du förkasta ändringarna och låsa ändå? "%1" was modified. Save changes? "%1" har ändrats. -Spara ändringarna? +Vill du spara ändringarna? Database was modified. Save changes? - + Databasen har ändrats. +Vill du spara ändringarna? Save changes? - Spara ändringar? + Vill du spara ändringarna? Could not open the new database file while attempting to autoreload. Error: %1 - + Kunde inte öppna den nya databasen vid försök att läsa in automatisk. +Fel: %1 Disable safe saves? - Inaktivera spara säkert? + Vill du inaktivera "Spara säkert"? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - - - - Writing the database failed. -%1 - + KeePassXC har misslyckats med att spara databasen flera gånger. Det beror troligen på att filsynkroniseringstjänsten har låst filsparandet. +Vill du inaktivera "Spara säkert" och försöka igen? Passwords @@ -1571,44 +2066,52 @@ Disable safe saves and try again? Save database as - Spara databas som + Spara databasen som KeePass 2 Database - KeePass 2 databas + KeePass 2-databas Replace references to entry? - + Vill du ersätta referenserna till posten? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - + Posten "%1" har %2 referens. Vill du skriva över referensen med värden, hoppa över den här posten eller ta bort ändå?Posten "%1" har %2 referenser. Vill du skriva över referenserna med värden, hoppa över den här posten eller ta bort ändå? Delete group - Ta bort grupp + Ta bort gruppen Move group to recycle bin? - + Vill du flytta gruppen till papperskorgen? Do you really want to move the group "%1" to the recycle bin? - + Vill du verkligen flytta "%1" till papperskorgen? Successfully merged the database files. - + Slog samman databasfilerna. Database was not modified by merge operation. - + Databasen ändrades inte av sammanslagningen. Shared group... Delad grupp... + + Writing the database failed: %1 + Kunde inte skriva databas: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1626,7 +2129,7 @@ Disable safe saves and try again? Auto-Type - Auto-skriv + Autoskriv Properties @@ -1638,7 +2141,7 @@ Disable safe saves and try again? SSH Agent - SSH Agent + SSH-tjänst n/a @@ -1654,11 +2157,11 @@ Disable safe saves and try again? File too large to be a private key - + Filen är för stor för att vara en privat nyckel Failed to open private key - Misslyckades med att öppna privat nyckel + Kunde inte öppna privat nyckel Entry history @@ -1670,11 +2173,11 @@ Disable safe saves and try again? Edit entry - Ändra post + Redigera post Different passwords supplied. - Olika lösenord angivna + Olika lösenord angivna. New attribute @@ -1682,7 +2185,7 @@ Disable safe saves and try again? Are you sure you want to remove this attribute? - Är du säker på att du vill ta bort detta attribut? + Vill du verkligen ta bort detta attribut? Tomorrow @@ -1694,23 +2197,23 @@ Disable safe saves and try again? %n month(s) - %n månad(er)%n månad(er) + %n månad%n månader Apply generated password? - Använd genererat lösenord? + Vill du använda det genererade lösenordet? Do you want to apply the generated password to this entry? - + Vill du använda det genererade lösenordet till den här posten? Entry updated successfully. - + Posten uppdaterad. Entry has unsaved changes - + Posten har osparade ändringar New attribute %1 @@ -1718,7 +2221,7 @@ Disable safe saves and try again? [PROTECTED] Press reveal to view or edit - + [SKYDDAT] Tryck på "Visa" för att visa eller redigera %n year(s) @@ -1728,6 +2231,18 @@ Disable safe saves and try again? Confirm Removal Bekräfta borttagning + + Browser Integration + Webbläsarintegrering + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1767,20 +2282,56 @@ Disable safe saves and try again? Background Color: Bakgrundsfärg: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType Enable Auto-Type for this entry - Slå på auto-skriv för denna post + Aktivera autoskriv för denna post Inherit default Auto-Type sequence from the &group - + Ärv standard autoskrivsekvens från &gruppen &Use custom Auto-Type sequence: - + &Använd anpassad autoskrivsekvens: Window Associations @@ -1796,12 +2347,83 @@ Disable safe saves and try again? Window title: - Fönster titel: + Fönstertitel: Use a specific sequence for this association: + Använd en specifik sekvens för denna association: + + + Custom Auto-Type sequence + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Allmänt + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Lägg till + + + Remove + Ta bort + + + Edit + Ändra + EditEntryWidgetHistory @@ -1821,6 +2443,26 @@ Disable safe saves and try again? Delete all Ta bort alla + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1834,7 +2476,7 @@ Disable safe saves and try again? Repeat: - Repetera: + Upprepa: Title: @@ -1850,7 +2492,7 @@ Disable safe saves and try again? Toggle the checkbox to reveal the notes section. - + Klicka i kryssrutan för att visa anteckningssektionen. Username: @@ -1858,7 +2500,63 @@ Disable safe saves and try again? Expires - Går ut + Förfaller + + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + @@ -1869,11 +2567,11 @@ Disable safe saves and try again? Remove key from agent after - + Ta bort nyckeln från agenten efter seconds - sekunder + sekunder Fingerprint @@ -1881,15 +2579,15 @@ Disable safe saves and try again? Remove key from agent when database is closed/locked - + Ta bort nyckeln från agenten när databasen är stängd/låst Public key - Publik nyckel + Offentlig nyckel Add key to agent when database is opened/unlocked - + Lägg till nyckeln till agenten när databasen är öppen/upplåst Comment @@ -1901,7 +2599,7 @@ Disable safe saves and try again? n/a - n/a + Ej tillämplig Copy to clipboard @@ -1909,7 +2607,7 @@ Disable safe saves and try again? Private key - Private key + Privat nyckel External file @@ -1918,7 +2616,7 @@ Disable safe saves and try again? Browse... Button for opening file dialog - Utforska... + Bläddra... Attachment @@ -1926,14 +2624,30 @@ Disable safe saves and try again? Add to agent - + Lägg till i agenten Remove from agent - + Ta bort från agenten Require user confirmation when this key is used + Kräv användarbekräftelse när denna nyckel används + + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file @@ -1957,19 +2671,23 @@ Disable safe saves and try again? Edit group - Ändra grupp + Redigera grupp Enable - Slå på + Aktivera Disable - Stäng av + Avaktivera Inherit from parent group (%1) - Ärv från förälder grupp (%1) + Ärv från överordnad grupp (%1) + + + Entry has unsaved changes + Posten har osparade ändringar @@ -1998,49 +2716,21 @@ Disable safe saves and try again? Inactive Inaktiv - - Import from path - Importera från sökväg - - - Export to path - Exportera till sökväg - - - Synchronize with path - Synkronisera med sökväg - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - Databasdelning är inaktiverad - - - Database export is disabled - Databasexport är inaktiverad - - - Database import is disabled - Databasimport är inaktiverad - KeeShare unsigned container - + KeeShare osignerad behållare KeeShare signed container - + KeeShare signerad behållare Select import source - Välj källa för import + Välj importkälla Select export target - Välj mål för export + Välj exportmål Select import/export file @@ -2051,15 +2741,73 @@ Disable safe saves and try again? Rensa - The export container %1 is already referenced. + Import + Importera + + + Export + Exportera + + + Synchronize - The import container %1 is already imported. + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. - The container %1 imported and export by different groups. + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields @@ -2075,7 +2823,7 @@ Disable safe saves and try again? Expires - Går ut + Förfaller Search @@ -2083,14 +2831,42 @@ Disable safe saves and try again? Auto-Type - Auto-skriv + Autoskriv &Use default Auto-Type sequence of parent group - + &Använd standard autoskrivsekvens från överordnad grupp Set default Auto-Type se&quence + Anv&änd standard autoskrivsekvens + + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field @@ -2098,19 +2874,19 @@ Disable safe saves and try again? EditWidgetIcons &Use default icon - Använd standard ikon + &Använd standardikon Use custo&m icon - Använd egen ikon + Använd an&passad ikon Add custom icon - Lägg till egen ikon + Lägg till anpassad ikon Delete custom icon - Ta bort egen ikon + Ta bort anpassad ikon Download favicon @@ -2128,21 +2904,9 @@ Disable safe saves and try again? All files Alla filer - - Custom icon already exists - - Confirm Delete - Bekräfta radering - - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - + Bekräfta borttagning Select Image(s) @@ -2150,23 +2914,59 @@ Disable safe saves and try again? Successfully loaded %1 of %n icon(s) - + Läste in %1 av %n ikonerLäste in %1 av %n ikoner No icons were loaded - + Inga ikoner lästes in %n icon(s) already exist in the database - + %n ikon finns redan i databasen%n ikoner finns redan i databasen The following icon(s) failed: - + Följande ikon misslyckades:Följande ikoner misslyckades: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - + Denna ikon används av %n post och kommer att ersättas av standardikonen. Vill du verkligen ta bort den?Denna ikon används av %n poster och kommer att ersättas av standardikonen. Vill du verkligen ta bort den? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2181,7 +2981,7 @@ Disable safe saves and try again? Accessed: - Läst: + Använd: Uuid: @@ -2197,12 +2997,13 @@ Disable safe saves and try again? Delete plugin data? - Radera tilläggsdata? + Vill du ta bort tilläggsdata? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Vill du verkligen ta bort den valda tilläggsdatan? +Det kan medföra att de berörda tilläggen inte fungerar. Key @@ -2212,6 +3013,30 @@ This may cause the affected plugins to malfunction. Value Värde + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2259,7 +3084,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - + Vill du verkligen ta bort %n bilaga?Vill du verkligen ta bort %n bilagor? Save attachments @@ -2268,11 +3093,12 @@ This may cause the affected plugins to malfunction. Unable to create directory: %1 - + Kan inte skapa mappen: +%1 Are you sure you want to overwrite the existing file "%1" with the attachment? - + Vill du verkligen skriva över den befintliga filen "%1" med bilagan? Confirm overwrite @@ -2281,19 +3107,19 @@ This may cause the affected plugins to malfunction. Unable to save attachments: %1 - Kunde inte spara bilagor: + Kan inte spara bilagor: %1 Unable to open attachment: %1 - Kunde inte öppna bilaga: + Kan inte öppna bilaga: %1 Unable to open attachments: %1 - Kunde inte öppna bilagor: + Kan inte öppna bilagor: %1 @@ -2303,7 +3129,28 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 - + Kan inte öppna fil:Kan inte öppna filer: +%1 + + + Attachments + Bilagor + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2317,7 +3164,7 @@ This may cause the affected plugins to malfunction. EntryHistoryModel Last modified - Senast ändrad + Ändrad Title @@ -2337,7 +3184,7 @@ This may cause the affected plugins to malfunction. Ref: Reference abbreviation - + Ref: Group @@ -2369,7 +3216,7 @@ This may cause the affected plugins to malfunction. Expires - Går ut + Förfaller Created @@ -2381,7 +3228,7 @@ This may cause the affected plugins to malfunction. Accessed - Läst + Använd Attachments @@ -2393,15 +3240,11 @@ This may cause the affected plugins to malfunction. TOTP - + TOTP EntryPreviewWidget - - Generate TOTP Token - Generera TOTP Token - Close Stäng @@ -2420,7 +3263,7 @@ This may cause the affected plugins to malfunction. Expiration - Utgår + Förfaller URL @@ -2440,7 +3283,7 @@ This may cause the affected plugins to malfunction. Autotype - Autotyp + Autoskriv Window @@ -2487,12 +3330,20 @@ This may cause the affected plugins to malfunction. Share Dela + + Display current TOTP value + + + + Advanced + Avancerat + EntryView Customize View - Anpassa vy + Anpassa vyn Hide Usernames @@ -2520,11 +3371,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Papperskorg + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2539,6 +3412,58 @@ This may cause the affected plugins to malfunction. Cannot save the native messaging script file. + Kan inte att spara den inbyggda meddelandeskriptfilen. + + + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Avbryt + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Stäng + + + URL + URL + + + Status + Status + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + OK + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... @@ -2557,34 +3482,35 @@ This may cause the affected plugins to malfunction. Kdbx3Reader Unable to calculate master key - Kunde inte räkna nu master-nyckeln + Kan inte beräkna huvudnyckeln Unable to issue challenge-response. - - - - Wrong key or database file is corrupt. - Fel lösenord eller korrupt databas-fil + Kan inte utfärda challenge-response. missing database headers - + saknade databashuvuden Header doesn't match hash - + Huvudet stämmer inte med hashen Invalid header id size - + Ogiltig storlek på sidhuvudets ID Invalid header field length - + Ogiltig storlek på sidhuvudets fältlängd Invalid header data length + Ogiltig storlek på sidhuvudets datalängd + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. @@ -2592,79 +3518,75 @@ This may cause the affected plugins to malfunction. Kdbx3Writer Unable to issue challenge-response. - + Kan inte utfärda challenge-response. Unable to calculate master key - Kunde inte räkna nu master-nyckeln + Kan inte beräkna huvudnyckeln Kdbx4Reader missing database headers - + saknade databashuvuden Unable to calculate master key - Kunde inte räkna nu master-nyckeln + Kan inte beräkna huvudnyckeln Invalid header checksum size - + Ogiltig storlek på sidhuvudets kontrollsumma Header SHA256 mismatch - - - - Wrong key or database file is corrupt. (HMAC mismatch) - + Sidhuvudets SHA256 stämmer inte Unknown cipher - Okänt krypto + Okänt chiffer Invalid header id size - + Ogiltig storlek på sidhuvudets ID Invalid header field length - + Ogiltig storlek på sidhuvudets fältlängd Invalid header data length - + Ogiltig storlek på sidhuvudets datalängd Failed to open buffer for KDF parameters in header - + Kunde inte öppna buffert för KDF-parametrar i sidhuvudet Unsupported key derivation function (KDF) or invalid parameters - + Nyckelhärledningen stöds inte (KDF), eller ogiltiga parametrar. Legacy header fields found in KDBX4 file. - + Äldre sidhuvudfält hittades i KDBX4-filen. Invalid inner header id size - + Ogiltig storlek på inre sidhuvud-ID Invalid inner header field length - + Ogiltig längd på inre sidhuvudfält Invalid inner header binary size - + Ogiltig storlek på inre sidhuvudbinär Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - + KeePass-versionen av datastruktur för lagring av metadata stöds inte. Invalid variant map entry name length @@ -2721,33 +3643,42 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer Invalid symmetric cipher algorithm. - + Ogiltig symetrisk chifferalgoritm. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - + Ogiltig symmetrisk chiffer IV-storlek. Unable to calculate master key - Kunde inte räkna nu master-nyckeln + Kan inte beräkna huvudnyckeln Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - + Det gick inte att serialisera KDF-parametrarnas datastruktur för lagring av metadata KdbxReader Unsupported cipher - + Chiffer som inte stöds Invalid compression flags length @@ -2755,7 +3686,7 @@ This may cause the affected plugins to malfunction. Unsupported compression algorithm - + Stöd saknas för komprimeringsalgoritmen Invalid master seed size @@ -2783,18 +3714,21 @@ This may cause the affected plugins to malfunction. Not a KeePass database. - Inte en KeePass databas. + Inte en KeePass-databas. The selected file is an old KeePass 1 database (.kdb). You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. - + Den valda filen är en gammal KeePass 1-databas (.kdb). + +Du kan importera den genom att klicka på "Databas > Importera > KeePass 1-databas...". +Detta är en envägsmigrering. Du kommer inte att kunna öppna den importerade databasen med den gamla KeePassX 0.4-versionen. Unsupported KeePass 2 database version. - + KeePass 2 databasversion som inte stöds. Invalid cipher uuid length: %1 (length=%2) @@ -2806,7 +3740,7 @@ This is a one-way migration. You won't be able to open the imported databas Failed to read database file. - + Kunde inte läsa databasfilen. @@ -2817,7 +3751,7 @@ This is a one-way migration. You won't be able to open the imported databas No root group - + Ingen root-grupp Missing icon uuid or data @@ -2937,49 +3871,49 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Importera KeePass1 databas - Unable to open the database. Kunde inte öppna databas. + + Import KeePass1 Database + + KeePass1Reader Unable to read keyfile. - Kunde inte läsa nyckel-filen. + Kan inte läsa nyckelfilen. Not a KeePass database. - Inte en KeePass databas. + Inte en KeePass-databas. Unsupported encryption algorithm. - Krypteringsalgoritnmen stöds ej + Krypteringsalgoritnmen stöds ej. Unsupported KeePass database version. - KeePass databas versionen stöds ej. + KeePass-databasversionen stöds ej. Unable to read encryption IV IV = Initialization Vector for symmetric cipher - + Kan inte läsa kryptering IV Invalid number of groups - + Ogiltigt antal grupper Invalid number of entries - + Ogiltigt antal poster Invalid content hash size - + Ogiltig storlek på innehålls-hash Invalid transform seed size @@ -2987,11 +3921,11 @@ Line %2, column %3 Invalid number of transform rounds - + Ogiltigt antal transformeringsrundor Unable to construct group tree - + Kan inte konstruera gruppträd Root @@ -3001,13 +3935,9 @@ Line %2, column %3 Unable to calculate master key Kunde inte räkna nu master-nyckeln - - Wrong key or database file is corrupt. - Fel lösenord eller korrupt databas-fil - Key transformation failed - + Nyckeltransformering misslyckades Invalid group field type number @@ -3101,39 +4031,56 @@ Line %2, column %3 unable to seek to content position + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share + Invalid sharing reference - Import from - Importera från - - - Export to - Exportera till - - - Synchronize with - Synkronisera med - - - Disabled share %1 + Inactive share %1 - Import from share %1 + Imported from %1 + Importerad ifrån %1 + + + Exported to %1 - Export to share %1 + Synchronized with %1 - Synchronize with share %1 + Import is disabled in settings + + + + Export is disabled in settings + + + + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with @@ -3141,11 +4088,11 @@ Line %2, column %3 KeyComponentWidget Key Component - + Nyckelkomponent Key Component Description - + Beskrivning för nyckelkomponent Cancel @@ -3153,7 +4100,7 @@ Line %2, column %3 Key Component set, click to change or remove - + Nyckelkomponent angiven, klicka för att ändra eller ta bort Add %1 @@ -3173,46 +4120,45 @@ Line %2, column %3 %1 set, click to change or remove Change or remove a key component - + %1 angivet, klicka för att ändra eller ta bort KeyFileEditWidget - - Browse - Bläddra - Generate Generera Key File - Nyckel-fil + Nyckelfil <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>Du kan lägga till en nyckelfil innehållande slumpmässiga byte för ytterligare säkerhet.</p><p>Du måste lagra den säkert och aldrig förlora den, för att inte bli utestängd</p> Legacy key file format - + Äldre nyckelfilsformat You are using a legacy key file format which may become unsupported in the future. Please go to the master key settings and generate a new key file. - + Du använder ett äldre nyckelfilsformat, som kanske inte kommer att stödjas i framtiden. + +Gå till huvudnyckelinställningarna och generera en ny nyckelfil. Error loading the key file '%1' Message: %2 - + Kunde inte läsa in nyckelfilen "%1" +Meddelande: %2 Key files - Nyckel-filer + Nyckelfiler All files @@ -3220,19 +4166,56 @@ Message: %2 Create Key File... - Skapa nyckel-fil... + Skapa nyckelfil... Error creating key file - + Kunde inte skapa nyckelfil Unable to create key file: %1 - + Kunde inte skapa nyckelfil: %1 Select a key file - Välj nyckel-fil + Välj nyckelfil + + + Key file selection + + + + Browse for key file + + + + Browse... + Bläddra... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + @@ -3243,7 +4226,7 @@ Message: %2 &Recent databases - + &Tidigare databaser &Help @@ -3251,7 +4234,7 @@ Message: %2 E&ntries - Poster + &Poster &Groups @@ -3271,7 +4254,7 @@ Message: %2 &Open database... - &Öppna databas + &Öppna databas... &Save database @@ -3279,11 +4262,11 @@ Message: %2 &Close database - &Stäng databas + St&äng databas &Delete entry - &Radera post + &Ta bort post &Edit group @@ -3291,11 +4274,11 @@ Message: %2 &Delete group - &Radera grupp + Ta bort &grupp Sa&ve database as... - Sp&ara databas som... + S&para databas som... Database settings @@ -3307,27 +4290,23 @@ Message: %2 Copy &username - Kopiera &användarnamn + Kopiera användar&namn Copy username to clipboard - Kopiera användarnamn + Kopiera användarnamn till urklipp Copy password to clipboard - Kopiera lösenord + Kopiera lösenord till urklipp &Settings &Inställningar - - Password Generator - Lösenordsgenerator - &Lock databases - &Lås databas + &Lås databaser &Title @@ -3335,7 +4314,7 @@ Message: %2 Copy title to clipboard - Kopiera titeln till Urklipp + Kopiera titel till urklipp &URL @@ -3343,15 +4322,15 @@ Message: %2 Copy URL to clipboard - Kopiera URL till Urklipp + Kopiera URL till urklipp &Notes - &Noteringar + &Anteckningar Copy notes to clipboard - Kopiera anteckningar till Urklipp + Kopiera anteckningar till urklipp &Export to CSV file... @@ -3371,7 +4350,7 @@ Message: %2 Clear history - Töm historiken + Rensa historiken Access error for config file %1 @@ -3383,7 +4362,7 @@ Message: %2 Toggle window - Visa/dölj fönster + Visa/Dölj fönster Quit KeePassXC @@ -3391,13 +4370,15 @@ Message: %2 Please touch the button on your YubiKey! - + Rör vid knappen på din YubiKey! WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - + VARNING! Du använder en instabil kompilering av KeePassXC! +Det är hög risk för fel, säkerhetskopiera dina databaser. +Denna version är inte ämnad för daglig användning. &Donate @@ -3405,16 +4386,17 @@ This version is not meant for production use. Report a &bug - Rapportera en &bug + &Rapportera ett fel WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - + VARNING! Din Qt-version kan leda till att KeePassXC kraschar vid användning av skärmtangentbord! +Vi rekommenderar att du använder tillgänglig AppImage, från vår nerladdningssida. &Import - &Import + &Importera Copy att&ribute... @@ -3430,47 +4412,47 @@ We recommend you use the AppImage available on our downloads page. Create a new database - Skapa ny databas + Skapa en ny databas &Merge from database... - &Sammanfoga från databas... + &Infoga från databas... Merge from another KDBX database - Sammanfoga från annan KDBX-databas + Infoga från annan KDBX-databas &New entry - Ny post + &Ny post Add a new entry - Lägg till ny post + Lägg till en ny post &Edit entry - + &Redigera post View or edit entry - + Visa eller redigera posten &New group - + &Ny grupp Add a new group - + Lägg till en ny grupp Change master &key... - + &Ändra huvudnyckel... &Database settings... - + &Databasinställningar... Copy &password @@ -3478,19 +4460,19 @@ We recommend you use the AppImage available on our downloads page. Perform &Auto-Type - + &Utför autoskriv Open &URL - + &Öppna URL KeePass 1 database... - KeePass 1 databas... + KeePass 1-databas... Import a KeePass 1 database - Importera en KeePass1 databas + Importera en KeePass1-databas CSV file... @@ -3508,29 +4490,90 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Visa TOTP QR-kod... - - Check for Updates... - Sök efter uppdateringar... - - - Share entry - Dela post - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + NOTIS: Du använder en förhandsversion av KeePassXC! +Vissa fel och mindre problem kan uppstå. Denna version är inte ämnad för daglig användning. Check for updates on startup? - + Vill du söka efter uppdateringar vid uppstart? Would you like KeePassXC to check for updates on startup? - + Vill du att KeePassXC skall söka efter uppdateringar vid uppstart? You can always check for updates manually from the application menu. + Du kan alltid söka efter uppdateringar manuellt, från programmenyn. + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Ladda ner favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts @@ -3538,11 +4581,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Merger Creating missing %1 [%2] - + Skapar saknad %1 [%2] Relocating %1 [%2] - + Omplacerar %1 [%2] Overwriting %1 [%2] @@ -3550,46 +4593,54 @@ Expect some bugs and minor issues, this version is not meant for production use. older entry merged from database "%1" - + äldre post infogad från databas "%1" Adding backup for older target %1 [%2] - + Lägger till säkerhetskopia från äldre mål %1 [%2] Adding backup for older source %1 [%2] - + Lägger till säkerhetskopia från äldre källa %1 [%2] Reapplying older target entry on top of newer source %1 [%2] - + Återanvänder äldre målpost ovanpå nyare källa %1 [%2] Reapplying older source entry on top of newer target %1 [%2] - + Återanvänder äldre källpost ovanpå nyare mål %1 [%2] Synchronizing from newer source %1 [%2] - + Synkroniserar från nyare källa %1 [%2] Synchronizing from older source %1 [%2] - + Synkroniserar från äldre källa %1 [%2] Deleting child %1 [%2] - + Tar bort underpost %1 [%2] Deleting orphan %1 [%2] - + Tar bort post %1 [%2] Changed deleted objects - + Ändrade borttagna objekt Adding missing icon %1 + Lägger till saknad ikon %1 + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] @@ -3597,7 +4648,7 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizard Create a new KeePassXC database... - + Skapa en ny KeePassXC-databas... Root @@ -3609,15 +4660,15 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPage WizardPage - + Guidesida En&cryption Settings - + &Krypteringsinställningar Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Här kan du justera inställningarna för databaskrypteringen. Oroa dig inte, du kan ändra dem senare, i databasinställningarna. Advanced Settings @@ -3625,7 +4676,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Simple Settings - + Förenklade inställningar @@ -3636,28 +4687,94 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - + Här kan du justera inställningarna för databaskrypteringen. Oroa dig inte, du kan ändra dem senare, i databasinställningarna. NewDatabaseWizardPageMasterKey Database Master Key - + Databasens huvudnyckel A master key known only to you protects your database. - + En huvudnyckel som bara du känner till, skyddar din databas. NewDatabaseWizardPageMetaData General Database Information - + Allmän databasinformation Please fill in the display name and an optional description for your new database: + Fyll i visningsnamnet och en frivillig beskrivning för din nya databas. + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 @@ -3665,91 +4782,91 @@ Expect some bugs and minor issues, this version is not meant for production use. OpenSSHKey Invalid key file, expecting an OpenSSH key - + Ogiltig nyckelfil, en OpenSSH-nyckel förväntas PEM boundary mismatch - + PEM-gränsfel Base64 decoding failed - + Base64-avkodning misslyckades Key file way too small. - Nyckelfilen är alldeles för liten + Nyckelfilen är alldeles för liten. Key file magic header id invalid - + Nyckelfilens magiska huvud-ID är ogiltigt Found zero keys - + Hittade inga nycklar Failed to read public key. - + Kunde inte läsa offentlig nyckel. Corrupted key file, reading private key failed - + Skadad nyckelfil, kunde inte läsa privat nyckel No private key payload to decrypt - + Ingen nyttolast att avkryptera, från privat nyckel Trying to run KDF without cipher - + Försöker köra KDF utan chiffer Passphrase is required to decrypt this key - + Lösenordsfras krävs för att avkryptera denna nyckel Key derivation failed, key file corrupted? - + Nyckelhärledning misslyckades, är nyckelfilen skadad? Decryption failed, wrong passphrase? - + Avkryptering misslyckades, är det fel lösenord? Unexpected EOF while reading public key - + Oväntad EOF, under inläsning av offentlig nyckel Unexpected EOF while reading private key - + Oväntad EOF, under inläsning av privat nyckel Can't write public key as it is empty - + Kan inte skriva offentlig nyckel, eftersom den är tom Unexpected EOF when writing public key - + Oväntad EOF, vid skrivning av offentlig nyckel Can't write private key as it is empty - + Kan inte skriva privat nyckel, eftersom den är tom Unexpected EOF when writing private key - + Oväntad EOF, vid skrivning av privat nyckel Unsupported key type: %1 - + Nyckeltypen stöds ej: %1 Unknown cipher: %1 - + Okänt chiffer: %1 Cipher IV is too short for MD5 kdf - + Chiffer IV är för kort för MD5 kdf Unknown KDF: %1 @@ -3760,6 +4877,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Okänd nyckeltyp: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3768,7 +4896,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Confirm password: - + Bekräfta lösenord: Password @@ -3776,14 +4904,30 @@ Expect some bugs and minor issues, this version is not meant for production use. <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - + <p>Ett lösenord är den primära metoden för att säkra din databas.</p><p>Bra lösenord är långa, komplexa och unika. KeePassXC kan skapa dem åt dig.</p> Passwords do not match. - + Lösenorden stämmer inte. Generate master password + Skapa huvudlösenord + + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator @@ -3814,33 +4958,21 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Teckentyper - - Upper Case Letters - Versaler - - - Lower Case Letters - Gemener - Numbers Siffror - - Special Characters - Specialtecken - Extended ASCII Utökad ASCII Exclude look-alike characters - Uteslut liknande tecken + Undanta tecken som liknar varandra Pick characters from every group - Välj tecken från alla grupper + Plocka tecken från alla grupper &Length: @@ -3848,7 +4980,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase - Lösenfras + Lösenordsfras Wordlist: @@ -3856,7 +4988,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Word Separator: - Ordseparerare: + Ordavdelare: Copy @@ -3872,11 +5004,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Entropy: %1 bit - + Entropi: %1 bit Password Quality: %1 - Lösenord kvalitet: %1 + Lösenordskvalitet: %1 Poor @@ -3900,28 +5032,20 @@ Expect some bugs and minor issues, this version is not meant for production use. ExtendedASCII - + Utökad ASCII Switch to advanced mode - + Växla till avancerat läge Advanced Avancerat - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3932,79 +5056,71 @@ Expect some bugs and minor issues, this version is not meant for production use. Braces - + Klammerparenteser {[( - + {[( Punctuation - + Skiljetecken .,:; - + .,:; Quotes - + Citationstecken " ' - - - - Math - + " ' <*+!?= - - - - Dashes - + <*+!?= \_|-/ - + \_|-/ Logograms - + Logogram #$%&&@^`~ - + #$%&&@^`~ Switch to simple mode - + Växla till förenklat läge Simple - + Förenklat Character set to exclude from generated password - + Tecken som undantas från genererade lösenord Do not include: - + Undanta: Add non-hex letters to "do not include" list - + Lägg till icke-hexadecimala tecken till undantagslistan Hex - + Hex Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - + Undanta tecknen: "0", "1", "l", "I", "O", "|", "﹒" Word Co&unt: @@ -4012,20 +5128,85 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate - Regenerera + Återgenerera + + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Kopiera lösenord + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + QApplication KeeShare - + KeeShare - - - QFileDialog - Select + Statistics @@ -4033,7 +5214,7 @@ Expect some bugs and minor issues, this version is not meant for production use. QMessageBox Overwrite - + Skriv över Delete @@ -4041,11 +5222,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + Flytta Empty - + Tom Remove @@ -4053,14 +5234,18 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + Hoppa över Disable - Stäng av + Inaktivera Merge + Sammanfoga + + + Continue @@ -4072,27 +5257,27 @@ Expect some bugs and minor issues, this version is not meant for production use. Database hash not available - + Databas-hash inte tillgänglig Client public key not received - + Klientens offentliga nyckel inte mottagen Cannot decrypt message - Kan inte avkoda meddelande + Kan inte avkryptera meddelande Action cancelled or denied - Åtgärden avbröts eller nekades + Åtgärden avbröts eller avisades KeePassXC association failed, try again - + KeePassXC-association misslyckades, försök igen! Encryption key is not recognized - + Krypteringsnyckeln känns inte igen Incorrect action @@ -4108,7 +5293,7 @@ Expect some bugs and minor issues, this version is not meant for production use. No logins found - Hittade inga inloggningar + Inga inloggningar hittades Unknown error @@ -4120,7 +5305,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the database. - Sökväg till databasen + Sökväg till databasen. Key file of the database. @@ -4148,23 +5333,19 @@ Expect some bugs and minor issues, this version is not meant for production use. Prompt for the entry's password. - + Fråga efter postens lösenord. Generate a password for the entry. Generera ett lösenord för posten. - - Length for the generated password. - - length längd Path of the entry to add. - + Sökväg till den tillagda posten. Copy an entry's password to the clipboard. @@ -4173,11 +5354,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the entry to clip. clip = copy to clipboard - + Sökväg att kopiera. Timeout in seconds before clearing the clipboard. - Timeout i sekunder innan Urklipp rensas. + Tidsgräns i sekunder innan urklipp rensas. Edit an entry. @@ -4193,38 +5374,29 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the entry to edit. - Sökvägen till posten att redigera. + Sökväg till posten att redigera. Estimate the entropy of a password. - + Uppskatta ett lösenords entropi. Password for which to estimate the entropy. - + Lösenord som entropin skall uppskattas för. Perform advanced analysis on the password. Utföra avancerad analys av lösenordet. - - Extract and print the content of a database. - - - - Path of the database to extract. - Sökvägen till databasen som skall extraheras. - - - Insert password to unlock %1: - Ange lösenordet för att låsa upp %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + VARNING! Du använder ett äldre nyckelfilsformat som kanske +inte kommer att stödjas i framtiden. + +Överväg att generera en ny nyckelfil. @@ -4238,7 +5410,7 @@ Tillgängliga kommandon: Name of the command to execute. - Namnet på kommandot som ska köras. + Namn på kommandot som skall köras. List database entries. @@ -4246,7 +5418,7 @@ Tillgängliga kommandon: Path of the group to list. Default is / - Sökvägen till gruppen att lista. Standard är / + Sökväg till gruppen som skall listas. Standard är / Find entries quickly. @@ -4254,35 +5426,31 @@ Tillgängliga kommandon: Search term. - Sökord. + Sökterm. Merge two databases. Sammanfoga två databaser. - - Path of the database to merge into. - Sökvägen till databasen för att sammanfoga till. - Path of the database to merge from. - Sökvägen till databasen för att sammanfoga från. + Sökväg till databas att infoga från. Use the same credentials for both database files. - Använda samma autentiseringsuppgifter för båda databasfilerna. + Använd samma autentiseringsuppgifter för bägge databasfilerna. Key file of the database to merge from. - Nyckelfilen för databasen att sammanfoga från. + Nyckelfil för databas att infoga från. Show an entry's information. - Visa en posts information. + Visa en information för en post. Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - + Attributnamn att visa. Detta alternativ kan specificeras fler än en gång, med varje attribut visat, ett per rad i given ordning. Om inga attribut specificeras, kommer en summering av standardattributen att ges. attribute @@ -4290,11 +5458,11 @@ Tillgängliga kommandon: Name of the entry to show. - Namnet på posten som skall visas. + Namn på posten som skall visas. NULL device - NULL device + NULL-enhet error reading from device @@ -4302,11 +5470,11 @@ Tillgängliga kommandon: malformed string - felaktigt uppbyggd textsträng + felaktigt uppbyggd sträng missing closing quote - saknar avslutande citattecken + saknar avslutande citationstecken Group @@ -4330,7 +5498,7 @@ Tillgängliga kommandon: Last Modified - Senast ändrad + Ändrad Created @@ -4340,10 +5508,6 @@ Tillgängliga kommandon: Browser Integration Webbläsarintegration - - YubiKey[%1] Challenge Response - Slot %2 - %3 - - Press Tryck @@ -4354,316 +5518,288 @@ Tillgängliga kommandon: SSH Agent - SSH Agent + SSH-tjänst Generate a new random diceware passphrase. - + Generera en ny slumpmässig lösenordsfras. Word count for the diceware passphrase. - + Antal ord för lösenordsfrasen. Wordlist for the diceware generator. [Default: EFF English] - + Ordlista för lösenordgeneratorn. +[Standard: EFF English] Generate a new random password. - Generera ett nytt slumpmässigt lösenord. - - - Invalid value for password length %1. - + Skapa ett nytt slumpmässigt lösenord. Could not create entry with path %1. - + Kunde inte skapa post med sökvägen %1. Enter password for new entry: - + Ange lösenord för ny post: Writing the database failed %1. - + Kunde inte skriva databas %1. Successfully added entry %1. - + Posten %1 tillagd. Copy the current TOTP to the clipboard. - + Kopiera aktuell TOTP till urklipp. Invalid timeout value %1. - + Ogiltig tidsgräns %1. Entry %1 not found. - + Posten %1 hittades inte. Entry with path %1 has no TOTP set up. - + Posten med sökväg %1 har ingen TOTP konfigurerad. Entry's current TOTP copied to the clipboard! - + Postens aktuella TOTP kopierad till urklipp! Entry's password copied to the clipboard! - + Postens lösenord kopierat till urklipp! Clearing the clipboard in %1 second(s)... - + Rensar urklipp om %1 sekund...Rensar urklipp om %1 sekunder... Clipboard cleared! - + Urklipp rensat! Silence password prompt and other secondary outputs. - + Fråga inte efter lösenord och andra sekundära utdata. count CLI parameter - - - - Invalid value for password length: %1 - + antal Could not find entry with path %1. - + Kunde inte hitta post på sökvägen %1. Not changing any field for entry %1. - + Ändrar inga fält för posten %1. Enter new password for entry: - + Ange nytt lösenord för posten: Writing the database failed: %1 - + Kunde inte skriva databas: %1 Successfully edited entry %1. - + Redigerade posten %1. Length %1 - + Längd %1 Entropy %1 - + Entropi %1 Log10 %1 - + Logg10 %1 Multi-word extra bits %1 - + Extra bitar för flerord %1 Type: Bruteforce - + Typ: Bruteforce Type: Dictionary - + Typ: Ordbok Type: Dict+Leet - + Typ: Ordbok+Leet Type: User Words - + Typ: Användarord Type: User+Leet - + Typ: Användare+Leet Type: Repeated - + Typ: Repeterad Type: Sequence - + Typ: Sekvens Type: Spatial - + Typ: Spatial Type: Date - + Typ: Datum Type: Bruteforce(Rep) - + Typ: Bruteforce (Rep) Type: Dictionary(Rep) - + Typ: Ordbok (Rep) Type: Dict+Leet(Rep) - + Typ: Ordbok+Leet (Rep) Type: User Words(Rep) - + Typ: Användarord (Rep) Type: User+Leet(Rep) - + Typ: Användare+Leet (Rep) Type: Repeated(Rep) - + Typ: Repeterad (Rep) Type: Sequence(Rep) - + Typ: Sekvens (Rep) Type: Spatial(Rep) - + Typ: Spatial (Rep) Type: Date(Rep) - + Typ: Datum (Rep) Type: Unknown%1 - + Typ: Okänd %1 Entropy %1 (%2) - + Entropi %1 (%2) *** Password length (%1) != sum of length of parts (%2) *** - + *** Lösenordslängd (%1) != sammanlagd längd av delar (%2) *** Failed to load key file %1: %2 - - - - File %1 does not exist. - Fil %1 finns inte. - - - Unable to open file %1. - Kunde inte öppna fil %1. - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + Kunde inte läsa in nyckelfil %1: %2 Length of the generated password - + Längd på det genererade lösenordet Use lowercase characters - + Använd gemener Use uppercase characters - - - - Use numbers. - + Amvänd VERSALER Use special characters - + Använd specialtecken Use extended ASCII - + Använd utökad ASCII Exclude character set - + Undanta teckenupsättning chars - + tecken Exclude similar looking characters - + Undanta tecken som liknar varandra Include characters from every selected group - + Ta med tecken från samtliga valda grupper Recursively list the elements of the group. - + Lista elementen i gruppen rekursivt. Cannot find group %1. - + Kan inte hitta gruppen %1. Error reading merge file: %1 - + Fel vid läsning av sammanslagningsfil: +%1 Unable to save database to file : %1 - + Kan inte spara databas till fil: %1 Unable to save database to file: %1 - + Kan inte spara databas till fil: %1 Successfully recycled entry %1. - + Återvinning av posten %1 slutförd. Successfully deleted entry %1. - + Tog bort posten %1. Show the entry's current TOTP. - + Visa postens aktuella TOTP. ERROR: unknown attribute %1. - + FEL: Okänt attribut %1. No program defined for clipboard manipulation - + Inget program definierat för urklippsmanipulation Unable to start program %1 - + Kan inte starta programmet %1 file empty @@ -4675,19 +5811,19 @@ Tillgängliga kommandon: AES: 256-bit - AES: 256-bitar + AES: 256 bitar Twofish: 256-bit - Twofish: 256-bitar + Twofish: 256 bitar ChaCha20: 256-bit - ChaCha20: 256-bitar + ChaCha20: 256 bitar Argon2 (KDBX 4 – recommended) - Argon2 (KDBX 4 – rekommenderad) + Argon2 (KDBX 4 – rekommenderas) AES-KDF (KDBX 4) @@ -4709,11 +5845,11 @@ Tillgängliga kommandon: Message encryption failed. - Meddelandekryptering misslyckad. + Meddelandekryptering misslyckaes. No groups found - Inga grupper funna + Inga grupper hittades Create a new database. @@ -4721,75 +5857,67 @@ Tillgängliga kommandon: File %1 already exists. - Filen %1 existerar redan. + Filen %1 finns redan. Loading the key file failed - + Kunde inte läsa in nyckelfilen No key is set. Aborting database creation. - + Ingen nyckel angiven. Avbryter skapande av databas. Failed to save the database: %1. - + Kunde inte spara databasen: %1. Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + Ny databas skapad. Creating KeyFile %1 failed: %2 - + Kunde inte skapa nyckelfilen %1: %2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - Ta bort en post från databasen + Kunde inte läsa in nyckelfilen %1: %2 Path of the entry to remove. - Sökväg till posten som tas bort + Sökväg till posten som tas bort. Existing single-instance lock file is invalid. Launching new instance. - + Låsfilen för befintlig enkelinstans är ogiltig. Startar en ny instans. The lock file could not be created. Single-instance mode disabled. - + Låsfilen kunde inte skapas. Enkelinstansläge inaktiverat. KeePassXC - cross-platform password manager - KeePassXC - plattformsoberoende lösenordshanterare + KeePassXC - Plattformsoberoende lösenordshanterare filenames of the password databases to open (*.kdbx) - namnen på lösenordsdatabaserna som öppnas (*.kdbx) + filnamn på lösenordsdatabaser att öppna (*.kdbx) path to a custom config file - Sökväg till egen konfigurations-fil + Sökväg till en anpassad konfigurationsfil key file of the database - nyckel-fil för databas + nyckelfil för databasen read password of the database from stdin - mottag databaslösenord från stdin + hämta databaslösenordet från stdin Parent window handle - + Hanterare för överordnat fönster Another instance of KeePassXC is already running. @@ -4797,7 +5925,7 @@ Tillgängliga kommandon: Fatal error while testing the cryptographic functions. - Allvarligt fel vid testning av kryptografiska funktioner. + Allvarligt fel vid test av kryptografiska funktioner. KeePassXC - Error @@ -4805,10 +5933,334 @@ Tillgängliga kommandon: Database password: - Databaslösenord: + Databaslösenord: Cannot create new group + Kan inte skapa ny grupp + + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Version %1 + + + Build Type: %1 + Build Type: %1 + + + Revision: %1 + Ändring: %1 + + + Distribution: %1 + Utdelning: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Operativsystem: %1 +Processorarkitektur: %2 +Kärna: %3 %4 + + + Auto-Type + Autoskriv + + + KeeShare (signed and unsigned sharing) + KeeShare (signerad och osignerad delning) + + + KeeShare (only signed sharing) + KeeShare (endast signerad delning) + + + KeeShare (only unsigned sharing) + KeeShare (endast osignerad delning) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Ingen + + + Enabled extensions: + Aktiverade tillägg: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Databasen ändrades inte av sammanslagningen. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options @@ -4816,100 +6268,100 @@ Tillgängliga kommandon: QtIOCompressor Internal zlib error when compressing: - Internt zlib fel vid komprimering: + Internt zlib-fel vid komprimering: Error writing to underlying device: - Fel vid skrivning till underliggande enhet: + Kunde inte skriva till underliggande enhet: Error opening underlying device: - Fel vid öppning av underliggande enhet: + Kunde inte öppna underliggande enhet: Error reading data from underlying device: - Fel vid läsning från underliggande enhet: + Kunde inte läsa data från underliggande enhet: Internal zlib error when decompressing: - Internt zlib fel vid extrahering: + Internt zlib-fel vid extrahering: QtIOCompressor::open The gzip format not supported in this version of zlib. - Gzip formatet stöds inte av denna version av zlib. + Gzip-formatet stöds inte i denna version av zlib. Internal zlib error: - Internt zlib fel: + Internt zlib-fel: SSHAgent Agent connection failed. - + Tjänstanslutning misslyckades. Agent protocol error. - + Fel i tjänstprotokollet. No agent running, cannot add identity. - + Ingen tjänst körs. Kan inte lägga till identitet. No agent running, cannot remove identity. - + Ingen tjänst körs. Kan inte ta bort identitet. Agent refused this identity. Possible reasons include: - + Tjänsten avvisade denna identitet. Möjliga orsaker inkluderar: The key has already been added. - + Nyckeln har redan lagts till. Restricted lifetime is not supported by the agent (check options). - + Begränsad livstid stöds inte av tjänsten (kontrollera alternativen). A confirmation request is not supported by the agent (check options). - + Bekräftelsebegäran stöds inte av tjänsten (kontrollera alternativen). SearchHelpWidget Search Help - + Sökhjälp Search terms are as follows: [modifiers][field:]["]term["] - + Söktermer är följande: [modifierare][fält:]["]term["] Every search term must match (ie, logical AND) - + Varje sökterm måste matcha (ex. logisk OCH) Modifiers - + Modifierare exclude term from results - + Undanta termen från resultat match term exactly - + Matcha termen exakt use regex in term - + Använd RegEx i termen Fields @@ -4917,19 +6369,19 @@ Tillgängliga kommandon: Term Wildcards - + Jokertecken match anything - + Matcha allt match one - + Matcha en logical OR - + Logisk ELLER Examples @@ -4952,7 +6404,7 @@ Tillgängliga kommandon: Search Help - + Sökhjälp Search (%1)... @@ -4964,6 +6416,93 @@ Tillgängliga kommandon: Skiftlägeskänslig + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Allmänt + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Grupp + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Databasinställningar + + + Edit database settings + + + + Unlock database + Lås upp databas + + + Unlock database to show more information + + + + Lock database + Lås databasen + + + Unlock to show + + + + None + Ingen + + SettingsWidgetKeeShare @@ -4972,19 +6511,19 @@ Tillgängliga kommandon: Allow export - + Tillåt export Allow import - + Tillåt import Own certificate - + Eget certifikat Fingerprint: - + Fingeravtryck: Certificate: @@ -4992,7 +6531,7 @@ Tillgängliga kommandon: Signer - + Undertecknare Key: @@ -5008,15 +6547,15 @@ Tillgängliga kommandon: Export - Export + Exportera Imported certificates - + Importerade certifikat Trust - + Betrodd Ask @@ -5024,7 +6563,7 @@ Tillgängliga kommandon: Untrust - + Ej betrodd Remove @@ -5048,11 +6587,11 @@ Tillgängliga kommandon: Trusted - + Betrodd Untrusted - + Ej betrodd Unknown @@ -5061,11 +6600,11 @@ Tillgängliga kommandon: key.share Filetype for KeeShare key - + key.share KeeShare key file - + KeeShare nyckelfil All files @@ -5073,38 +6612,133 @@ Tillgängliga kommandon: Select path - + Välj sökväg Exporting changed certificate - + Exporterar ändrat certifikat The exported certificate is not the same as the one in use. Do you want to export the current certificate? - + Det exporterade certifikatet är inte detsamma som det som används. Vill du exportera det aktuella certifikatet? Signer: + Undertecknare: + + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Nyckel + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Det saknas stöd för att skriva över signerad delningsbehållare. - Export förhindrad. + + + Could not write export container (%1) + Kunde inte skriva exportbehållare (%1) + + + Could not embed signature: Could not open file to write (%1) + Kunde inte bädda in signatur: Kunde inte öppna filen för skrivning (%1) + + + Could not embed signature: Could not write file (%1) + Kunde inte bädda in signatur: Kunde inte skriva filen (%1) + + + Could not embed database: Could not open file to write (%1) + Kunde inte bädda in databas: Kunde inte öppna filen för skrivning (%1) + + + Could not embed database: Could not write file (%1) + Kunde inte bädda in databa: Kunde inte skriva filen (%1) + + + Overwriting unsigned share container is not supported - export prevented + Det saknas stöd för att skriva över osignerad delningsbehållare. - Export förhindrad. + + + Could not write export container + Kunde inte skriva exportbehållare + + + Unexpected export error occurred + Ett oväntat exportfel inträffade + + + + ShareImport Import from container without signature - + Importera från behållare utan signatur We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + Vi kan inte verifiera källan för den delade behållaren, eftersom den inte är signerad. Vill du verkligen importera från %1? Import from container with certificate - + Importera från behållare med certifikat + + + Do you want to trust %1 with the fingerprint of %2 from %3? + Vill du lita på %1, med fingeravtryck för %2, från %3? Not this time - Inte denna gång + Inte den här gången Never @@ -5116,39 +6750,27 @@ Tillgängliga kommandon: Just this time - Bara denna gång - - - Import from %1 failed (%2) - Import från %1 misslyckades (%2) - - - Import from %1 successful (%2) - Import från %1 lyckades (%2) - - - Imported from %1 - Importerad ifrån %1 + Endast den här gången Signed share container are not supported - import prevented - + Signerad delningsbehållare stöds inte. - Import förhindrad. File is not readable - Filen är inte läsbar + Filen kan inte läsas Invalid sharing container - Ogiltig delningscontainer + Ogiltig delningsbehållare Untrusted import prevented - + Ej betrodd import förhindrad Successful signed import - + Signerad import slutförd Unexpected error @@ -5156,86 +6778,61 @@ Tillgängliga kommandon: Unsigned share container are not supported - import prevented - + Osignerad delningsbehållare stöds inte. - Import förhindrad. Successful unsigned import - + Osignerad import slutförd File does not exist - Filen existerar inte. + Filen finns inte Unknown share container type - + Okänd typ av delningsbehållare + + + + ShareObserver + + Import from %1 failed (%2) + Import från %1 misslyckades (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + Import från %1 slutförd (%2) - Could not write export container (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + Importerad ifrån %1 Export to %1 failed (%2) - + Export till %1 misslyckades (%2) Export to %1 successful (%2) - + Export till %1 slutförd (%2) Export to %1 Exportera till %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - - Multiple import source path to %1 in %2 - + Sökväg till flerfaldig importkälla för %1 i %2 Conflicting export target path %1 in %2 - - - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - + Motstridiga sökvägar för exportmål %1 i %2 TotpDialog Timed Password - Tidsinställt Lösenord + Tidsbegränsat lösenord 000000 @@ -5247,7 +6844,7 @@ Tillgängliga kommandon: Expires in <b>%n</b> second(s) - Löper ut om %n sekund(er)Löper ut om <b>%n</b> sekund(er) + Upphör att gälla om <b>%n</b> sekundUpphör att gälla om <b>%n</b> sekunder @@ -5259,7 +6856,7 @@ Tillgängliga kommandon: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + OBS! Dessa TOTP-inställningar är anpassade och kanske inte fungerar med andra autentiserare. There was an error creating the QR code. @@ -5276,17 +6873,13 @@ Tillgängliga kommandon: Setup TOTP Konfigurera TOTP - - Key: - Nyckel: - Default RFC 6238 token settings - Standard RFC 6238 token inställningar + Standard RFC 6238 token-inställningar Steam token settings - Steam token inställningar + Steam token-inställningar Use custom settings @@ -5303,23 +6896,52 @@ Tillgängliga kommandon: sec Seconds - sek + sek Code size: Kodstorlek: - 6 digits - 6 siffror + Secret Key: + - 7 digits - 7 siffror + Secret key must be in Base32 format + - 8 digits - 8 siffror + Secret key field + + + + Algorithm: + Algoritm + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5342,11 +6964,11 @@ Tillgängliga kommandon: An error occurred in retrieving update information. - Ett felinträffade vid inhämtning av information. + Ett fel inträffade vid inhämtning av uppdateringsinformation. Please try again later. - Vänligen försök igen senare. + Försök igen senare. Software Update @@ -5354,15 +6976,15 @@ Tillgängliga kommandon: A new version of KeePassXC is available! - En ny version av KeePassXC är tillgänglig! + En ny version av KeePassXC finns tillgänglig! KeePassXC %1 is now available — you have %2. - KeePassXC %1 är nu tillgänglig — du har %2. + KeePassXC %1 är nu tillgänglig — Du har %2. Download it at keepassxc.org - Ladda ner den nu på keepassxc.org + Ladda ner den på keepassxc.org You're up-to-date! @@ -5370,14 +6992,14 @@ Tillgängliga kommandon: KeePassXC %1 is currently the newest version available - KeePassXC %1 är för närvarande den nyaste tillgängliga version + KeePassXC %1 är för närvarande den nyaste tillgängliga versionen WelcomeWidget Start storing your passwords securely in a KeePassXC database - Påbörja att spara dina lösenord säkert i en KeePassXC databas + Börja spara dina lösenord säkert, i en KeePassXC-databas. Create new database @@ -5397,12 +7019,20 @@ Tillgängliga kommandon: Recent databases - Senast använda databaser + Tidigare databaser Welcome to KeePassXC %1 Välkommen till KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5412,18 +7042,26 @@ Tillgängliga kommandon: YubiKey Challenge-Response - + YubiKey Challenge-Response <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>Om du äger en <a href="https://www.yubico.com/">YubiKey</a>, kan du använda den för ytterligare säkerhet.</p><p>YubiKey kräver att en av dess platser programmeras som <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> No YubiKey detected, please ensure it's plugged in. - + Ingen YubiKey identifierad, tillse att den är ansluten. No YubiKey inserted. + Ingen YubiKey ansluten. + + + Refresh hardware tokens + + + + Hardware key slot selection diff --git a/share/translations/keepassx_th.ts b/share/translations/keepassx_th.ts index eebea66af..1d9c44f45 100644 --- a/share/translations/keepassx_th.ts +++ b/share/translations/keepassx_th.ts @@ -11,11 +11,12 @@ Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> - รายงานจุดบกพร่องที่ <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> + รายงานข้อผิดพลาดที่: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC เผยแพร่ภายใต้เงื่อนไขของสัญญาอนุญาตสาธารณะทั่วไปของกนู (GNU GPL) รุ่น 2 หรือรุ่น 3 (คุณสามารถเลือกได้) + KeePassXC เผยแพร่ภายใต้เงื่อนไขของสัญญาอนุญาตสาธารณะทั่วไปของกนู (GNU GPL) +รุ่น 2 หรือรุ่น 3 (คุณสามารถเลือกได้) Contributors @@ -27,19 +28,19 @@ Debug Info - ข้อมูลการแก้จุดบกพร่อง + ข้อมูลดีบัก Include the following information whenever you report a bug: - ใส่ข้อมูลดังต่อไปนี้ทุกครั้งที่คุณรายงานจุดบกพร่องของซอฟต์แวร์ + ใส่ข้อมูลดังต่อไปนี้ทุกครั้งที่คุณรายงานข้อผิดปกติของซอฟต์แวร์: Copy to clipboard - คัดลอกไปยังคลิปบอร์ด + คัดลอกไปยังคลิปบอร์ด: Project Maintainers: - ผู้ดูแลโครงการ + ผู้บำรุงรักษาโครงการ: Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. @@ -61,7 +62,7 @@ ApplicationSettingsWidget Application Settings - การตั้งค่าโปรแกรม + การตั้งค่าแอป General @@ -69,7 +70,7 @@ Security - ความปลอดภัย + ความมั่นคง Access error for config file %1 @@ -95,6 +96,14 @@ Follow style ปฏิบัติตามสไตล์ + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,21 +119,9 @@ Start only a single instance of KeePassXC เริ่มต้นอินสแตนซ์เดี่ยวของ KeePassXC เท่านั้น - - Remember last databases - จดจำฐานข้อมูลล่าสุด - - - Remember last key files and security dongles - จดจำไฟล์สำคัญล่าสุดและความปลอดภัยของดองเกิล - - - Load previous databases on startup - โหลดฐานข้อมูลก่อนหน้าเมื่อเริ่มต้นระบบ - Minimize window at application startup - ย่อหน้าต่างลงเล็กสุดตอนเริ่มโปรแกรม + ย่อหน้าต่างลงเล็กสุดตอนเริ่มแอป File Management @@ -132,7 +129,7 @@ Safely save database files (may be incompatible with Dropbox, etc) - บันทึกไฟล์ฐานข้อมูลอย่างปลอดภัย ( อาจจะไม่ตรงกับ Dropbox และอื่น ๆ ) + บันทึกไฟล์ฐานข้อมูลอย่างปลอดภัย (อาจจะไม่ตรงกับ Dropbox ฯลฯ) Backup database file before saving @@ -162,10 +159,6 @@ Use group icon on entry creation ใช้ไอคอนกลุ่มบนการสร้างรายการ - - Minimize when copying to clipboard - ย่อหน้าต่างขณะที่คัดลอกไปยังคลิปบอร์ด - Hide the entry preview panel ซ่อนแผงตัวอย่างแสดงรายการ @@ -184,7 +177,7 @@ Show a system tray icon - แสดงไอคอนของซิสเต็มเทรย์ + แสดงไอคอนสำหรับ system tray Dark system tray icon @@ -194,29 +187,25 @@ Hide window to system tray when minimized ซ่อนหน้าต่างในซิสเต็มเทรย์เมื่อถูกย่อ - - Language - ภาษา - Auto-Type Auto-Type Use entry title to match windows for global Auto-Type - ใช้หัวข้อของรายการในการจับคู่หน้าต่างกับ Auto-Type สากล + ใช้หัวข้อเรื่องในการจับคู่หน้าต่างกับ Auto-Type ระดับโลก Use entry URL to match windows for global Auto-Type - ใช้ URL ของรายการในการจับคู่หน้าต่างกับ Auto-Type สากล + ใช้ URL ของรายการในการจับคู่หน้าต่างกับ Auto-Type ระดับโลก Always ask before performing Auto-Type - ถามก่อนเสมอเมื่อจะทำการ Auto-Type + ถามเสมอก่อนจะทำการ Auto-Type Global Auto-Type shortcut - ทางลัดสำหรับ Auto-Type สากล + ทางลัดสำหรับ Auto-Type ระดับโลก Auto-Type typing delay @@ -225,34 +214,115 @@ ms Milliseconds - มิลลิวินาที + มิลลิวิ Auto-Type start delay การเริ่ม Auto-Type ล่าช้า - - Check for updates at application startup - ตรวจสอบการอัปเดตตอนเริ่มแอปพลิเคชัน - - - Include pre-releases when checking for updates - รวมเวอร์ชันที่ยังไม่เผยแพร่ในการตรวจสอบการอัปเดต - Movable toolbar แถบเครื่องมือที่เคลื่อนย้ายได้ - Button style - สไตล์ปุ่ม + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + วินาที + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + ApplicationSettingsWidgetSecurity Timeouts - หมดเวลา + การหยุดชั่วคราว Clear clipboard after @@ -261,11 +331,11 @@ sec Seconds - วินาที + วิ Lock databases after inactivity of - ล็อคฐานข้อมูลหลังไม่มีการใช้งาน + ล็อกฐานข้อมูลหลังไม่มีการใช้งาน min @@ -273,7 +343,7 @@ Forget TouchID after inactivity of - ไม่จำ TouchID หลังไม่มีการใช้งาน + ลืม TouchID หลังไม่มีการใช้งาน Convenience @@ -281,23 +351,23 @@ Lock databases when session is locked or lid is closed - ล็อคฐานข้อมูลเมื่อเซสชันถูกล็อคหรือฝาถูกปิด + ล็อคฐานข้อมูลเมื่อเซสชันถูกล็อคหรือฝาครอบถูกผิด Forget TouchID when session is locked or lid is closed - ไม่จำ TouchID เมื่อเซสชันถูกล็อคหรือฝาถูกปิด + ลืม TouchID เมื่อเซสชันถูกล็อคหรือฝาครอบถูกผิด Lock databases after minimizing the window - ล็อคฐานข้อมูลหลังย่อหน้าต่างลง + ล็อกฐานข้อมูลหลังย่อหน้าต่างลงเล็กสุด Re-lock previously locked database after performing Auto-Type - ล็อคฐานข้อมูลก่อนหน้าอีกครั้งหลังทำการ Auto-Type + ล็อคฐานข้อมูลที่เคยถูกล็อคมาก่อนอีกครั้งหลังทำการ Auto-Type Don't require password repeat when it is visible - ไม่ต้องถามรหัสผ่านซ้ำถ้ามองเห็นรหัสผ่านอยู่แล้ว + ไม่ต้องถามรหัสผ่านซ้ำถ้ามองเห็นรหัสผ่านอยู่ Don't hide passwords when editing them @@ -305,7 +375,7 @@ Don't use placeholder for empty password fields - ไม่ต้องแสดงข้อความตัวอย่างในช่องกรอกรหัสผ่าน + ไม่ต้องแสดงข้อความตัวอย่างในช่องรหัสผ่านที่ว่างเปล่า Hide passwords in the entry preview panel @@ -320,8 +390,29 @@ ความเป็นส่วนตัว - Use DuckDuckGo as fallback for downloading website icons - ใช้ DuckDuckGo เป็นตัวแทนสำหรับดาวน์โหลดไอคอนเว็บไซต์ + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + นาที + + + Clear search query after + @@ -348,7 +439,7 @@ This Auto-Type command contains very slow key presses. Do you really want to proceed? - คำสั่ง Auto-Type นี้กดแป้นพิมพ์ช้า ต้องการดำเนินการต่อหรือไม่ + คำสั่ง Auto-Type นี้กดปุ่มช้า ต้องการดำเนินการต่อหรือไม่ This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? @@ -389,6 +480,17 @@ ลำดับ + + AutoTypeMatchView + + Copy &username + คัดลอกชื่อผู้ใช้ (&U) + + + Copy &password + คัดลอกรหัสผ่าน + + AutoTypeSelectDialog @@ -399,6 +501,10 @@ Select entry to Auto-Type: เลือกรายการเพื่อ Auto-Type + + Search... + ค้นหา... + BrowserAccessControlDialog @@ -421,8 +527,16 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 ต้องการเข้าถึงรหัสผ่านของไอเทมต่อไปนี้ -กรุณาเลือกว่าคุณจะอนุญาตหรือไม่ + %1 ต้องการเข้าถึงรหัสผ่านของไอเทมต่อไปนี้ +กรุณาเลือกว่าคุณจะอนุญาติหรือไม่ + + + Allow access + + + + Deny access + @@ -442,22 +556,18 @@ Please select whether you want to allow access. You have multiple databases open. Please select the correct database for saving credentials. - คุณเปิดหลายฐานข้อมูล กรุณาเลือกฐานข้อมูลที่ถูกต้องเพื่อบันทึกข้อมูลของคุณ + คุณเปิดหลายฐานข้อมูล กรุณาเลือกฐานข้อมูลที่ถูกต้องเพื่อบันทึกข้อมูลประจำตัวเพื่ิอเข้าระบบ BrowserOptionDialog Dialog - หน้าต่าง + กล่องโต้ตอบ This is required for accessing your databases with KeePassXC-Browser - สิ่งนี้จำเป็นเพื่อการเข้าถึงฐานข้อมูลผ่านเบราว์เซอร์ KeePassXC - - - Enable KeepassXC browser integration - เปิดใช้ KeepassXC ร่วมกับเบราว์เซอร์ + การเข้าถึงฐานข้อมูลของคุณจำเป็นต้องเข้าผ่านเบราว์เซอร์ KeePassXC General @@ -465,7 +575,7 @@ Please select the correct database for saving credentials. Enable integration for these browsers: - เปิดการใช้เบราว์เซอร์เหล่านี้ร่วมกับ + เปิดใช้การผสานกับเบราว์เซอร์เหล่านี้: &Google Chrome @@ -494,7 +604,7 @@ Please select the correct database for saving credentials. Only entries with the same scheme (http://, https://, ...) are returned. - ข้อมูลรูปแบบเดียวกันเท่านั้น (http://, https://, ...) จะถูกส่งคืน + ข้อมูลรูปแบบเดียวกัันเท่านั้น (http://, https://, ...) จะถูกส่งคืน &Match URL scheme (e.g., https://...) @@ -502,7 +612,7 @@ Please select the correct database for saving credentials. Only returns the best matches for a specific URL instead of all entries for the whole domain. - ส่งคืนรายการเฉพาะที่ตรงกับ URL มากที่สุด แทนที่จะส่งคืนรายการทั้งหมดของทั้งโดเมน + ย้อนกลับเฉพาะเมื่อ URL นั้น ๆ ตรงกันมากที่สุด ไม่ใช่เมืื่อมีข้อมูลทั้งหมดสำหรับโดเมน &Return only best-matching credentials @@ -525,16 +635,12 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - ไม่เคยและถามก่อนการเข้าถึงเอกสารที่ผ่านการรับรอง + ไม่เคย & ถามก่อนการเข้าถึงเอกสารรับรอง Never ask before &updating credentials Credentials mean login data requested via browser extension - อย่าถามก่อนและระหว่างการอัปโหลดเอกสารที่ผ่านการรับรอง - - - Only the selected database has to be connected with a client. - ฐานข้อมูลที่ถูกเลือกเท่านั้นที่เชื่อมกับผู้รับบริการ + ไม่เคย & ถามก่อนการอัปโหลดเอกสารรับรอง Searc&h in all opened databases for matching credentials @@ -551,11 +657,11 @@ Please select the correct database for saving credentials. Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - ปรับปรุงข้อมูล KeePassXC หรือเส้นทางของไบนารี keepassxc-proxy โดยอัตโนมัติไปยังการส่งข้อความฉบับดั้งเดิมเมื่อเริ่มต้น + ปรับปรุงข้อมูล KeePassXC หรือคู่ keepassxc-proxy ให้ทันสมัยโดยอัตโนมัติไปยังการส่งข้อความฉบับดั้งเดิมเมื่อเริ่มต้น Update &native messaging manifest files at startup - ปรับปรุงข้อมูลไฟล์รายการให้ทันสมัยเมื่อเริ่มต้น + ปรับปรุงข้อมูลให้ทันสมัยและ ข้อความฉบับดั้งเดิมให้ปรากฏเมื่อเริ่มต้น Support a proxy application between KeePassXC and browser extension. @@ -567,7 +673,7 @@ Please select the correct database for saving credentials. Use a custom proxy location if you installed a proxy manually. - ใช้พร็อกซีแบบกำหนดเอง ในกรณีที่คุณติดตั้งพร็อกซีด้วยตนเอง + ใช้สนับสนุน proxy application หากคุณติดตั้งพรอกซีด้วยตนเอง Use a &custom proxy location @@ -577,11 +683,11 @@ Please select the correct database for saving credentials. Browse... Button for opening file dialog - ดู + ดู... <b>Warning:</b> The following options can be dangerous! - <b> คำเตือน </b> ตัวเลือกต่อไปนี้อาจจะอันตราย + <b>คำเตือน:</b> ตัวเลือกดังต่อไปนี้อาจจะอันตราย! Select custom proxy location @@ -591,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor Browser - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>คำเตือน</b> ไม่พบ keepassxc-proxy application <br />กรุณาตรวจสอบการลงข้อมูลไดเรคทอรี KeePassXC หรือยืนยันตัวเลือกขั้นสูงที่คุณกำหนดเอง <br />การรวมเบราว์เซอร์จะไม่ทำงานถ้าไม่มีพร๊อกซี application <br />เส้นทางที่คาดหวัง - Executable Files ไฟล์ปฏิบัติการ @@ -606,11 +708,11 @@ Please select the correct database for saving credentials. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - ไ่ม่ถามเพื่อขออนุญาติสำหรับ HTTP และ Basic Auth + ไ่ม่ถามเพื่อขออนุญาติสำหรับ HTTP และBasic Auth Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - เนื่องจาก Snap sandbox คุณต้องเรียกใช้สคริปต์เพื่อเปิดใช้งานการรวมเบราว์เซอร์ <br /> คุณสามารถรับสคริปต์นี้จาก %1 + เนื่องจาก Snap sandbox คุณต้องเรียกใช้สคริปต์เพื่อเปิดใช้งานการรวมเบราว์เซอ.<br />คุณสามารถรับสคริปต์นี้จาก% 1 Please see special instructions for browser extension use below @@ -618,14 +720,58 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 - KeePassXC-Browser เป็นสิ่งจำเป็นสำหรับการทำงานร่วมกับเบราว์เซอร์ <br /> Download มันสำหรับ %1 และ %2. %3 + KeePassXC-Browser เป็นสิ่งจำเป็นสำหรับการทำงานร่วมกับเบราว์เซอร์ <br />Download มันสำหรับ %1 และ %2. %3 + + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + BrowserService KeePassXC: New key association request - KeePassXC คำขอกุญแจที่เชื่อมโยงใหม่ + KeePassXC: คำขอกุญแจที่เชื่อมโยงใหม่ You have received an association request for the above key. @@ -634,8 +780,8 @@ If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. คุณได้รับคำร้องขอที่เกี่ยวข้องสำหรับกุญแจด้านบน -ถ้าคุณต้องการอนุญาตมันให้เข้าถึงฐานข้อมูล KeePassXC database -โปรดให้ชื่อเฉพาะเพื่อยืนยันตัวตนและตอบรับมัน +ถ้าคุณต้องการอนุญาติมันให้เข้าถึงฐานข้อมูล KeePassXC database, +โปรดให้ชื่อเฉพาะเพื่อยืนยันตัวตนและตอบรับมัน. Save and allow access @@ -643,21 +789,21 @@ give it a unique name to identify and accept it. KeePassXC: Overwrite existing key? - KeePassXC เขียนทับกุญแจที่มีอยู่เดิม + KeePassXC: เขียนทับกุญแจที่มีอยู่เดิม? A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - กุญแจถอดรหัสลับที่ถูกแบ่งปันด้วยชื่อ "%1" มีอยู่ก่อนแล้ว -คุณต้องการจะเขียนทับมันหรือไม่ + กุญแจถอดรหัสลับที่ถูกแบ่งปันด้วยชื่อ "%1" already exists. +เธอต้องการจะเขียนทับมันหรือไม่? KeePassXC: Update Entry - KeePassXC ปรับปรุงรายการ + KeePassXC: ปรับปรุงรายการ Do you want to update the information in %1 - %2? - เธอต้องการจะปรับปรุงข้อมูลให้ทันสมัยใน %1 - %2 หรือไม่ + เธอต้องการจะปรับปรุงข้อมูลให้ทันสมัยใน %1 - %2 หรือไม่? Abort @@ -674,16 +820,16 @@ Do you want to overwrite it? Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - แปลงคุณสมบัติจากรายการ %1 สำเร็จ -ย้าย %2 กุญแจไปยังข้อมูลที่กำหนดเอง + แปลงคุณลักษณะจากรายการ% 1 สำเร็จ +ย้าย % 2 กุญแจไปยังข้อมูลที่กำหนดเอง Successfully moved %n keys to custom data. - ย้ายกุญแจ %n ไปยังข้อมูลที่กำหนดเองได้สำเร็จ + KeePassXC: No entry with KeePassHTTP attributes found! - KeePassXC ไม่พบรายการที่มีคุณสมบัติ KeePassHTTP + KeePassXC: ไม่พบรายการที่มีคุณสมบัติ KeePassHTTP! The active database does not contain an entry with KeePassHTTP attributes. @@ -691,11 +837,11 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - KeePassXC ตรวจพบการตั้งค่าการรวมเบราว์เซอร์ดั้งเดิม + KeePassXC: ตรวจพบการตั้งค่าการรวมเบราว์เซอร์ดั้งเดิม KeePassXC: Create a new group - KeePassXC สร้างกลุ่มใหม่ + KeePassXC: สร้างกลุ่มใหม่ A request for creating a new group "%1" has been received. @@ -711,6 +857,10 @@ This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? การตั้งค่าเบราว์เซอร์ KeePassXC ของคุณต้องถูกย้ายไปสู่การตั้งค่าฐานข้อมูล นี่จำเป็นต่อการรักษาการเชื่อมต่อเบราว์เซอร์ปัจจุบันของคุณ คุณต้องการย้ายการตั้งค่าที่มีอยู่แล้วตอนนี้หรือไม่ + + Don't show this warning again + ไม่ต้องแสดงคำเตือนนี้อีก + CloneDialog @@ -720,11 +870,11 @@ Would you like to migrate your existing settings now? Append ' - Clone' to title - เติม '- Clone' ต่อท้ายชื่อ + เติม '- โคลน' ต่อท้ายชื่อ Replace username and password with references - แทนที่ชื่อผู้ใช้และรหัสผ่านด้วยข้อมูลอ้างอิง + แทนที่ชื่อผู้ใช้และรหัสผ่านด้วยการอ้างอิง Copy history @@ -739,7 +889,7 @@ Would you like to migrate your existing settings now? filename - ชื่อไฟล์ + ชื่อแฟ้ม size, rows, columns @@ -769,10 +919,6 @@ Would you like to migrate your existing settings now? First record has field names เรคคอร์ดแรกมีชื่อฟิลด์ - - Number of headers line to discard - จำนวนบรรทัดส่วนหัวที่จะไม่สนใจ - Consider '\' an escape character ให้นับ '\' เป็น escape character @@ -783,7 +929,7 @@ Would you like to migrate your existing settings now? Column layout - เค้าโครงหลัก + เค้าโครงคอลัมน์ Not present in CSV file @@ -791,11 +937,11 @@ Would you like to migrate your existing settings now? Imported from CSV file - นำเข้าจากไฟล์ CSV แล้ว + นำเข้าจากแฟ้ม CSV แล้ว Original data: - ข้อมูลต้นฉบับ + ข้อมูลต้นฉบับ: Error @@ -807,7 +953,7 @@ Would you like to migrate your existing settings now? column %1 - หลัก %1 + คอลัมน์ %1 Error(s) detected in CSV file! @@ -815,19 +961,35 @@ Would you like to migrate your existing settings now? [%n more message(s) skipped] - [%n ข้ามข้อความอื่นๆ] + CSV import: writer has errors: %1 - นำเข้า CSV ผู้เขียนมีข้อผิดพลาด %1 + นำเข้า CSV: ผู้เขียนมีข้อผิดพลาด: %1 + + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + CsvParserModel %n column(s) - %n คอลัมน์ + %1, %2, %3 @@ -836,11 +998,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n ไบท์ + %n row(s) - %n แถว + @@ -862,10 +1024,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 เกิดข้อผิดพลาดระหว่างอ่านฐานข้อมูล %1 - - Could not save, database has no file name. - ฐานข้อมูลไม่มีชื่อไฟล์ ไม่สามารถบันทึกได้ - File cannot be written as it is opened in read-only mode. ไม่สามารถเขียนไฟล์ได้เนื่องจากถูกเปิดอยู่ในโหมดอ่านเท่านั้น @@ -874,6 +1032,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! กุญแจไม่ถูกเปลี่ยนแปลง นี่คือจุดบกพร่อง กรุณารายงานไปที่นักพัฒนา + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + ถังขยะ + DatabaseOpenDialog @@ -884,33 +1063,17 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - ใส่กุญแจมาสเตอร์ - Key File: - ไฟล์กุญแจคือ - - - Password: - รหัสผ่านคือ - - - Browse - เรียกดู + แฟ้มกุญแจ: Refresh - รีเฟรช - - - Challenge Response: - การตอบกลับของการตรวจสอบ คือ + เรียกใหม่ Legacy key file format - รูปแบบไฟล์กุญแจแบบดั้งเดิม + นามสกุลไฟล์แบบดั้งเดิมของแฟ้มกุญแจ You are using a legacy key file format which may become @@ -927,31 +1090,107 @@ Please consider generating a new key file. All files - ทุกไฟล์ + ทุกแฟ้ม Key files - ไฟล์กุญแจ + แฟ้มกุญแจ Select key file - เลือกไฟล์กุญแจ + เลือกแฟ้มกุญแจ - TouchID for quick unlock - TouchID สำหรับการปลดล็อคแบบเร็ว + Failed to open key file: %1 + - Unable to open the database: -%1 - ไม่สามารถเปิดฐานข้อมูลได้ -%1 + Select slot... + - Can't open key file: -%1 - ไม่สามารถเปิดไฟล์กุญแจได้ -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + เรียกดู... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + ล้าง + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -973,7 +1212,7 @@ Please consider generating a new key file. Security - การรักษาความปลอดภัย + ความมั่นคง Master Key @@ -981,7 +1220,7 @@ Please consider generating a new key file. Encryption Settings - การตั้งค่าการเข้ารหัสลับ + การตั้งค่าการเข้ารหัส Browser Integration @@ -996,7 +1235,7 @@ Please consider generating a new key file. &Disconnect all browsers - &หยุดการเชื่อมต่อกับทุกเบราว์เซอร์ + หยุดการเชื่อมต่อกับทุกเบราว์เซอร์ (&D) Forg&et all site-specific settings on entries @@ -1012,7 +1251,7 @@ Please consider generating a new key file. Remove - ลบ + นำออก Delete the selected key? @@ -1034,11 +1273,11 @@ This may prevent connection to the browser plugin. Enable Browser Integration to access these settings. - เปิดการใช้ Browser Integration เพื่อเข้าถึงการตั้งค่านี้ + เปิด Browser Integration เพื่อเข้าถึงการตั้งค่านี้ Disconnect all browsers - หยุดการเชื่อมต่อกับทุกเบราว์เซอร์ + ตัดการเชื่อมต่อกับทุกเบราว์เซอร์ Do you really want to disconnect all browsers? @@ -1060,11 +1299,11 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - ลบ %n กุญแจเข้ารหัสลับจากการตั้งค่า KeePassXC สำเร็จ + Forget all site-specific settings on entries - ไม่จำการตั้งค่าเฉพาะสำหรับทุกไซต์บนรายการ + ไม่จำการตั้งค่าเฉพาะไซต์บนรายการ Do you really want forget all site-specific settings on every entry? @@ -1074,23 +1313,23 @@ Permissions to access entries will be revoked. Removing stored permissions… - กำลังลบการอนุญาตที่บันทึกออก + ลบการอนุญาติที่เก็บไว้ออก Abort - ยกเลิกการทำงาน + หยุด KeePassXC: Removed permissions - KeePassXC: การอนุญาตถูกลบออก + KeePassXC: การอนุญาตถูกนำออก Successfully removed permissions from %n entry(s). - ลบการอนุญาตจากรายการ %n + KeePassXC: No entry with permissions found! - KeePassXC: ไม่มีรายการที่ได้รับอนุญาต + KeePassXC: ไม่มีรายการที่ได้รับอนุญาติ The active database does not contain an entry with permissions. @@ -1103,7 +1342,15 @@ Permissions to access entries will be revoked. Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - คุณต้องการที่จะย้ายข้อมูลผสานในเบราว์เซอร์แบบเดิมไปยังมาตรฐานล่าสุดจริงหรือ นี่เป็นสิ่งที่จำเป็นในการรักษาความเข้ากับโปรแกรเสริมของเบราว์เซอร์ + คุณต้องการทีีจะย้ายข้อมูลผสานในเบราว์เซอร์แบบตั้งเดิมไปยังมาตรฐานล่าสุดจริง ๆ หรอ นี่เป็นสิ่งจำเป็นในการรักษาความเข้ากับโปรแกรเสริมของเบราว์เซอร์ + + + Stored browser keys + + + + Remove selected key + @@ -1114,7 +1361,7 @@ This is necessary to maintain compatibility with the browser plugin. AES: 256 Bit (default) - AES: 256 บิต (ค่าเริ่มต้น) + AES: 256 บิต (ค่าปริยาย) Twofish: 256 Bit @@ -1126,7 +1373,7 @@ This is necessary to maintain compatibility with the browser plugin. Transform rounds: - รอบเปลี่ยนรูป + รอบเปลี่ยนรูป: Benchmark 1-second delay @@ -1134,7 +1381,7 @@ This is necessary to maintain compatibility with the browser plugin. Memory Usage: - การใช้หน่วยความจำ + ปริมาณความจำที่ใช้ Parallelism: @@ -1174,11 +1421,13 @@ This is necessary to maintain compatibility with the browser plugin. KDBX 4.0 (recommended) - KDBX 4.0 (แนะนำ) + KDBX 4.0 (แนะนำ) + KDBX 3.1 - KDBX 3.1 + KDBX 3.1 + unchanged @@ -1188,7 +1437,7 @@ This is necessary to maintain compatibility with the browser plugin. Number of rounds too high Key transformation rounds - จำนวนรอบยาวเกินไป + จำนวนรอบมากเกินไป You are using a very high number of key transform rounds with Argon2. @@ -1215,7 +1464,7 @@ If you keep this number, your database may take hours or days (or even longer) t If you keep this number, your database may be too easy to crack! คุณกำลังใช้จำนวนของรอบการแปลงกุญแจกับ AES-KDF ต่ำ -ถ้าคุณใช้จำนวนนี้ ฐานข้อมูลของคุณอาจจะถูกถอดได้อย่างง่าย +ถ้าคุณใช้จำนวนนี้ ฐานข้อมูลของคุณอาจจะถูกถอดได้ง่าย KDF unchanged @@ -1228,12 +1477,12 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + MiB thread(s) Threads for parallel execution (KDF settings) - thread(s) + thread %1 ms @@ -1245,6 +1494,57 @@ If you keep this number, your database may be too easy to crack! seconds %1 วินาที + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + + DatabaseSettingsWidgetGeneral @@ -1254,15 +1554,15 @@ If you keep this number, your database may be too easy to crack! Database name: - ชื่อฐานข้อมูล + ชื่อฐานข้อมูล: Database description: - รายละเอียดฐานข้อมูล + รายละเอียดฐานข้อมูล: Default username: - ค่าเริ่มต้นของชื่อผู้ใช้ + ชื่อผู้ใช้มาตรฐาน: History Settings @@ -1270,15 +1570,15 @@ If you keep this number, your database may be too easy to crack! Max. history items: - จำนวนมากสุดของรายการประวัติ + จำนวนมากสุดของรายการประวัติ: Max. history size: - ขนาดมากสุดของรายการประวัติ + ขนาดมากสุดของรายการประวัติ: MiB - MiB + MiB Use recycle bin @@ -1292,6 +1592,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) การเปิดใช้งานและการบีบอัด (แนะนำ) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1359,16 +1692,143 @@ Are you sure you want to continue without a password? Failed to change master key การเปลี่ยนแปลงกุญแจหลักล้มเหลว + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple Database Name: - ชื่อฐานข้อมูล + ชื่อฐานข้อมูล: Description: - รายละเอียด + รายละเอียด: + + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + ชื่อ + + + Value + ค่า + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + @@ -1379,7 +1839,7 @@ Are you sure you want to continue without a password? All files - ทุกไฟล์ + ทุกแฟ้ม Open database @@ -1387,7 +1847,7 @@ Are you sure you want to continue without a password? CSV file - ไฟล์ CSV + แฟ้ม CSV Merge database @@ -1403,11 +1863,11 @@ Are you sure you want to continue without a password? Export database to CSV file - ส่งออกฐานข้อมูลเป็นไฟล์ CSV + ส่งออกฐานข้อมูลเป็นแฟ้ม CSV Writing the CSV file failed. - การเขียนไฟล์ CSV ล้มเหลว + การเขียนแฟ้ม CSV ล้มเหลว Database creation error @@ -1419,10 +1879,6 @@ This is definitely a bug, please report it to the developers. ฐานข้อมูลที่สร้างขึ้นไม่มีรหัสหรือ KDF ปฏิเสธที่จะบันทึก สิ่งนี้มีจุดบกพร่องแน่นอนโปรดรายงานต่อนักพัฒนาเวป - - The database file does not exist or is not accessible. - ไม่พบไฟล์ฐานข้อมูล หรือไม่สามารถเข้าถึงได้ - Select CSV file เลือกไฟล์ CSV @@ -1434,28 +1890,52 @@ This is definitely a bug, please report it to the developers. %1 [New Database] Database tab name modifier - %1 [ฐานข้อมูลใหม่] + %1 [New Database] %1 [Locked] Database tab name modifier - %1 [ถูกล็อก] + %1 [Locked] %1 [Read-only] Database tab name modifier - %1 [อ่านอย่างเดียว] + %1 [Read-only] + + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + DatabaseWidget Searching... - กำลังค้นหา + ค้นหา... Do you really want to delete the entry "%1" for good? - คุณต้องการจะลบรายการ "%1" ให้หายไปอย่างถาวรจริงหรือไม่ + คุณต้องการจะลบรายการ "%1" ให้หายไปตลอดกาลจริงๆ? Do you really want to move entry "%1" to the recycle bin? @@ -1463,7 +1943,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - คุณต้องการจะลบ %n รายการไปยังถังขยะจริงหรือไม่ + Execute command? @@ -1475,23 +1955,23 @@ This is definitely a bug, please report it to the developers. Remember my choice - จำสิ่งที่ฉันเลือก + จำที่ฉันเลือก Do you really want to delete the group "%1" for good? - คุณต้องการจะลบกลุ่ม "%1" ให้หายไปอย่างถาวรจริงหรือไม่ + คุณต้องการจะลบกลุ่ม "%1" ไปตลอดกาลจริงหรือ? No current database. - ไม่มีฐานข้อมูลปัจจุบัน + ไม่มีฐานข้อมูลขณะนี้ No source database, nothing to do. - ไม่มีฐานข้อมูลต้นทาง ไม่ต้องทำอะไร + ไม่มีฐานข้อมูลต้นทาง ไม่มีงานให้ทำ Search Results (%1) - ผลการค้นหา (%1) + ผลลัพธ์การค้นหา (%1) No Results @@ -1499,7 +1979,7 @@ This is definitely a bug, please report it to the developers. File has changed - ไฟล์เปลี่ยนไปแล้ว + ไฟล์เปลี่ยนแปลงไปแล้ว The database file has changed. Do you want to load the changes? @@ -1507,7 +1987,7 @@ This is definitely a bug, please report it to the developers. Merge Request - คำร้องเพื่อผสาน + ผสานคำร้อง The database file has changed and you have unsaved changes. @@ -1517,7 +1997,7 @@ Do you want to merge your changes? Empty recycle bin? - ล้างถังขยะหรือไม่ + ล้างถังขยะ Are you sure you want to permanently delete everything from your recycle bin? @@ -1525,19 +2005,15 @@ Do you want to merge your changes? Do you really want to delete %n entry(s) for good? - คุณต้องการจะลบ %n รายการอย่างถาวรหรือไม่ + Delete entry(s)? - ลบรายการหรือไม่ + Move entry(s) to recycle bin? - ย้ายรายการไปยังถังขยะหรือไม่ - - - File opened in read only mode. - ไฟล์เปิดแล้วอยู่ในโหมดอ่านอย่างเดียว + Lock Database? @@ -1545,13 +2021,13 @@ Do you want to merge your changes? You are editing an entry. Discard changes and lock anyway? - กำลังอยู่ในระหว่างแก้ไขรายการ คุณต้องการจะยกเลิกการแก้ไขและล็อคตอนนี้จริงหรือไม่ + กำลังอยู่ในระหว่างแก้ไขรายการ คุณต้องการจะยกเลิกและล็อคตอนนี้จริงหรือไม่ "%1" was modified. Save changes? - "%1" ถูกแก้ไขแล้ว -บันทึกการเปลี่ยนแปลงหรือไม่ + "%1" ถูกแก้ไข +บันทึกการเปลี่ยนแปลง? Database was modified. @@ -1561,7 +2037,7 @@ Save changes? Save changes? - บันทึกการเปลี่ยนแปลง? + บันทึกความเปลี่ยนแปลง? Could not open the new database file while attempting to autoreload. @@ -1576,14 +2052,8 @@ Error: %1 KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - KeePassXC ไม่สามารถบันทึกฐานข้อมูลแล้วหลายครั้ง สิ่งนี้อาจทำให้บริการเชื่อมโยงไฟล์ล็อคไฟล์ที่ถูกบันทึกไว้แล้ว + KeePassXC ไม่สามารถบันทึกฐานข้อมูลแล้วหลายครั้ง สิ่งนี้อาจทำให้บริการเชื่อมโยงไฟล์ล็อคไฟล์ที่ถูกบัยทึกไว้แล้ว ปิดการบันทึกแบบปลอดภัยและลองอีกครั้งหรือไม่ - - - Writing the database failed. -%1 - การเขียนฐานข้อมูลล้มเหลว -%1 Passwords @@ -1599,11 +2069,11 @@ Disable safe saves and try again? Replace references to entry? - เปลี่ยนแหล่งอ้างอิงของรายการหรือไม่ + แทนที่การอ้างอิงของรายการหรือไม่ Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - รายการ "%1" มี %2 แหล่งอ้างอิง คุณต้องการจะเขียนทับแหล่งอ้างอิงด้วยค่า หรือข้ามรายการนี้ หรือต้องการลบหรือไม่ + Delete group @@ -1615,7 +2085,7 @@ Disable safe saves and try again? Do you really want to move the group "%1" to the recycle bin? - คุณต้องการย้ายกลุ่ม "%1" ไปถังขยะจริงหรือไม่ + คุณต้องการย้ายกลุ่ม "%1"  ไปถังขยะจริงหรือไม่ Successfully merged the database files. @@ -1629,6 +2099,14 @@ Disable safe saves and try again? Shared group... กลุ่มที่ใช้ร่วมกัน + + Writing the database failed: %1 + เขียนฐานข้อมูลล้มเหลว %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1662,7 +2140,7 @@ Disable safe saves and try again? n/a - n/a + ไม่มีข้อมูล (encrypted) @@ -1674,11 +2152,11 @@ Disable safe saves and try again? File too large to be a private key - ไฟล์ใหญ่เกินกว่าจะเป็นกุญแจส่วนตัว + แฟ้มใหญ่เกินกว่าจะเป็นกุญแจส่วนตัว Failed to open private key - ล้มเหลวระหว่างการเปิดกุญแจส่วนตัว + ผิดพลาดระหว่างการเปิดกุญแจส่วนตัว Entry history @@ -1710,11 +2188,11 @@ Disable safe saves and try again? %n week(s) - %n สัปดาห์ + %n month(s) - %n เดือน + Apply generated password? @@ -1742,12 +2220,24 @@ Disable safe saves and try again? %n year(s) - %n ปี + Confirm Removal ยืนยันการนำออก + + Browser Integration + การทำงานร่วมกับเบราว์เซอร์ + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1787,6 +2277,42 @@ Disable safe saves and try again? Background Color: สีพื้นหลัง + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1816,12 +2342,83 @@ Disable safe saves and try again? Window title: - หัวเรื่องของหน้าต่าง + หัวเรื่องของหน้าต่าง: Use a specific sequence for this association: ใช้ลำดับเฉพาะในการเชื่อมโยง + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + ทั่วไป + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + เพิ่ม + + + Remove + ลบ + + + Edit + + EditEntryWidgetHistory @@ -1841,6 +2438,26 @@ Disable safe saves and try again? Delete all ลบทั้งหมด + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1850,15 +2467,15 @@ Disable safe saves and try again? Password: - รหัสผ่าน + รหัสผ่าน: Repeat: - ทำซ้ำ + ทำซ้ำ: Title: - หัวเรื่อง + หัวเรื่อง: Notes @@ -1874,12 +2491,68 @@ Disable safe saves and try again? Username: - ชื่อผู้ใช้งาน + ชื่อผู้ใช้: Expires หมดอายุ + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1889,7 +2562,7 @@ Disable safe saves and try again? Remove key from agent after - ลบกุญแจออกจากตัวแทน + ลบกุญแจออกหลังจาก agent seconds @@ -1901,7 +2574,7 @@ Disable safe saves and try again? Remove key from agent when database is closed/locked - ลบกุญแจออกจากตัวแทน เมือฐานข้อมูลถูกปิดหรือล๊อค + ลบกุญแจออกจาก agent เมือฐานข้อมูลถูกปิดหรือล๊อค Public key @@ -1909,11 +2582,11 @@ Disable safe saves and try again? Add key to agent when database is opened/unlocked - เพิ่มกุญแจไปยังตัวยแทน เมื่อฐานข้อมูลถูกเปิดออกหรือถูกปลดล๊อด + เพิ่มกุญแจไปยังAgent เมื่อฐานข้อมูลถูกเปิดออกหรือถูกปลดล๊อด Comment - ข้อคิดเห็น + ความเห็น Decrypt @@ -1925,7 +2598,7 @@ Disable safe saves and try again? Copy to clipboard - คัดลอกไปยังคลิปบอร์ด + คัดลอกไปยังคลิปบอร์ด: Private key @@ -1938,7 +2611,7 @@ Disable safe saves and try again? Browse... Button for opening file dialog - เรียกดู... + ดู... Attachment @@ -1956,6 +2629,22 @@ Disable safe saves and try again? Require user confirmation when this key is used จำเป็นต้องยืนยันผู้ใช้เมื่อมีการใช้กุญแจ + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1989,7 +2678,11 @@ Disable safe saves and try again? Inherit from parent group (%1) - รับช่วงจากกลุ่มหลัก (%1) + รับช่วงจากกลุ่มหลัก + + + Entry has unsaved changes + รายการมีการเปลี่ยนแปลงที่ไม่ถูกบันทึก @@ -2012,43 +2705,15 @@ Disable safe saves and try again? Password: - รหัสผ่าน + รหัสผ่าน: Inactive ไม่มีการใช้งาน - - Import from path - นำเข้าจากพาท - - - Export to path - นำออกจากพาท - - - Synchronize with path - เชื่อมต่อกับพาท - - - Your KeePassXC version does not support sharing your container type. Please use %1. - รุ่น KeePassXC ของคุณไม่รับรองประเภทของตัวจัดเก็บที่แบ่งปันไว้ กรุณาใช้ %1 - - - Database sharing is disabled - ปิดการใช้งานการแบ่งปันฐานข้อมูล - - - Database export is disabled - ปิดการใช้งานการนำฐานข้อมูลออก - - - Database import is disabled - ปิดการใช้งานการนำฐานข้อมูลเข้า - KeeShare unsigned container - ที่จัดเก็บที่ไม่ได้เซ็นไว้ของKeeShare + ที่จัดเก็บที่ไม่ได้เซ็นไว้KeeShare KeeShare signed container @@ -2056,7 +2721,7 @@ Disable safe saves and try again? Select import source - เลือกนำฐานข้อมูลที่นำเข้า + เลือกนำเข้าฐานข้อมูล Select export target @@ -2071,16 +2736,74 @@ Disable safe saves and try again? ล้าง - The export container %1 is already referenced. - อ้างอิงการส่งออกที่จัดเก็บ %1แล้ว + Import + นำเข้า - The import container %1 is already imported. - นำเข้าที่จัดเก็บ %1 แล้ว + Export + นำออก - The container %1 imported and export by different groups. - นำเข้าและนำออกที่จัดเก็บ %1 จากกลุ่มต่างๆ + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + @@ -2113,6 +2836,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence ตั้งค่าลำดับ Auto-Type เริ่มต้น + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2138,7 +2889,7 @@ Disable safe saves and try again? Unable to fetch favicon. - ไม่สามารถดึงข้อมูล favicon ได้ + ไม่สามารถดึง favicon ได้ Images @@ -2148,29 +2899,17 @@ Disable safe saves and try again? All files ทุกแฟ้ม - - Custom icon already exists - มีไอคอนที่กำหนดเองอยู่แล้ว - Confirm Delete ยืนยันการลบ - - Custom icon successfully downloaded - ดาวน์โหลดไอคอนที่กำหนดเองสำเร็จ - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - คำแนะนำ: คุณสามารถใช้ DuckDuckGo แสดงแทนได้ที่ เครื่องมือ>การตั้งค่า>ความปลอดภัย - Select Image(s) เลือกรูปภาพ Successfully loaded %1 of %n icon(s) - การโหลดไอคอน %1 ของ %1 ประสบความสำเร็จ + No icons were loaded @@ -2178,34 +2917,70 @@ Disable safe saves and try again? %n icon(s) already exist in the database - %n ไอคอนมีอยู่แล้วในฐานข้อมูล + The following icon(s) failed: - ไอคอนต่อไปนี้ล้มเหลว + This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - ไอคอนนี้ถูกใช้โดย %n เอ็นทรี และจะถูกแทนที่ด้วยไอคอนตั้งต้น คุณแน่ใจหรือไม่ว่าคุณต้องการลบไอคอน + + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + EditWidgetProperties Created: - สร้าง + สร้าง: Modified: - แก้ไข + แก้ไข: Accessed: - เข้าถึง + เข้าถึง: Uuid: - Uuid + Uuid: Plugin Data @@ -2223,7 +2998,7 @@ Disable safe saves and try again? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. คุณต้องการลบข้อมูลโปรแกรมเสริมที่เลือกไว้หรือไม่ -การกระทำนี้อาจจะกระทบโปรแกรมเสริมให้ทำงานผิดพลาด +การกระทำนี้อาจจะกระทบโปรแกรมเสริมให้ไม่ทำงาน Key @@ -2233,12 +3008,36 @@ This may cause the affected plugins to malfunction. Value ค่า + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry %1 - Clone - %1 -ลอกแบบ + ลอกแบบ @@ -2256,7 +3055,7 @@ This may cause the affected plugins to malfunction. EntryAttachmentsWidget Form - รูปแบบ + จาก Add @@ -2280,7 +3079,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - คุณแน่ใจหรือไม่ว่าคุณต้องการลบไฟล์แนบ + คุณแน่ใจหรือว่าคุณต้องการลบแฟ้มแนบ %n Save attachments @@ -2325,7 +3124,28 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 - ไม่สามารถเปิดไฟล์ + ไม่สามารถเปิดแฟ้ม +%1 + + + Attachments + แฟ้มแนบ + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + @@ -2359,7 +3179,7 @@ This may cause the affected plugins to malfunction. Ref: Reference abbreviation - อ้างอิง + อ้างอิง: Group @@ -2395,11 +3215,11 @@ This may cause the affected plugins to malfunction. Created - ถูกสร้าง + สร้าง Modified - แก้ไข + แก้ไข้ Accessed @@ -2420,10 +3240,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - สร้างโทเคน TOTP - Close ปิด @@ -2509,6 +3325,14 @@ This may cause the affected plugins to malfunction. Share แบ่งปัน + + Display current TOTP value + + + + Advanced + ขั้นสูง + EntryView @@ -2542,28 +3366,102 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - ถังขยะ + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children - (ที่ว่าง) + (ที่วาง) HostInstaller KeePassXC: Cannot save file! - KeePassXC: ไม่สามารถบันทึกแฟ้ม + KeePassXC: ไม่สามารถบันทึกแฟ้ม! Cannot save the native messaging script file. ไม่สามารถบันทึกไฟล์สคริปการส่งข้อความดั้งเดิม + + IconDownloaderDialog + + Download Favicons + + + + Cancel + ยกเลิก + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + ปิด + + + URL + URL + + + Status + สถานะ + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + โอเค + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2579,16 +3477,12 @@ This may cause the affected plugins to malfunction. Kdbx3Reader Unable to calculate master key - ไม่สามารถคำนวญกุญแจมาสเตอร์ได้ + ไม่สามารถคำนวญกุญแมาสเตอร์ได้ Unable to issue challenge-response. ไม่สามารถส่งออก รหัสสอบถาม-รหัสตอบกลับ - - Wrong key or database file is corrupt. - รหัสผิดหรือแฟ้มฐานข้อมูลเสียหาย - missing database headers ฐานข้อมูลส่วนหัวหายไป @@ -2599,15 +3493,20 @@ This may cause the affected plugins to malfunction. Invalid header id size - ขนาดบัญชีส่วนหัวไม่ถูกต้อง + ขนาด ID ส่วนหัวไม่ถูกต้อง Invalid header field length - ความยาวของฟิลด์ส่วนหัวไม่ถูกต้อง + ความยาวฟิลด์ส่วนหัวไม่ถูกต้อง Invalid header data length - ความยาวของข้อมูลส่วนหัวไม่ถูกต้อง + ความยาวข้อมูลส่วนหัวไม่ถูกต้อง + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + @@ -2629,7 +3528,7 @@ This may cause the affected plugins to malfunction. Unable to calculate master key - ไม่สามารถคำนวญกุญแจมาสเตอร์ได้ + ไม่สามารถคำนวญกุญแมาสเตอร์ได้ Invalid header checksum size @@ -2639,10 +3538,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch หัวข้อ SHA256 ไม่ตรงกัน - - Wrong key or database file is corrupt. (HMAC mismatch) - กุญแจผิดหรือไฟล์ฐานข้อมูลเสียหาย (HMAC ไม่ตรงกัน) - Unknown cipher การเข้ารหัสที่ไม่รู้จัก @@ -2661,7 +3556,7 @@ This may cause the affected plugins to malfunction. Failed to open buffer for KDF parameters in header - ไม่สามารถเปิดบัฟเฟอร์สำหรับพารามิเตอร์ KDF ในส่วนต้น + การเปิดบัพเพอร์สำหรับพารามิเตอร์ในส่วนหัวล้มเหลว Unsupported key derivation function (KDF) or invalid parameters @@ -2686,27 +3581,27 @@ This may cause the affected plugins to malfunction. Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - ไม่รองรับ KeePass รุ่น variant map + ไม่สนับKeePass รุ่นแผนที่ที่แตกต่าง Invalid variant map entry name length Translation: variant map = data structure for storing meta data - ความยาวชื่อรายการ variant map ไม่ถูกต้อง + ความยาวชื่อรายการ variant map ไม่ถูกต้อง Invalid variant map entry name data Translation: variant map = data structure for storing meta data - ข้อมูลชื่อรายการ variant map ไม่ถูกต้อง + ชื่อข้อมูล variant map ไม่ถูกต้อง Invalid variant map entry value length Translation: variant map = data structure for storing meta data - ความยาวรายการ variant map ไม่ถูกต้อง + ใส่ความยาวรายการ variant map ไม่ถูกต้อง Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - ข้อมูลรายการเริ่มต้น variant map ไม่ถูกต้อง + ข้อมูลรายการ variant map ไม่ถูกต้อง Invalid variant map Bool entry value length @@ -2743,6 +3638,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data ขนาดชนิดของเขตข้อมูล variant map ไม่ถูกต้อง + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2762,7 +3666,8 @@ This may cause the affected plugins to malfunction. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - ล้มเหลวในการลำดับแผนที่แปรผันพารามิเตอร์ KDF + ล้มเหลวในการลำดับแผนที่แปรผันพารามิเตอร์ KDF + @@ -2793,11 +3698,11 @@ This may cause the affected plugins to malfunction. Invalid start bytes size - ขนาดของไบต์เริ่มต้นไม่ถูกต้อง + ขนาดเริ่มต้นไบต์ไม่ถูกต้อง Invalid random stream id size - ขนาด ID สตรีมแบบสุ่มไม่ถูกต้อง + ขนาด ID สตรีมแบบสุ่มไม่ถูกต้อง Invalid inner random stream cipher @@ -2846,7 +3751,7 @@ This is a one-way migration. You won't be able to open the imported databas Missing icon uuid or data - ไอคอน uuid หรือ ข้อมูล หายไป + ไอคอน uuid หรือ ไอคอนข้อมูล หายไป Missing custom data key or value @@ -2902,11 +3807,11 @@ This is a one-way migration. You won't be able to open the imported databas History element with different uuid - ประวัติของส่วนประกอบที่ uuid ต่างกัน + ประวัติขององค์ประกอบที่ uuid ต่างกัน Duplicate custom attribute found - ค้นพบคัดลอกคุณสมบัติที่กำหนดเอง + พบสำเนาคุณสมบัติที่กำหนดเอง Entry string key or value missing @@ -2966,14 +3871,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - นำเข้าฐานข้อมูล KeePass1 - Unable to open the database. ไม่สามารถเปิดฐานข้อมูลดังกล่าว + + Import KeePass1 Database + + KeePass1Reader @@ -3016,7 +3921,7 @@ Line %2, column %3 Invalid number of transform rounds - การแปลงจำนวนรอบของการเปลี่ยนแปลงไม่ถูกต้อง + จำนวนรอบของการเปลี่ยนแปลงไม่ถูกต้อง Unable to construct group tree @@ -3028,11 +3933,7 @@ Line %2, column %3 Unable to calculate master key - ไม่สามารถคำนวญกุญแจมาสเตอร์ได้ - - - Wrong key or database file is corrupt. - รหัสผิดหรือแฟ้มฐานข้อมูลเสียหาย + ไม่สามารถคำนวญกุญแมาสเตอร์ได้ Key transformation failed @@ -3040,31 +3941,31 @@ Line %2, column %3 Invalid group field type number - กรุ๊ปตัวเลขฟิลด์ไทป์ไม่ถูกต้อง + กลุ่มฟิลด์ประเภทตัวเลขไม่ถูกต้อง Invalid group field size - ขนาดกรุ๊ปฟิลด์ไม่ถูกต้อง + กลุ่มฟิลด์ขนาดไม่ถูกต้อง Read group field data doesn't match size - ข้อมูลการอ่านกรุ๊ปฟิลด์ฟิลด์จับคู่ไม่ได้ขนาด + กลุ่มการอ่านข้อมูลฟิลด์จับคู่ไม่ได้ขนาด Incorrect group id field size - ขนาดกรุ๊ปไอดีฟิลด์ไม่ถูกต้อง + ขนาดกลุ่มตัวเลขขนาดไม่ถูกต้อง Incorrect group creation time field size - เวลาการสร้างกรุ๊ปฟิลด์ไม่ถูกต้อง + ขนาดเวลาการสร้างกรุ๊ปฟิลด์ไม่ถูกต้อง Incorrect group modification time field size - การแก้ไขเวลากรุ๊ปฟิลด์ไม่ถูกต้อง + ขนาดการแก้ไขเวลากรุ๊ปฟิลด์ไม่ถูกต้อง Incorrect group access time field size - เวลาการเข้าถึงกรุ๊ปฟิลด์ไม่ถูกต้อง + ขนาดเวลาการเข้าถึงกรุ๊ปฟิลด์ไม่ถูกต้อง Incorrect group expiry time field size @@ -3076,7 +3977,7 @@ Line %2, column %3 Incorrect group level field size - ขนาดเลเวลกรุ๊ปฟิลด์ไม่ถูกต้อง + ขนาดของระดับกรุ๊ปฟิลด์ไม่ถูกต้อง Invalid group field type @@ -3088,7 +3989,7 @@ Line %2, column %3 Missing entry field type number - ตัวเลขเอ็นทรีฟิลด์ไทป์หายไป + ตัวเลขนำเข้าฟิลด์ไทป์หายไป Invalid entry field size @@ -3096,7 +3997,7 @@ Line %2, column %3 Read entry field data doesn't match size - ขนาดการอ่านข้อมูลเอ็นทรีฟิลด์ไม่เหมาะสมกับขนาด + ขนาดการอ่านข้อมูลเอ็นทรีฟิล์ดไม่เหมาะสมกับขนาด Invalid entry uuid field size @@ -3130,40 +4031,57 @@ Line %2, column %3 unable to seek to content position ไม่สามารถที่จะหาตำแหน่งเนื้อหาได้ + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - ไม่สามารถแบ่งปันได้ + Invalid sharing reference + - Import from - นำเข้ามาจาก + Inactive share %1 + - Export to - นำออกไปที่ + Imported from %1 + นำเข้า จาก 1% - Synchronize with - เชื่อมต่อกับ + Exported to %1 + - Disabled share %1 - ไม่สามารถแบ่งปัน %1 + Synchronized with %1 + - Import from share %1 - นำเข้ามาจากส่วนแบ่ง %1 + Import is disabled in settings + - Export to share %1 - นำออกไปที่ส่วนแบ่ง %1 + Export is disabled in settings + - Synchronize with share %1 - เชื่อมต่อกับส่วนแบ่ง %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3202,15 +4120,11 @@ Line %2, column %3 %1 set, click to change or remove Change or remove a key component - ตั้งค่า %1 คลิกเพื่อเปลี่ยนแปลงหรือยกเลิก + ตั้งค่า %1 คลิกเพื่อเปลี่ยนแปลงหรือยลบออก KeyFileEditWidget - - Browse - ดู - Generate สร้าง @@ -3225,15 +4139,16 @@ Line %2, column %3 Legacy key file format - นามสกุลไฟล์ของแฟ้มกุญแจ + นามสกุลไฟล์แบบดั้งเดิมของแฟ้มกุญแจ You are using a legacy key file format which may become unsupported in the future. Please go to the master key settings and generate a new key file. - คุณกำลังใช้งานนามสกุลไฟล์ของแฟ้มกุญแจที่ -อาจไม่รับรองในอนาคต + คุณกำลังใช้งานนามสกุลไฟล์แบบดั้งเดิมของแฟ้มกุญแจที่ +อาจ +ไม่รองรับในอนาคต กรุณาไปที่การตั้งค่ากุญแจมาสเตอร์และสร้างแฟ้มกุญแจใหม่ @@ -3260,12 +4175,49 @@ Message: %2 Unable to create key file: %1 - ไม่สามารถสร้างแฟ้มกุญแจ %1 + รายการ (&E) Select a key file เลือกแฟ้มกุญแจ + + Key file selection + + + + Browse for key file + + + + Browse... + เรียกดู... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3353,10 +4305,6 @@ Message: %2 &Settings การตั้งค่า (&S) - - Password Generator - ตัวสร้างรหัสผ่าน - &Lock databases ล็อกฐานข้อมูล (&L) @@ -3367,7 +4315,7 @@ Message: %2 Copy title to clipboard - คัดลอกหัวข้อไปยังคลิปบอร์ด + คัดหัวข้อไปยังคลิปบอร์ด &URL @@ -3399,7 +4347,7 @@ Message: %2 E&mpty recycle bin - ล้างถังรีไซเคิล + เทถังรีไซเคิลทิ้ง (&M) Clear history @@ -3435,7 +4383,7 @@ This version is not meant for production use. &Donate - บริจาค + ึ&บริจาค Report a &bug @@ -3461,19 +4409,19 @@ We recommend you use the AppImage available on our downloads page. &New database... - ฐานข้อมูลใหม่ + ข้อมูลใหม่ Create a new database - สร้างฐานข้อมูลใหม่ + สร้าง{ฐานข้อมูลใหม่ &Merge from database... - รวมฐานข้อมูล + ผสานจากฐานข้อมูล Merge from another KDBX database - รวมฐานข้อมูลKDBXอีกชุด + ผสานจากฐานข้อมูลKDBXอีกอัน &New entry @@ -3485,11 +4433,11 @@ We recommend you use the AppImage available on our downloads page. &Edit entry - แก้ไขรายการ + แก้ไข้รายการ View or edit entry - ดู หรือ แก้ไขรายการ + ดูหรือแก้ไข้รายการ &New group @@ -3501,7 +4449,7 @@ We recommend you use the AppImage available on our downloads page. Change master &key... - เปลี่ยนแปลงกุญแจมาสเตอร์ + เปลี่ยนกุญแจมาสเตอร์ &Database settings... @@ -3521,11 +4469,12 @@ We recommend you use the AppImage available on our downloads page. KeePass 1 database... - ฐานข้อมูล KeePass1 + ฐานข้อมูล KeePass1 + Import a KeePass 1 database - นำเข้า ฐานข้อมูล KeePass1... + นำเข้าฐานข้อมูล KeePass 1 CSV file... @@ -3537,43 +4486,104 @@ We recommend you use the AppImage available on our downloads page. Show TOTP... - แสดง TOTP + โชว์ TOTP Show TOTP QR Code... แสดง TOTP QR Code - - Check for Updates... - คลิ๊กเพื่ออัพเดต - - - Share entry - แบ่งปัน รายการ - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - หมายเหตุ คุณกำลังใช้งาน KeePassXC รุ่นก่อนวางจำหน่าย คาดว่าข้อบกพร่องบางอย่างและปัญหาเล็กน้อย รุ่นนี้ไม่ได้มีไว้สำหรับการใช้งานจริง + หมายเหตุ: คุณกำลังใช้งาน KeePassXC รุ่นก่อนวางจำหน่าย! คาดว่าข้อบกพร่องบางอย่างและปัญหาเล็กน้อย รุ่นนี้ไม่ได้มีไว้สำหรับการใช้งานจริง Check for updates on startup? - ตรวจสอบการอัปเดทเมื่อเริ่มโปรแกรม + คลิ๊กเพื่ออัพเดตบน Startup Would you like KeePassXC to check for updates on startup? - คุณต้องการให้ KeePassXC ตรวจสอบเพื่ออัปเดตคลิกที่ปุ่มเปิด + คุณต้องการให้ KeePassXC ตรวจสอบการอัปเดตเมื่อเริ่มต้นหรือไม่? You can always check for updates manually from the application menu. - คุณสามารถตรวจสอบการอัปเดตได้ด้วยตนเองจากเมนูแอปพลิเคชัน + คุณสามารถตรวจสอบการอัปเดตได้ด้วยตนเองจากเมนูแอปพลิเคชัน + + + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + ดาวน์โหลด favicon + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + Merger Creating missing %1 [%2] - กำลังสร้างส่วนที่หายไป %1 [%2] + กำลังสร้างส่วนที่หายไป %1 [%2] Relocating %1 [%2] @@ -3585,7 +4595,7 @@ Expect some bugs and minor issues, this version is not meant for production use. older entry merged from database "%1" - รวมข้อมูลที่เก่ากว่าเข้ากับฐานข้อมูล "% 1" + รายการที่เก่ากว่าผสานจากฐานข้อมูล "% 1" Adding backup for older target %1 [%2] @@ -3601,7 +4611,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Reapplying older source entry on top of newer target %1 [%2] - การนำรายการแหล่งข้อมูลเก่ามาใช้ใหม่ที่ด้านบนของเป้าหมายใหม่กว่า% 1 [% 2] + Reapplying older source entry on top of newer target %1 [%2] Synchronizing from newer source %1 [%2] @@ -3609,15 +4619,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Synchronizing from older source %1 [%2] - เชื่อมต่อจากฐานข้อมูลเดิม %1 [%2] + เชื่อมต่อจากฐานข้อมูลเก่า %1 [%2] Deleting child %1 [%2] - ลบข้อมูลลูก %1 [%2] + ลบส่วนเด็ก %1 [%2] Deleting orphan %1 [%2] - ลบข้อมูลกำพร้า %1 [%2] + ลบส่วนกำพร้า %1 [%2] Changed deleted objects @@ -3625,7 +4635,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 - เพิ่มไอคอนขาดหายไป % 1 + กำลังเพิ่มไอคอนขาดหายไป % 1 + + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + @@ -3671,7 +4689,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. - ที่นี่คุณสามารถปรับการตั้งค่าการเข้ารหัสฐานข้อมูล ไม่ต้องกังวลคุณสามารถเปลี่ยนได้ในภายหลังในการตั้งค่าฐานข้อมูล + ที่นี่คุณสามารถปรับการตั้งค่าการเข้ารหัสฐานข้อมูล ไม่ต้องกังวลคุณสามารถเปลี่ยนได้ในภายหลังในการตั้งค่า ฐานข้อมูล @@ -3682,7 +4700,7 @@ Expect some bugs and minor issues, this version is not meant for production use. A master key known only to you protects your database. - กุญแจมาสเตอร์ ที่คุณรู้จักเท่านั้นที่คุณจะปกป้อง ฐานข้อมูล + กุญแจหลักที่คุณรู้จักเท่านั้นที่คุณจะปกป้อง ฐานข้อมูล @@ -3693,14 +4711,80 @@ Expect some bugs and minor issues, this version is not meant for production use. Please fill in the display name and an optional description for your new database: - กรุณากรอกชื่อที่แสดง และคำอธิบายเพิ่มเติมสำหรับ ฐานข้อมูล ใหม่ของคุณ + กรุณากรอกชื่อที่แสดง และคำอธิบายเพิ่มเติมสำหรับ ฐานข้อมูล ใหม่ของคุณ: + + + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + OpenSSHKey Invalid key file, expecting an OpenSSH key - แฟ้มกุญแจ ไม่ถูกต้อง คาดว่าจะมี กุญแจ OpenSSH + แฟ้มกุญแจไม่ถูกต้อง คาดว่าจะมี กุญแจ OpenSSH PEM boundary mismatch @@ -3712,15 +4796,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Key file way too small. - แฟ้มกุญแจ มีขนาดเล็กมาก + แฟ้มกุญแจมีขนาดเล็กมาก Key file magic header id invalid - รหัสหัวไฟล์กุญแจเมจิกไม่ถูกต้อง + รหัสหัวแฟ้มกุญแจเมจิกไม่ถูกต้อง Found zero keys - ไมพบกุญแจ + พบกุญแจศูนย์ Failed to read public key. @@ -3740,23 +4824,23 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase is required to decrypt this key - จำเป็นต้องใช้วลีรหัสผ่านเพื่อถอดรหัสผ่านกุญแจนี้ + จำเป็นต้องใช้วลีรหัสผ่านเพืื่อถอดรหัสผ่านกุญแจนี้ Key derivation failed, key file corrupted? - การสร้างกุญแจล้มเหลว ไฟล์กุญแจมีปัญหาหรือไม่ + การสร้างกุญแจล้มเหลว ไฟล์กุญแจมีปัญหาหรือป่าว Decryption failed, wrong passphrase? - การถอดรหัสลับล้มเหลว ใส่วลีรหัสผ่านผิดหรือไม่ + การถอดรหัสลับล้มเหลว ใส่วลีรหัสผ่านผิดหรือป่าว Unexpected EOF while reading public key - เกิด EOF ที่ไม่คาดคิดขณะอ่านกุญแจสาธารณะ + เกิด EOF อย่างไม่คาดคิดขณะอ่านกุญแจสาธารณะ Unexpected EOF while reading private key - เกิด EOF ที่ไม่คาดคิดขณะอ่านกุญแจส่วนตัว + เกิด EOF อย่างไม่คาดคิดขณะอ่านกุญแจส่วนตัว Can't write public key as it is empty @@ -3764,7 +4848,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Unexpected EOF when writing public key - เกิด EOF ที่ไม่คาดคิดขณะเขียนกุญแจสาธารณะ + เกิด EOF อย่างไม่คาดคิดขณะเขียนกุญแจสาธารณะ Can't write private key as it is empty @@ -3772,7 +4856,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Unexpected EOF when writing private key - เกิด EOF ที่ไม่คาดคิดขณะเขียนกุญแจส่วนตัว + เกิด EOF อย่างไม่คาดคิดขณะเขียนกุญแจส่วนตัว Unsupported key type: %1 @@ -3780,7 +4864,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown cipher: %1 - การเข้ารหัสที่ไม่รู้จัก: %1 + การเข้ารหัสไม่รู้จัก: %1 Cipher IV is too short for MD5 kdf @@ -3792,14 +4876,25 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown key type: %1 - ประเภทกุญแจที่ไม่รู้จัก: %1 + KDF ที่ไม่รู้จัก: %1 + + + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + PasswordEditWidget Enter password: - กรอกรหัสผ่าน + ป้อนรหัสผ่าน: Confirm password: @@ -3811,7 +4906,7 @@ Expect some bugs and minor issues, this version is not meant for production use. <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - <p>รหัสผ่านเป็นวิธีพื้นฐานในการปกป้องฐานข้อมูลของคุณ</p><p>รหัสผ่านที่ดีควรยาวและมีเอกลักษณ์ KeePassXC สร้างรหัสผ่านให้คุณได้</p> + <p>รหัสผ่านเป็นวิธีพื้นฐานในการปกป้องฐานข้อมูลของคุณ</p><p>รหัสผ่านที่ดีควรยาวและแตกต่าง KeePassXC สร้างรหัสผ่านให้คุณได้</p> Passwords do not match. @@ -3821,6 +4916,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password สร้างรหัสผ่านหลัก + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3830,7 +4941,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Password: - รหัสผ่าน + รหัสผ่าน: strength @@ -3849,22 +4960,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types ชนิดอักขระ - - Upper Case Letters - อักษรตัวพิมพ์ใหญ่ - - - Lower Case Letters - อักษรตัวพิมพ์เล็ก - Numbers ตัวเลข - - Special Characters - อักขระพิเศษ - Extended ASCII Extended ASCII @@ -3880,7 +4979,7 @@ Expect some bugs and minor issues, this version is not meant for production use. &Length: - ความยาว (&L) + ความยาว (&L): Passphrase @@ -3888,11 +4987,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Wordlist: - รายการคำ + รายการคำ: Word Separator: - ตัวแบ่งคำ + ตัวแบ่งคำ: Copy @@ -3936,28 +5035,20 @@ Expect some bugs and minor issues, this version is not meant for production use. ExtendedASCII - ExtendedASCII + ASCII เพิ่มเติม Switch to advanced mode - เปลี่ยนเป็นโหมดใช้งานขั้นสูง + เปลี่ยนเป็นโหมดขั้นสูง Advanced ขั้นสูง - - Upper Case Letters A to F - ตัวอักษรตัวพิมพ์ใหญ่ A ถึง F - A-Z A-Z - - Lower Case Letters A to F - ตัวอักษรตัวพิมพ์เล็ก A ถึง F - a-z a-z @@ -3990,18 +5081,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - คณิตศาสตร์ - <*+!?= <*+!?= - - Dashes - ขีดคั่นตรงกลาง - \_|-/ \_|-/ @@ -4016,7 +5099,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Switch to simple mode - สลับเป็นโหมดง่าย + สลับเป็นโหมดง่าย ๆ Simple @@ -4028,15 +5111,15 @@ Expect some bugs and minor issues, this version is not meant for production use. Do not include: - ไม่รวม + ไม่รวม: Add non-hex letters to "do not include" list - เพิ่มตัวอักขระที่ไม่ใช่เลขฐานสิบหกในรายการ "ห้ามรวม" + เพิ่มตัวอักษรที่ไม่ใช่ฐานหกเหลี่ยมในรายการ "ห้ามรวม" Hex - เลขฐานสิบหก + เครื่องหมายหกเหลี่ยม Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" @@ -4044,12 +5127,80 @@ Expect some bugs and minor issues, this version is not meant for production use. Word Co&unt: - คำ Co&unt คือ + คำ Co&unt: Regenerate สร้างใหม่ + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4057,12 +5208,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - เลือก + Statistics + @@ -4099,6 +5247,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge ผสาน + + Continue + + QObject @@ -4108,11 +5260,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Database hash not available - ฐานข้อมูล hash ไม่พร้อมใช้งาน + ฐานข้อมูลhash ไม่พร้อมใช้งาน Client public key not received - ไม่ได้รับกุญแจสาธารณะของผู้รับบริการ + Client public key not receivedไม่ได้รับกุญแจสาธารณะของผู้รับบริการ Cannot decrypt message @@ -4124,7 +5276,7 @@ Expect some bugs and minor issues, this version is not meant for production use. KeePassXC association failed, try again - การเชื่อมโยง KeePassXC ล้มเหลว ลองอีกครั้ง + การเชื่อมโยง KeePassXC ล้มเหลว, ลองอีกครั้ง Encryption key is not recognized @@ -4132,7 +5284,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Incorrect action - การดำเนินการที่ไม่ถูกต้อง + การกระทำที่ไม่ถูกต้อง Empty message received @@ -4140,7 +5292,7 @@ Expect some bugs and minor issues, this version is not meant for production use. No URL provided - ไม่ได้ระบุ URL + ไม่มี URL ให้มา No logins found @@ -4148,7 +5300,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Unknown error - ความผิดพลาดที่ไม่อาจระบุได้ + ความผิดพลาดที่ไม่รู้จัก Add a new entry to a database. @@ -4190,10 +5342,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. สร้างรหัสผ่านสำหรับรายการ - - Length for the generated password. - ความยาวสำหรับรหัสผ่านที่สร้างขึ้น - length ความยาว @@ -4213,7 +5361,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Timeout in seconds before clearing the clipboard. - ใกล้หมดเวลาก่อนที่จะล้างคลิปบอร์ด + หมดเวลานับเป็นวินาทีก่อนที่จะล้างคลิปบอร์ด Edit an entry. @@ -4225,11 +5373,11 @@ Expect some bugs and minor issues, this version is not meant for production use. title - หัวข้อ + หัวเรื่อง Path of the entry to edit. - เส้นทางของรายการที่จะแก้ไข + เส้นทางของรายการเพื่อไปแก้ไข Estimate the entropy of a password. @@ -4243,18 +5391,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. วิเคราะห์รหัสผ่านชั้นสูง - - Extract and print the content of a database. - แตกไฟล์และพิมพ์เนื้อหาของฐานข้อมูล - - - Path of the database to extract. - เส้นทางของฐานข้อมูลที่จะสกัดเนื้อหา - - - Insert password to unlock %1: - กรอกรหัสผ่านเพื่อปลดล็อค %1 - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4281,7 +5417,7 @@ Available commands: List database entries. - แสดงรายการฐานข้อมูล + แจงรายการฐานข้อมูล Path of the group to list. Default is / @@ -4293,15 +5429,11 @@ Available commands: Search term. - คำที่ใช้ค้นหา + คำค้น Merge two databases. - ผสานสองฐานข้อมูลเข้าด้วยกัน - - - Path of the database to merge into. - เส้นทางของฐานข้อมูลที่จะผสานเข้าไป + ผสานสองฐานข้อมูล Path of the database to merge from. @@ -4309,7 +5441,7 @@ Available commands: Use the same credentials for both database files. - ใช้ข้อมูลประจำตัวชุดเดียวกันเพื่อเข้าระบบสำหรับไฟล์ฐานข้อมูลทั้งคู่ + ใช้ข้อมูลประจำตัวเพื่อเข้าระบบเดียวกันสำหรับไฟล์ฐานข้อมูลทั้งคู่ Key file of the database to merge from. @@ -4321,7 +5453,7 @@ Available commands: Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - ชื่อของคุณสมบัติที่จะแสดง ตัวเลือกนี้สามารถถูกระบุได้มากกว่าหนึ่งครั้ง โดยคุณสมบัติถูกแสดงบรรทัดอันหนึ่งอันตามลำดับ ถ้าไม่มีคุณสมบัติใดถูกระบุ คุณสมบัติเริ่มต้นจะถูกเลือกแทน + ชื่อของคุณสมบัติที่จะแสดง ตัวเลือกนี้สามารถถูกระบุได้มากกว่าหนึ่งครั้ง โดยคุณสมบัติถูกแสดงบรรทัดอะหนึ่งอันตามลำดับ ถ้าไม่มีคุณสมบัติใดถูกระบุ คุณสมบัติเริ่มต้นจะถูกเลือกแทน attribute @@ -4345,7 +5477,7 @@ Available commands: missing closing quote - เครื่องหมายปิดคำพูดหายไป + ไม่มีเครื่องหมายคำพูดปิด Group @@ -4353,7 +5485,7 @@ Available commands: Title - หัวข้อ + หัวเรื่อง Username @@ -4369,20 +5501,16 @@ Available commands: Last Modified - ถูกแก้ไขล่าสุด + แก้ไขล่าสุด Created - ถูกสร้าง + สร้าง Browser Integration การทำงานร่วมกับเบราว์เซอร์ - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] การตอบกลับของการตรวจสอบ - Slot %2 - %3 - Press กด @@ -4407,27 +5535,23 @@ Available commands: Wordlist for the diceware generator. [Default: EFF English] รายการคำสำหรับการสร้าง diceware -[ค่าเริ่มต้น: EFF ภาษาอังกฤษ] +[ค่าเริ่มต้น: EFF English] Generate a new random password. สร้างรหัสผ่านใหม่แบบสุ่ม - - Invalid value for password length %1. - ค่าไม่ถูกต้องสำหรับความยาวของรหัสผ่าน %1 - Could not create entry with path %1. ไม่สามารถสร้างรายการด้วยเส้นทาง %1 Enter password for new entry: - ใส่รหัสผ่านสำหรับรายการใหม่ + ใส่รหัสผ่านสำหรับรายการใหม่: Writing the database failed %1. - การเขียนฐานข้อมูลล้มเหลว %1 + การเขียนฐานข้อมูลล้มเหลว %1 Successfully added entry %1. @@ -4439,7 +5563,7 @@ Available commands: Invalid timeout value %1. - ค่าหมดเวลาไม่ถูกต้อง %1 + ค่า timeout ไม่ถูกต้อง %1 Entry %1 not found. @@ -4459,7 +5583,7 @@ Available commands: Clearing the clipboard in %1 second(s)... - ล้างข้อมูลคลิปบอร์ดใน %1 วินาที + Clipboard cleared! @@ -4474,10 +5598,6 @@ Available commands: CLI parameter การนับจำนวน - - Invalid value for password length: %1 - ค่าความยาวรหัสผ่านไม่ถูกต้อง %1 - Could not find entry with path %1. ไม่สามารถหารายการสำหรับเส้นทาง %1 @@ -4488,11 +5608,11 @@ Available commands: Enter new password for entry: - ใส่รหัสผ่านใหม่สำหรับรายการ + ใส่รหัสผ่านใหม่สำหรับรายการ: Writing the database failed: %1 - เขียนฐานข้อมูลล้มเหลว %1 + เขียนฐานข้อมูลล้มเหลว: %1 Successfully edited entry %1. @@ -4516,11 +5636,11 @@ Available commands: Type: Bruteforce - ชนิด บรู๊ทฟอร์ส + ชนิด: บรู๊ทฟอร์ส Type: Dictionary - ชนิด ไดเรคทอรี + ชนิด: พจนานุกรม Type: Dict+Leet @@ -4528,7 +5648,7 @@ Available commands: Type: User Words - ชนิด: User Words + พิมพ์: User Words Type: User+Leet @@ -4602,24 +5722,6 @@ Available commands: Failed to load key file %1: %2 การโหลดไฟล์กุญแจล้มเหลว %1: %2 - - File %1 does not exist. - ไม่มีไฟล์ %1 - - - Unable to open file %1. - ไม่สามารถเปิดไฟล์ %1 - - - Error while reading the database: -%1 - เกิดความล้มเหลวขณะอ่านฐานข้อมูล: %1 - - - Error while parsing the database: -%1 - เกิดความล้มเหลวขณะแจงส่วนฐานข้อมูล: %1 - Length of the generated password ความยาวของรหัสผ่านที่สร้างแล้ว @@ -4632,10 +5734,6 @@ Available commands: Use uppercase characters ใช้ตัวพิมพ์ใหญ่ - - Use numbers. - ใช้ตัวเลข - Use special characters ใช้อักขระพิเศษ @@ -4671,15 +5769,15 @@ Available commands: Error reading merge file: %1 - การอ่านไฟล์ที่รวมกันล้มเหลวคือ %1 + การอ่านไฟล์ที่รวมกันล้มเหลว: %1 Unable to save database to file : %1 - ไม่สามารถบันทึกฐานข้อมูลไปยังไฟล์คือ %1 + ไม่สามารถบันทึกฐานข้อมูลไปยังไฟล์ : %1 Unable to save database to file: %1 - ไม่สามารถบันทึกฐานข้อมูลไปยังไฟล์คือ %1 + ไม่สามารถบันทึกฐานข้อมูลไปยังไฟล์ : %1 Successfully recycled entry %1. @@ -4699,7 +5797,7 @@ Available commands: No program defined for clipboard manipulation - ไม่มีโปรแกรมกำหนดสำหรับการจัดการคลิปบอร์ด + ไม่มีโปรแกรมกำหนดการดำเนินการคลิปบอร์ด Unable to start program %1 @@ -4769,31 +5867,23 @@ Available commands: No key is set. Aborting database creation. - ไม่มีการตั้งค่ากุญแจ ยกเลิกการสร้างฐานข้อมูล + ไม่มีการตั้งค่ากุญแจ การยกเลิกการสร้างฐานข้อมูล Failed to save the database: %1. - การบันทึกฐานข้อมูลล้มเหลว % 1 + การบันทึกฐานข้อมูลล้มเหลว:% 1 Successfully created new database. การสร้างฐานข้อมูลใหม่ประสบความสำเร็จ - - Insert password to encrypt database (Press enter to leave blank): - ใส่รหัสผ่านเพื่อเข้ารหัสลับฐานข้อมูล (กด Enter เพื่อเว้นว่างไว้) - Creating KeyFile %1 failed: %2 การสร้างกุญแจไฟล์ %1 ล้มเหลว: %2 Loading KeyFile %1 failed: %2 - การโหลดกุญแจไฟล์ % 1 ล้มเหลว:% 2 - - - Remove an entry from the database. - ลบรายการออกจากฐานข้อมูล + การโหลด KeyFile% 1 ล้มเหลว:% 2 Path of the entry to remove. @@ -4801,11 +5891,11 @@ Available commands: Existing single-instance lock file is invalid. Launching new instance. - ไฟล์ single-instance lock ที่มีอยู่ไม่ถูกต้อง เปิด instance ใหม่ + Existing single-instance lock file ที่มีอยู่ไม่ถูกต้อง. เปิด instance ใหม่ The lock file could not be created. Single-instance mode disabled. - ไม่สามารถสร้าง lock file ได้ โหมด Single-instance ถูกปิดใช้งาน + ไม่สามารถสร้าง lock file ได้. โหมด Single-instance ถูกปิดใช้งาน. KeePassXC - cross-platform password manager @@ -4825,15 +5915,15 @@ Available commands: read password of the database from stdin - อ่านรหัสผ่านของฐานข้อมูลจาก stdin + อ่านรหัสผ่านของฐานข้อมูลจาก stdin Parent window handle - จัดการหน้าต่างหลัก + หมายเลขอ้างอิงหน้าต่างหลัก Another instance of KeePassXC is already running. - อีกอินสแตนซ์ของ KeePassXC กำลังทำงานอยู่ + อีกตัวอย่างหนึ่งของ KeePassXC กำลังทำงานอยู่ Fatal error while testing the cryptographic functions. @@ -4845,45 +5935,369 @@ Available commands: Database password: - รหัสผ่านฐานข้อมูล + รหัสผ่านฐานข้อมูล: Cannot create new group ไม่สามารถสร้างกลุ่มใหม่ได้ + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + + + + Build Type: %1 + + + + Revision: %1 + การปรับปรุง: %1 + + + Distribution: %1 + การจัดจำหน่าย: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + ระบบปฏิบัติการ: %1 +สถาปัตยกรรม CPU: %2 +เคอร์เนล: %3 %4 + + + Auto-Type + Auto-Type + + + KeeShare (signed and unsigned sharing) + + + + KeeShare (only signed sharing) + + + + KeeShare (only unsigned sharing) + + + + YubiKey + + + + TouchID + + + + None + + + + Enabled extensions: + ส่วนขยายที่เปิดใช้: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + ฐานข้อมูลไม่ถูกเปลี่ยนแปลงโดยการดำเนินการผสาน + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor Internal zlib error when compressing: - เกิดข้อผิดพลาด zlib ภายในในระหว่างการบีบอัด + เกิดข้อผิดพลาด zlib ภายในในระหว่างการบีบอัด: Error writing to underlying device: - เกิดข้อผิดพลาดในการเขียนไปยังอุปกรณ์ที่รองรับ + เกิดข้อผิดพลาดในการเขียนไปยังอุปกรณ์ที่รองรับ: Error opening underlying device: - เกิดข้อผิดพลาดในการเปิดอุปกรณ์อ้างอิง + เกิดข้อผิดพลาดในการเปิดอุปกรณ์อ้างอิง: Error reading data from underlying device: - เกิดข้อผิดพลาดในการอ่านอุปกรณ์อ้างอิง + เกิดข้อผิดพลาดในการอ่านอุปกรณ์อ้างอิง: Internal zlib error when decompressing: - ข้อผิดพลาด zlib ภายในเมื่อคลายการบีบอัด + ข้อผิดพลาด zlib ภายในเมื่อคลายการบีบอัด: QtIOCompressor::open The gzip format not supported in this version of zlib. - รูปแบบ gzip ไม่รองรับ zlib เวอร์ชั่นนี้ + รูปแบบ gzip ไม่รองรับ zlib รุ่นนี้ Internal zlib error: - ความผิดพลาดภายในของ zlib + ความผิดพลาดภายในของ zlib: @@ -4906,7 +6320,7 @@ Available commands: Agent refused this identity. Possible reasons include: - ตัวแทนปฏิเสธตัวตนนี้ เหตุผลที่เป็นไปได้คือ + ตัวแทนปฏิเสธตัวตนนี้ เหตุผลที่เป็นไปได้ได้แก่ The key has already been added. @@ -4945,7 +6359,7 @@ Available commands: match term exactly - การจับคู่คำสอดคล้องกัน + การจับคู่คำสอดคล้อง use regex in term @@ -4988,7 +6402,7 @@ Available commands: Limit search to selected group - จำกัดการค้นไว้สำหรับเฉพาะกลุ่มที่เลือก + จำกัดการค้นไว้เฉพาะในกลุ่มที่เลือก Search Help @@ -5004,6 +6418,93 @@ Available commands: คำนึงถึงอักษรทั้งตัวใหญ่และเล็ก + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + ทั่วไป + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + กลุ่ม + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + การตั้งค่าฐานข้อมูล + + + Edit database settings + + + + Unlock database + ปลดล็อกฐานข้อมูล + + + Unlock database to show more information + + + + Lock database + ล็อกฐานข้อมูล + + + Unlock to show + + + + None + + + SettingsWidgetKeeShare @@ -5036,7 +6537,7 @@ Available commands: Key: - กุญแจ + กุญแจ: Generate @@ -5109,7 +6610,7 @@ Available commands: All files - ทุกไฟล์ + ทุกแฟ้ม Select path @@ -5117,7 +6618,7 @@ Available commands: Exporting changed certificate - นำออกใบรับรองที่เปลี่ยนแปลงแล้ว + นำใบรับรองที่เปลี่ยนแปลงแล้วออก The exported certificate is not the same as the one in use. Do you want to export the current certificate? @@ -5127,9 +6628,100 @@ Available commands: Signer: ผู้ลงชื่อ + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + กุญแจ + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + ไม่สามารถเขียนทับที่จัดเก็บ ที่แบ่งปันไว้ และเซ็นแล้ว- ไม่อนุญาตการนำออก + + + Could not write export container (%1) + ไม่สามารถเขียนที่จัดเก็บที่ส่งออกได้ (%1) + + + Could not embed signature: Could not open file to write (%1) + ไม่สามารถฝังลายเซ็น ไม่สามารถเปิดไฟล์เพือเขียน (%1) + + + Could not embed signature: Could not write file (%1) + ไม่สามารถฝังลายเซ็น ไม่สามารถเขียนไฟล์ (%1) + + + Could not embed database: Could not open file to write (%1) + ไม่สามารถฝังฐานข้อมูล ไม่สามารถเปิดไฟล์เพื่อทำการเขียน (%1) + + + Could not embed database: Could not write file (%1) + ไม่สามารถฝังฐานข้อมูล ไม่สามารถเขียนไฟล์ได้ (%1) + + + Overwriting unsigned share container is not supported - export prevented + ไม่รองรับการเขียนทับการแชร์ที่จัดเก็บที่ไม่ได้ลงชื่อ - ป้องกันการส่งออก + + + Could not write export container + ไม่สามารถนำออกที่จัดเก็บได้ + + + Unexpected export error occurred + เกิดข้อผิดพลาดในการส่งออกที่ไม่คาดคิด + + + + ShareImport Import from container without signature นำเข้าจากที่จัดเก็บโดยไม่มีลายเซ็น @@ -5142,6 +6734,10 @@ Available commands: Import from container with certificate นำเข้าที่จัดเก็บด้วยใบรับรอง + + Do you want to trust %1 with the fingerprint of %2 from %3? + คุณเชื่อถือ %1 การพิมพ์ลายนิ้วมือ %2 จาก%3? {1 ?} {2 ?} + Not this time ไม่ใช่เวลานี้ @@ -5158,18 +6754,6 @@ Available commands: Just this time เวลานี้ - - Import from %1 failed (%2) - นำเข้า 1% ล้มเหลว 2% - - - Import from %1 successful (%2) - นำเข้าจาก 1% สำเร็จ 2% - - - Imported from %1 - นำเข้า จาก 1% - Signed share container are not supported - import prevented ไม่รองรับที่จัดเก็บแบ่งปันที่เซ็นไว้ - ไม่อนุญาตการนำเข้า @@ -5210,25 +6794,20 @@ Available commands: Unknown share container type การแบ่งปันที่จัดเก็บจากแหล่งที่ไม่รู้จัก + + + ShareObserver - Overwriting signed share container is not supported - export prevented - ไม่สามารถเขียนทับที่จัดเก็บ ที่แบ่งปันไว้ และเซ็นแล้ว- ไม่อนุญาตการนำออก + Import from %1 failed (%2) + นำเข้า 1% ล้มเหลว 2% - Could not write export container (%1) - ไม่สามารถเขียนที่จัดเก็บที่ส่งออกได้ (%1) + Import from %1 successful (%2) + นำเข้าจาก 1% สำเร็จ 2% - Overwriting unsigned share container is not supported - export prevented - ไม่รองรับการเขียนทับการแชร์ที่จัดเก็บที่ไม่ได้ลงชื่อ - ป้องกันการส่งออก - - - Could not write export container - ไม่สามารถนำออกที่จัดเก็บได้ - - - Unexpected export error occurred - เกิดข้อผิดพลาดในการส่งออกที่ไม่คาดคิด + Imported from %1 + นำเข้า จาก 1% Export to %1 failed (%2) @@ -5242,10 +6821,6 @@ Available commands: Export to %1 นำออก %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - คุณเชื่อถือ %1 การพิมพ์ลายนิ้วมือ %2 จาก%3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 นำเข้าจากแหล่งพาทหลายแห่งไปยัง %1 ใน %2 @@ -5254,22 +6829,6 @@ Available commands: Conflicting export target path %1 in %2 การนำเป้าหมายพาทออกขัดแย้งกัน %1 ใน %2 - - Could not embed signature: Could not open file to write (%1) - ไม่สามารถฝังลายเซ็น ไม่สามารถเปิดไฟล์เพือเขียน (%1) - - - Could not embed signature: Could not write file (%1) - ไม่สามารถฝังลายเซ็น ไม่สามารถเขียนไฟล์ (%1) - - - Could not embed database: Could not open file to write (%1) - ไม่สามารถฝังฐานข้อมูล ไม่สามารถเปิดไฟล์เพื่อทำการเขียน (%1) - - - Could not embed database: Could not write file (%1) - ไม่สามารถฝังฐานข้อมูล ไม่สามารถเขียนไฟล์ได้ (%1) - TotpDialog @@ -5287,7 +6846,7 @@ Available commands: Expires in <b>%n</b> second(s) - หมดอายุภายใน <b>%n</b> วินาที + @@ -5307,7 +6866,7 @@ Available commands: Closing in %1 seconds. - กำลังปิดภายใน %1 วินาที + ปิดใน %1 วินาที @@ -5316,10 +6875,6 @@ Available commands: Setup TOTP ติดตั้ง TOTP - - Key: - กุญแจ - Default RFC 6238 token settings การตั้งค่าโทเค็น RFC 6238 ตั้งต้น @@ -5338,28 +6893,57 @@ Available commands: Time step: - ขั้นเวลา + ขั้นเวลา: sec Seconds - วินาที + วิ Code size: - ขนาดรหัส + ขนาดรหัส: - 6 digits - 6 หลัก + Secret Key: + - 7 digits - เจ็ดหลัก + Secret key must be in Base32 format + - 8 digits - 8 หลัก + Secret key field + + + + Algorithm: + อัลกอริทึม: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5378,7 +6962,7 @@ Available commands: Update Error! - การอัปเดทผิดพลาด + อัปเดทข้อผิดพลาด! An error occurred in retrieving update information. @@ -5394,7 +6978,7 @@ Available commands: A new version of KeePassXC is available! - KeePassXC เวอร์ชั่นใหม่พร้อมใช้แล้ว + KeePassXC รุ่นใหม่มีให้ใช้แล้ว! KeePassXC %1 is now available — you have %2. @@ -5406,11 +6990,11 @@ Available commands: You're up-to-date! - คุณอัปเดตแล้ว + คุณอัปเดตแล้ว! KeePassXC %1 is currently the newest version available - KeePassXC %1 เป็นรุ่นใหม่ล่าสุดที่พร้อมใช้งานแล้ว + KeePassXC %1 เป็นรุ่นใหม่ล่าสุดที่มีให้ใช้ @@ -5441,7 +7025,15 @@ Available commands: Welcome to KeePassXC %1 - ยินดีต้อนรับสู่ KeePassXC %1 + ยินดีต้อนรับสู่ KeePassXC + + + Import from 1Password + + + + Open a recent database + @@ -5460,11 +7052,19 @@ Available commands: No YubiKey detected, please ensure it's plugged in. - ไม่พบ YubiKey โปรดตรวจสอบว่าได้ทำการเสียบเรียบร้อย + ตรวจสอบ YubiKey ไม่เจอ โปรดทำให้แน่ใจว่ามีโปรแกรมเสริม No YubiKey inserted. - ไม่ได้เสียบ YubiKey + ไม่มีการแทรก YubiKey + + + Refresh hardware tokens + + + + Hardware key slot selection + \ No newline at end of file diff --git a/share/translations/keepassx_tr.ts b/share/translations/keepassx_tr.ts index 18b248c6f..95acad850 100644 --- a/share/translations/keepassx_tr.ts +++ b/share/translations/keepassx_tr.ts @@ -19,7 +19,7 @@ Contributors - Katkıcılar + Katkıda Bulunanlar <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> @@ -50,7 +50,7 @@ AgentSettingsWidget Enable SSH Agent (requires restart) - SSH İstemcisini etkinleştir (yeniden başlatma gerektirir) + SSH İstemcisini etkinleştir (yeniden başlatma gerekli) Use OpenSSH for Windows instead of Pageant @@ -73,7 +73,7 @@ Access error for config file %1 - Yapılandırma dosyası erişim hatası %1 + %1 yapılandırma dosyası için erişim hatası Icon only @@ -95,6 +95,14 @@ Follow style Takip tipi + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC KeePassXC 'nin yalnızca tek bir örneğini başlat - - Remember last databases - Geçmiş veritabanlarını hatırla - - - Remember last key files and security dongles - Son anahtar dosyalarını ve güvenlik aygıtlarını anımsa - - - Load previous databases on startup - Başlangıçta önceki veritabanları yükle - Minimize window at application startup Uygulama başlangıcında pencereyi simge durumuna küçült @@ -140,11 +136,11 @@ Automatically save after every change - Her değişiklik sonrası kendiliğinden kaydet + Her değişiklik sonrası otomatik kaydet Automatically save on exit - Çıkışta kendiliğinden kaydet + Çıkışta otomatik kaydet Don't mark database as modified for non-data changes (e.g., expanding groups) @@ -162,10 +158,6 @@ Use group icon on entry creation Girdi oluşturmada küme simgesini kullan - - Minimize when copying to clipboard - Panoya kopyalarken simge durumuna küçült - Hide the entry preview panel Girdi önizleme panelini gizle @@ -194,10 +186,6 @@ Hide window to system tray when minimized Simge durumuna küçültüldüğünde pencereyi sistem tepsisine gizle - - Language - Dil - Auto-Type Oto-Yazım @@ -231,21 +219,102 @@ Auto-Type start delay Oto-Yazım başlangıç gecikmesi - - Check for updates at application startup - Uygulama başlangıcında güncellemeleri kontrol et - - - Include pre-releases when checking for updates - Güncellemeleri kontrol ederken ön sürümleri dahil et - Movable toolbar Hareketli araç çubuğu - Button style - Düğme tipi + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + Düğme tipi: + + + Language: + Dil: + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + Küçült + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + sn + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -261,7 +330,7 @@ sec Seconds - san + sn Lock databases after inactivity of @@ -281,11 +350,11 @@ Lock databases when session is locked or lid is closed - Oturum kilitlendiğinde veya kapak kapandığında veritabanlarını kilitle + Oturum kilitlendiğinde veya kapak kapatıldığında veritabanlarını kilitle Forget TouchID when session is locked or lid is closed - Oturum kilitlendiğinde veya kapak kapandığında TouchID'yi unut + Oturum kilitlendiğinde veya kapak kapatıldığında TouchID'yi unut Lock databases after minimizing the window @@ -309,7 +378,7 @@ Hide passwords in the entry preview panel - Önizleme giriş panelinde parolaları gizle + Girdi önizleme panelinde parolaları gizle Hide entry notes by default @@ -320,8 +389,29 @@ Gizlilik - Use DuckDuckGo as fallback for downloading website icons - Web site simgelerini indirmek için DuckDuckGo'yu yedek olarak kullan + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + dak + + + Clear search query after + @@ -389,6 +479,17 @@ Sıra + + AutoTypeMatchView + + Copy &username + &Kullanıcı adını kopyala + + + Copy &password + &Parolayı kopyala + + AutoTypeSelectDialog @@ -397,7 +498,11 @@ Select entry to Auto-Type: - Oto-Yazım için girdi seçiniz: + Oto-Yazım için girdi seçin: + + + Search... + Ara... @@ -408,7 +513,7 @@ Remember this decision - Bu kararı anımsa + Bu kararı hatırla Allow @@ -422,7 +527,15 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. %1, şu öge(ler) için parolalara erişim izni istedi. -Lütfen erişime izin vermek istediklerinizi seçin. +Lütfen erişime izin vermek isteyip istemediğinizi belirtin. + + + Allow access + + + + Deny access + @@ -454,11 +567,7 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç. This is required for accessing your databases with KeePassXC-Browser - Bu KeePassXC-Tarayıcı ile veritabanlarınıza erişmek için gereklidir. - - - Enable KeepassXC browser integration - KeePassXC tarayıcı entegrasyonunu etkinleştir + Bu, KeePassXC-Tarayıcı ile veritabanlarınıza erişmek için gereklidir. General @@ -466,7 +575,7 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç. Enable integration for these browsers: - Bu tarayıcılar için entegrasyonu etkinleştir: + Bu tarayıcılar için tümleştirmeyi etkinleştirin: &Google Chrome @@ -503,7 +612,7 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Tüm alan adı için tüm girdilerin yerine belirli bir URL için yalnızca en iyi eşleşmeyi döndürür. + Yalnızca tüm alan adı için tüm girdiler yerine belirli bir URL için en iyi eşleşenleri döndürür. &Return only best-matching credentials @@ -533,10 +642,6 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç.Credentials mean login data requested via browser extension Kimlik bilgilerini &güncellemeden önce asla sorma - - Only the selected database has to be connected with a client. - Yalnızca seçilen veritabanı istemciyle bağlanmış olmalıdır. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -544,11 +649,11 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç. Automatically creating or updating string fields is not supported. - Dizge alanlarını kendiliğinden oluşturma ve güncelleme desteklenmiyor. + Dizi alanlarını otomatik oluşturma veya güncelleme desteklenmiyor. &Return advanced string fields which start with "KPH: " - "KPH: " ile başlayan gelişmiş dizge alanları &döndür + "KPH: " ile başlayan gelişmiş dizi alanları &döndür Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. @@ -556,7 +661,7 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç. Update &native messaging manifest files at startup - Başlangıçta yerel mesajlaşma &amp;manifesto dosyalarını güncelle + Başlangıçta yerel mesajlaşma &manifesto dosyalarını güncelle Support a proxy application between KeePassXC and browser extension. @@ -592,10 +697,6 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç.&Tor Browser &Tor Tarayıcı - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Uyarı</b>, keepassxc-proxy uygulaması bulunamadı!<br />Lütfen KeePassXC kurulum dizinini kontrol edin veya gelişmiş seçeneklerde özel yolu onaylayın.<br />Tarayıcı bütünleşmesi, proxy uygulaması olmadan ÇALIŞMAYACAKTIR.<br />Beklenen Yol: - Executable Files Yürütülebilir Dosyalar @@ -621,6 +722,50 @@ Lütfen kimlik bilgilerini kaydetmek için doğru veritabanını seç.KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 Tarayıcı bütünleşmesinin çalışması için KeePassXC-Tarayıcı gereklidir. <br />%1 ve %2 için indirin. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -644,7 +789,7 @@ onu tanımlamak için benzersiz bir isim ver ve kabul et. KeePassXC: Overwrite existing key? - KeePassXC: Var olan anahtarın üstüne yaz? + KeePassXC: Mevcut anahtarın üzerine yazılsın mı? A shared encryption key with the name "%1" already exists. @@ -654,7 +799,7 @@ Do you want to overwrite it? KeePassXC: Update Entry - KeePassXC: Girdi Güncelle + KeePassXC: Giriş Güncelleme Do you want to update the information in %1 - %2? @@ -692,7 +837,7 @@ Moved %2 keys to custom data. KeePassXC: Legacy browser integration settings detected - KeePassXC: Eski tarayıcı entegrasyon ayarları tespit edildi + KeePassXC: Eski tarayıcı tümleştirme ayarları algılandı KeePassXC: Create a new group @@ -714,12 +859,16 @@ Would you like to migrate your existing settings now? Bu, mevcut tarayıcı bağlantılarınızı korumak için gereklidir. Mevcut ayarlarınızı şimdi taşımak ister misiniz? + + Don't show this warning again + Bu uyarıyı bir daha gösterme + CloneDialog Clone Options - Klonlama Ayarları + Klonlama Seçenekleri Append ' - Clone' to title @@ -731,7 +880,7 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Copy history - Kopyalama Geçmişi + Geçmişi kopyala @@ -758,11 +907,11 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Text is qualified by - Şu tarafından metin yetkilendirildi + tarafından metin yetkili Fields are separated by - Şu tarafından alanlar bölümlendi + tarafından alanlar ayrıldı Comments start with @@ -770,11 +919,7 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? First record has field names - İlk kayıt alan adlarını içerir - - - Number of headers line to discard - Vazgeçilecek başlık satırı adedi + İlk kaydın alan adları var Consider '\' an escape character @@ -782,15 +927,15 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Preview - Ön izle + Ön izleme Column layout - Kolon dizimi + Sütun düzeni Not present in CSV file - CSV içerisinde mevcut değil + CSV dosyasında mevcut değil Imported from CSV file @@ -798,7 +943,7 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Original data: - Özgün veri: + Orijinal veri: Error @@ -818,7 +963,7 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? [%n more message(s) skipped] - [%n daha fazla ileti atlandı][%n daha fazla ileti atlandı] + [%n daha fazla mesaj atlandı][%n daha fazla mesaj atlandı] CSV import: writer has errors: @@ -826,6 +971,22 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? CSV içe aktarma: yazarken hatalar var: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel @@ -866,10 +1027,6 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Error while reading the database: %1 Veritabanını okurken hata oluştu: %1 - - Could not save, database has no file name. - Kaydedilemedi, veritabanında dosya adı yok. - File cannot be written as it is opened in read-only mode. Dosya salt okunur kipinde açıldığı için yazılamıyor. @@ -878,6 +1035,27 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? Key not transformed. This is a bug, please report it to the developers! Anahtar dönüştürülmedi. Bu bir hatadır, lütfen geliştiricilere bildirin! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Geri Dönüşüm Kutusu + DatabaseOpenDialog @@ -888,30 +1066,14 @@ Mevcut ayarlarınızı şimdi taşımak ister misiniz? DatabaseOpenWidget - - Enter master key - Ana anahtar gir - Key File: Anahtar Dosyası: - - Password: - Parola: - - - Browse - Gözat - Refresh Yenile - - Challenge Response: - Karşılaştırma Yanıtı: - Legacy key file format Eski anahtar dosya biçimi @@ -943,20 +1105,96 @@ Lütfen yeni bir anahtar dosyası oluşturmayı düşünün. Anahtar dosyası seç - TouchID for quick unlock - Hızlı kilit açma için TouchID + Failed to open key file: %1 + - Unable to open the database: -%1 - Veritabanı açılamadı: -%1 + Select slot... + - Can't open key file: -%1 - Anahtar dosyası açılamıyor: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Gözat... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Temizle + + + Clear Key File + + + + Select file... + Dosya seç... + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -990,7 +1228,7 @@ Lütfen yeni bir anahtar dosyası oluşturmayı düşünün. Browser Integration - Tarayıcı Tümleşmesi + Tarayıcı Bütünleşmesi @@ -1009,7 +1247,7 @@ Lütfen yeni bir anahtar dosyası oluşturmayı düşünün. Move KeePassHTTP attributes to KeePassXC-Browser &custom data - KeePassHTTP niteliklerini &özel verilere taşı + KeePassHTTP özniteliklerini KeePassXC-Tarayıcı &özel verisine taşıyın Stored keys @@ -1074,8 +1312,8 @@ Bu işlem, tarayıcı eklentisi bağlantısını engelleyebilir. Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - %n girişindeki izinler kaldırıldı. -Girişlere erişim izinleri iptal edilecek. + Gerçekten her girdideki tüm siteye özgü ayarları unutmak istiyor musunuz? +Girdilere erişim izinleri iptal edilecek. Removing stored permissions… @@ -1091,7 +1329,7 @@ Girişlere erişim izinleri iptal edilecek. Successfully removed permissions from %n entry(s). - %n girişindeki izinler başarıyla kaldırıldı.%n girişindeki izinler başarıyla kaldırıldı. + %n girişindeki izinler başarıyla kaldırıldı.%n girdiden izinler başarıyla kaldırıldı. KeePassXC: No entry with permissions found! @@ -1099,7 +1337,7 @@ Girişlere erişim izinleri iptal edilecek. The active database does not contain an entry with permissions. - Etkin veritabanı, izinleri olan bir girdi içermiyor. + Etkin veritabanı izinleri olan bir girdi içermiyor. Move KeePassHTTP attributes to custom data @@ -1111,6 +1349,14 @@ This is necessary to maintain compatibility with the browser plugin. Tüm eski tarayıcı bütünleşme verilerini gerçekten en son standarda taşımak istiyor musunuz? Tarayıcı eklentisiyle uyumluluğu korumak için bu gereklidir. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1236,12 +1482,12 @@ Eğer bu sayı ile devam ederseniz, veritabanınız çok kolay çözülerek kır MiB Abbreviation for Mebibytes (KDF settings) - MBMB + MıbMiB thread(s) Threads for parallel execution (KDF settings) - iş parçacığıiş parçacığı + iş parçacığıiş parçacıkları %1 ms @@ -1251,7 +1497,58 @@ Eğer bu sayı ile devam ederseniz, veritabanınız çok kolay çözülerek kır %1 s seconds - %1 s%1 s + %1 s%1 sn + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + Veritabanı biçimi + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + Bellek kullanımı + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1270,7 +1567,7 @@ Eğer bu sayı ile devam ederseniz, veritabanınız çok kolay çözülerek kır Default username: - Öntanımlı kullanıcı adı: + Varsayılan kullanıcı adı: History Settings @@ -1300,6 +1597,39 @@ Eğer bu sayı ile devam ederseniz, veritabanınız çok kolay çözülerek kır Enable &compression (recommended) &Sıkıştırmayı etkinleştir (önerilir) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1349,7 +1679,7 @@ Eğer bu sayı ile devam ederseniz, veritabanınız çok kolay çözülerek kır No password set - Şifre ayarlanmadı + Parola ayarlanmadı WARNING! You have not set a password. Using a database without a password is strongly discouraged! @@ -1367,6 +1697,10 @@ Parola olmadan devam etmek istediğinize emin misiniz? Failed to change master key Ana anahtar değiştirilemedi + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1712,129 @@ Parola olmadan devam etmek istediğinize emin misiniz? Description: Açıklama: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + İstatistikler + + + Hover over lines with error icons for further information. + + + + Name + Adı + + + Value + Değer + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + evet + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1411,7 +1868,7 @@ Parola olmadan devam etmek istediğinize emin misiniz? Export database to CSV file - Veritabanını CSV dosyasına dışa aktar + Veritabanını CSV dosyasına aktar Writing the CSV file failed. @@ -1427,10 +1884,6 @@ This is definitely a bug, please report it to the developers. Oluşturulan veritabanının anahtarı veya KDF'si yoktur, kaydetme reddedilir. Bu kesinlikle bir hatadır, lütfen geliştiricilere bildirin. - - The database file does not exist or is not accessible. - Veritabanı dosyası mevcut değil veya erişilebilir değil. - Select CSV file CSV dosyası seç @@ -1454,6 +1907,30 @@ Bu kesinlikle bir hatadır, lütfen geliştiricilere bildirin. Database tab name modifier %1 [Salt okunur] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1463,15 +1940,15 @@ Bu kesinlikle bir hatadır, lütfen geliştiricilere bildirin. Do you really want to delete the entry "%1" for good? - "%1" girdisini tümüyle silmek istediğinize emin misiniz? + "%1" girdisini gerçekten tamamen silmek istiyor musunuz? Do you really want to move entry "%1" to the recycle bin? - "%1" girdisini geri dönüşüm kutusuna taşımak istediğinize emin misiniz? + "%1" girdisini gerçeten geri dönüşüm kutusuna taşımak istiyor musunuz? Do you really want to move %n entry(s) to the recycle bin? - %n girdiyi geri dönüşüm kutusuna taşımak istediğinize emin misiniz?%n girdiyi geri dönüşüm kutusuna taşımak istediğinize emin misiniz? + %n girdiyi geri dönüşüm kutusuna taşımak istediğinize emin misiniz?%n girdiyi gerçekten geri dönüşüm kutusuna taşımak istiyor musunuz? Execute command? @@ -1483,11 +1960,11 @@ Bu kesinlikle bir hatadır, lütfen geliştiricilere bildirin. Remember my choice - Seçimimi anımsa + Seçimimi hatırla Do you really want to delete the group "%1" for good? - "%1" kümesini tümüyle silmek istediğinize emin misiniz? + "%1" grubunu gerçekten tamamen silmek istiyor musunuz? No current database. @@ -1533,7 +2010,7 @@ Değişikliklerinizi birleştirmek ister misiniz? Do you really want to delete %n entry(s) for good? - %n girişlerini gerçekten kalıcı olarak silmek istiyor musunuz?%n girişlerini gerçekten kalıcı olarak silmek istiyor musunuz? + %1 girdiyi tümüyle silmek istediğinize emin misiniz?%1 girdiyi tümüyle silmek istediğinize emin misiniz? Delete entry(s)? @@ -1543,17 +2020,13 @@ Değişikliklerinizi birleştirmek ister misiniz? Move entry(s) to recycle bin? Girdiyi geri dönüşüm kutusuna taşı?Girdiyi geri dönüşüm kutusuna taşı? - - File opened in read only mode. - Dosya salt okunur modda açıldı. - Lock Database? Veritabanını Kilitle? You are editing an entry. Discard changes and lock anyway? - Bir girişi düzenliyorsunuz. Değişiklikleri iptal et ve yine de kilitle? + Bir girdiyi düzenliyorsunuz. Yine de değişiklikleri iptal et ve kilitle? "%1" was modified. @@ -1586,12 +2059,6 @@ Hata: %1 Disable safe saves and try again? KeePassXC veritabanını birkaç kez kaydetmeyi başaramadı. Buna genellikle bir kayıt dosyası üzerinde kilit tutan dosya eşitleme hizmetleri neden olur. Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? - - - Writing the database failed. -%1 - Veritabanına yazma başarısız -%1 Passwords @@ -1623,7 +2090,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Do you really want to move the group "%1" to the recycle bin? - "%1" kümesini geri dönüşüm kutusuna taşımak istiyor musunuz? + "%1" kümesini gerçekten geri dönüşüm kutusuna taşımak istiyor musunuz? Successfully merged the database files. @@ -1637,12 +2104,20 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Shared group... Paylaşılan küme... + + Writing the database failed: %1 + Veritabanını yazma başarısız oldu: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget Entry - Girdi + Giriş Advanced @@ -1666,7 +2141,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? SSH Agent - SSH İstemcisi + SSH İstemci n/a @@ -1682,7 +2157,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? File too large to be a private key - Dosya özel anahtar olmak için çok büyük + Dosya bir özel anahtar olmak için çok büyük Failed to open private key @@ -1690,15 +2165,15 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Entry history - Girdi geçmişi + Giriş geçmişi Add entry - Girdi ekle + Giriş ekle Edit entry - Girdiyi düzenle + Girişi düzenle Different passwords supplied. @@ -1710,7 +2185,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Are you sure you want to remove this attribute? - Bu özniteliği silmek istediğinizden emin misiniz? + Bu özniteliği kaldırmak istediğinizden emin misiniz? Tomorrow @@ -1756,6 +2231,18 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Confirm Removal Kaldırmayı Onayla + + Browser Integration + Tarayıcı Bütünleşmesi + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1785,7 +2272,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Attachments - Ekler + Dosya ekleri Foreground Color: @@ -1795,20 +2282,56 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Background Color: Arka Plan Rengi: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType Enable Auto-Type for this entry - Bu girdi için Oto-Yazımı etkinleştir + Bu giriş için Oto-Yazımı etkinleştir Inherit default Auto-Type sequence from the &group - Öntanımlı Oto-Yazım dizilişini &kümeden devral + &Kümeden öntanımlı Oto-Yazım sırasını devral &Use custom Auto-Type sequence: - Özel Oto-Yazım dizilişi k&ullan: + Özel Oto-Yazım sırası k&ullan: Window Associations @@ -1830,6 +2353,77 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Use a specific sequence for this association: Bu ilişki için belirli bir sıra kullan: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Genel + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Ekle + + + Remove + Kaldır + + + Edit + + EditEntryWidgetHistory @@ -1849,6 +2443,26 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Delete all Tümünü sil + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1886,7 +2500,63 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Expires - Biter + Geçersiz + + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + @@ -1897,7 +2567,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Remove key from agent after - Anahtarı istemciden sonra kaldır + Sonra vekilden anahtarı kaldır seconds @@ -1909,15 +2579,15 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Remove key from agent when database is closed/locked - Veritabanı kapalı/kilitliyken istemciden anahtarı kaldır + Veritabanı kapalı/kilitliyken vekilden anahtarı kaldır Public key - Açık anahtar + Genel anahtar Add key to agent when database is opened/unlocked - Veritabanı kapalı/kilitliyken istemciye anahtar ekle + Veritabanı kapalı/kilitliyken vekile anahtar ekle Comment @@ -1950,19 +2620,35 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Attachment - Dosya Eki + Dosya eki Add to agent - İstemciye ekle + Vekile ekle Remove from agent - İstemciden kaldır + Vekilden kaldır Require user confirmation when this key is used - Bu tuş kullanıldığında kullanıcı onayı iste + Bu anahtar kullanıldığında kullanıcı onayı iste + + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + @@ -1989,16 +2675,20 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Enable - Etkinleştir + Etkin Disable - Devre dışı bırak + Devre dışı Inherit from parent group (%1) Üst kümeden devral (%1) + + Entry has unsaved changes + Girdi kaydedilmemiş değişikliklere sahip + EditGroupWidgetKeeShare @@ -2026,34 +2716,6 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Inactive Etkisiz - - Import from path - Yoldan içe aktar - - - Export to path - Yola aktar - - - Synchronize with path - Yol ile eşitle - - - Your KeePassXC version does not support sharing your container type. Please use %1. - KeePassXC sürümünüz kapsayıcı tür paylaşımını desteklemez. Lütfen %1 kullanın. - - - Database sharing is disabled - Veritabanı paylaşımı devre dışı - - - Database export is disabled - Veritabanı dışa aktarımı devre dışı - - - Database import is disabled - Veritabanı içe aktarımı devre dışı - KeeShare unsigned container KeeShare imzalanmamış kapsayıcı @@ -2079,23 +2741,81 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Temizle - The export container %1 is already referenced. - %1 dışa aktarma kapsayıcı zaten referans alındı. + Import + İçe aktar - The import container %1 is already imported. - %1 içe aktarma kapsayıcı zaten içe aktarıldı + Export + Dışa aktar - The container %1 imported and export by different groups. - %1 kapsayıcı, farklı kümelere göre içe ve dışa aktarıldı. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + EditGroupWidgetMain Name - Ad + Adı Notes @@ -2103,7 +2823,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Expires - Biter + Geçersiz Search @@ -2121,6 +2841,34 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Set default Auto-Type se&quence Öntanımlı Oto-Yazım &dizilişi belirle + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2130,7 +2878,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Use custo&m icon - Öze&l simge kullan + Özel si&mge kullan Add custom icon @@ -2146,7 +2894,7 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? Unable to fetch favicon. - Simge alınamadı. + Site simgesi alınamadı. Images @@ -2156,22 +2904,10 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?All files Tüm dosyalar - - Custom icon already exists - Özel simge zaten var - Confirm Delete Silmeyi Onayla - - Custom icon successfully downloaded - Özel simge başarıyla indirildi - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - İpucu: DuckDuckGo'yu bir geri dönüş olarak etkinleştirebilirsiniz. Araçlar/Ayarlar/Güvenlik - Select Image(s) Resim Seç @@ -2194,7 +2930,43 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Bu simge %n girişi tarafından kullanılır ve öntanımlı simge ile değiştirilir. Silmek istediğinize emin misiniz?Bu simge %n girişi tarafından kullanılır ve öntanımlı simge ile değiştirilir. Silmek istediğinize emin misiniz? + Bu simge %n girdi tarafından kullanılıyor ve öntanımlı simge tarafından değiştirilecek. Silmek istediğinize emin misiniz?Bu simge %n girdi tarafından kullanılıyor ve öntanımlı simge tarafından değiştirilecek. Silmek istediğinize emin misiniz? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2231,7 +3003,6 @@ Güvenli kaydetme devre dışı bırakılsın ve tekrar denensin mi?Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. Seçilen eklenti verilerini gerçekten silmek istiyor musunuz? - Bu etkilenen eklentilerin bozulmasına neden olabilir. @@ -2242,6 +3013,30 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Value Değer + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2254,7 +3049,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. EntryAttachmentsModel Name - Ad + Adı Size @@ -2289,7 +3084,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Are you sure you want to remove %n attachment(s)? - %n eki kaldırmak istediğinize emin misiniz?%n eki kaldırmak istediğinize emin misiniz? + %n dosya eklerini kaldırmak istediğinizden emin misiniz?%n dosya ekini kaldırmak istediğinizden emin misiniz? Save attachments @@ -2335,15 +3130,35 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Unable to open file(s): %1 Dosyalar açılamıyor: -%1Dosyalar açılamıyor: +%1Dosya(lar) açılamıyor: %1 + + Attachments + Dosya ekleri + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel Name - Ad + Adı @@ -2402,7 +3217,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Expires - Biter + Geçersiz Created @@ -2418,7 +3233,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Attachments - Ekler + Dosya ekleri Yes @@ -2431,10 +3246,6 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. EntryPreviewWidget - - Generate TOTP Token - TOTP Jetonu Oluştur - Close Kapat @@ -2453,7 +3264,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Expiration - Süre bitimi + Geçerlilik URL @@ -2520,6 +3331,14 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Share Paylaş + + Display current TOTP value + + + + Advanced + Gelişmiş + EntryView @@ -2553,11 +3372,33 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. - Group + FdoSecrets::Item - Recycle Bin - Geri Dönüşüm Kutusu + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2575,6 +3416,58 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Yerel mesajlaşma betik dosyası kaydedilemiyor. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + İptal + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Kapat + + + URL + URL + + + Status + Durum + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Tamam + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2596,17 +3489,13 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Unable to issue challenge-response. challenge-response açılamıyor. - - Wrong key or database file is corrupt. - Yanlış anahtar veya veritabanı dosyası bozuk. - missing database headers eksik veritabanı başlıkları Header doesn't match hash - Başlık sağlama ile eşleşmiyor + Başlık, karma ile eşleşmiyor Invalid header id size @@ -2620,12 +3509,17 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Invalid header data length Geçersiz başlık veri genişliği + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer Unable to issue challenge-response. - challenge-response açılamıyor. + Karşılama yanıtı açılamıyor. Unable to calculate master key @@ -2650,10 +3544,6 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Header SHA256 mismatch Başlık SHA256 verisi uyuşmuyor - - Wrong key or database file is corrupt. (HMAC mismatch) - Yanlış anahtar veya veritabanı dosyası bozuk. (HMAC uyuşmuyor) - Unknown cipher Bilinmeyen şifre @@ -2702,7 +3592,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - Geçersiz değişken harita giriş adı uzunluğu + Geçersiz değişken harita girdi adı uzunluğu Invalid variant map entry name data @@ -2754,6 +3644,15 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Translation: variant map = data structure for storing meta data Geçersiz değişken harita alan tipi boyutu + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2773,7 +3672,7 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - KDF parametreleri değişken haritası serileştirme başarısız + KDF parametreleri değişken harita serileştirme başarısız @@ -2796,15 +3695,15 @@ Bu etkilenen eklentilerin bozulmasına neden olabilir. Invalid transform seed size - Geçersiz dönüşüm çekirdek boyutu + Geçersiz dönüşüm çekirdeği boyutu Invalid transform rounds size - Geçersiz dönüşüm tur boyutu + Geçersiz dönüşüm turu boyutu Invalid start bytes size - Geçersiz başlangıç bayt boyutu + Geçersiz başlangıç baytı boyutu Invalid random stream id size @@ -2857,7 +3756,7 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Missing icon uuid or data - Simge UUID'si veya verisi eksik + Simge UUID veya verisi eksik Missing custom data key or value @@ -2873,15 +3772,15 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Invalid group icon number - Geçersiz küme simge numarası + Geçersiz küme simgesi numarası Invalid EnableAutoType value - Geçersiz Oto-Yazım Etkin değeri + Geçersiz Oto-Yazım Etkinleştirme değeri Invalid EnableSearching value - Geçersiz Arama Etkin değeri + Geçersiz Arama Etkinleşirme değeri No group uuid found @@ -2901,11 +3800,11 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Invalid entry icon number - Geçersiz simge numarası girdisi + Geçersiz girdi simgesi numarası History element in history entry - Geçmiş girdisinde geçmiş element + Geçmiş girdisinde geçmiş öğesi No entry uuid found @@ -2929,7 +3828,7 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Entry binary key or value missing - Giriş ikili anahtar veya değeri eksik + Girdi ikili anahtari veya değeri eksik Auto-type association window or sequence missing @@ -2949,7 +3848,7 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Invalid color rgb part - Geçersiz renk RGB parçası + Geçersiz renk RGB bölümü Invalid number value @@ -2962,7 +3861,7 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veritabanını eski Kee Unable to decompress binary Translator meant is a binary data inside an entry - İkili dosya sıkıştırmasını açma başarısız + İkili sıkıştırma açılamıyor XML error: @@ -2975,14 +3874,14 @@ Satır %2, sütun %3 KeePass1OpenWidget - - Import KeePass1 database - KeePass1 veritabanı içe aktar - Unable to open the database. Veritabanı açılamıyor. + + Import KeePass1 Database + + KeePass1Reader @@ -3013,15 +3912,15 @@ Satır %2, sütun %3 Invalid number of entries - Geçersiz giriş numarası + Geçersiz girdi sayısı Invalid content hash size - Geçersiz içerik karma boyutu + Geçersiz içerik karması boyutu Invalid transform seed size - Geçersiz dönüşüm çekirdek boyutu + Geçersiz dönüşüm çekirdeği boyutu Invalid number of transform rounds @@ -3039,10 +3938,6 @@ Satır %2, sütun %3 Unable to calculate master key Ana anahtar hesaplanamıyor - - Wrong key or database file is corrupt. - Yanlış anahtar veya veritabanı dosyası bozuk. - Key transformation failed Anahtar dönüştürme başarısız @@ -3109,7 +4004,7 @@ Satır %2, sütun %3 Invalid entry uuid field size - Geçersiz Evrensel Benzersiz Tanımlayıcı alan boyutu girişi + Geçersiz giriş UUID alan boyutu Invalid entry group id field size @@ -3117,7 +4012,7 @@ Satır %2, sütun %3 Invalid entry icon field size - Geçersiz giriş simgesi alan boyutu + Geçersiz giriş simge alanı boyutu Invalid entry creation time field size @@ -3129,50 +4024,67 @@ Satır %2, sütun %3 Invalid entry expiry time field size - Geçersiz giriş süre sonu alan boyutu + Geçersiz giriş zaman aşımı alan boyutu Invalid entry field type - Geçersiz girdi alanı tipi + Geçersiz giriş alan tipi unable to seek to content position içerik konumuna ulaşılamıyor + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Engelli paylaşım + Invalid sharing reference + - Import from - Şuradan içe aktar + Inactive share %1 + - Export to - Dışa aktar + Imported from %1 + %1 den içe aktarıldı - Synchronize with - Şununla eşitle + Exported to %1 + - Disabled share %1 - Paylaşım devre dışı %1 + Synchronized with %1 + - Import from share %1 - %1 paylaşımından içe aktar + Import is disabled in settings + - Export to share %1 - %1 paylaşımına aktar + Export is disabled in settings + - Synchronize with share %1 - %1 paylaşımına eşitle + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3216,10 +4128,6 @@ Satır %2, sütun %3 KeyFileEditWidget - - Browse - Gözat - Generate Oluştur @@ -3258,7 +4166,7 @@ Message: %2 All files - Tüm dosyalar + Bütün dosyalar Create Key File... @@ -3276,6 +4184,43 @@ Message: %2 Select a key file Bir anahtar dosyası seç + + Key file selection + + + + Browse for key file + + + + Browse... + Gözat... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3285,7 +4230,7 @@ Message: %2 &Recent databases - &Son veritabanları + &Geçmiş veritabanları &Help @@ -3313,7 +4258,7 @@ Message: %2 &Open database... - &Veritabanı aç... + Veri&tabanı aç... &Save database @@ -3363,13 +4308,9 @@ Message: %2 &Settings &Ayarlar - - Password Generator - Parola oluşturucu - &Lock databases - Veritabanlarını &kilitle + Veritabanlarını kilit&le &Title @@ -3405,7 +4346,7 @@ Message: %2 Copy &TOTP - &ZTSP'yi kopyala + &TOTP'yi kopyala E&mpty recycle bin @@ -3439,9 +4380,9 @@ Message: %2 WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - UYARI: KeePassXC'nin kararsız inşasını kullanıyorsunuz! -Yüksek bozulma tehlikesi bulunmaktadır, veri tabanlarınızın yedeğini alın. -Bu sürüm, üretimde kullanıma uygun değildir. + UYARI: Kararsız bir KeePassXC yapısı kullanıyorsunuz! +Yüksek bozulma tehlikesi bulunmaktadır, veritabanlarınızın bir yedeğini alın. +Bu sürüm, üretim kullanımı için uygun değildir. &Donate @@ -3479,7 +4420,7 @@ Keepassxc indirme sayfasında mevcut Appımage kullanmanızı öneririz. &Merge from database... - Veritabanından &birleştir... + Veritabanından &birleştir ... Merge from another KDBX database @@ -3553,14 +4494,6 @@ Keepassxc indirme sayfasında mevcut Appımage kullanmanızı öneririz.Show TOTP QR Code... TOTP QR Kodunu Göster... - - Check for Updates... - Güncellemeleri kontrol et... - - - Share entry - Girişi paylaş - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3579,6 +4512,74 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ You can always check for updates manually from the application menu. Güncellemeleri her zaman elle uygulama menüsünden kontrol edebilirsiniz. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Simge indir + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3596,7 +4597,7 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ older entry merged from database "%1" - eski giriş "%1" veritabanıyla birleştirildi + eski giriş "%1" veritabanından birleştirildi Adding backup for older target %1 [%2] @@ -3638,6 +4639,14 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Adding missing icon %1 Eksik simge ekle %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3671,7 +4680,7 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Simple Settings - Basit Ayarlar + Temel Ayarlar @@ -3707,6 +4716,72 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Lütfen yeni veritabanınız için görünen ad ve isteğe bağlı bir açıklama girin: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3743,7 +4818,7 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ No private key payload to decrypt - Şifresini çözmek için yüklü özel anahtar yok + Şifre çözmek için yüklü özel anahtar yok Trying to run KDF without cipher @@ -3795,7 +4870,7 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Cipher IV is too short for MD5 kdf - Cipher IV, MD5 kdf için çok kısa + Şifre IV, MD5 anahtar türetme işlevi için çok kısa Unknown KDF: %1 @@ -3806,6 +4881,17 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Bilinmeyen anahtar türü: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3832,6 +4918,22 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Generate master password Ana parola oluştur + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3860,22 +4962,10 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Character Types Karakter Türleri - - Upper Case Letters - Büyük Harfler - - - Lower Case Letters - Küçük Harfler - Numbers Rakamlar - - Special Characters - Özel Karakterler - Extended ASCII Genişletilmiş ASCII @@ -3956,18 +5046,10 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Advanced Gelişmiş - - Upper Case Letters A to F - A'dan F'ye Büyük Harfler - A-Z A-Z - - Lower Case Letters A to F - A'dan F'ye Küçük Harfler - a-z a-z @@ -4000,18 +5082,10 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ " ' " ' - - Math - Matematiksel - <*+!?= <*+!?= - - Dashes - Tire - \_|-/ \_|-/ @@ -4060,6 +5134,74 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Regenerate Yeniden oluştur + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4067,12 +5209,9 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ KeeShare KeeShare - - - QFileDialog - Select - Seç + Statistics + İstatistikler @@ -4109,6 +5248,10 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Merge Birleştir + + Continue + + QObject @@ -4162,7 +5305,7 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Add a new entry to a database. - Veritabanına yeni girdi ekle. + Veritabanına yeni bir girdi ekle. Path of the database. @@ -4200,10 +5343,6 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Generate a password for the entry. Girdi için parola oluştur. - - Length for the generated password. - Oluşturulan parola için uzunluk. - length uzunluk @@ -4253,18 +5392,6 @@ Bazı hatalar ve küçük sorunlar olabilir, bu sürüm şu an dağıtımda değ Perform advanced analysis on the password. Parola üzerinde gelişmiş inceleme gerçekleştir. - - Extract and print the content of a database. - Veritabanının içeriğini çıkar ve yazdır. - - - Path of the database to extract. - Veritabanının çıkarılacağı yol. - - - Insert password to unlock %1: - %1 kilidini kaldırmak için parola yerleştir: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4309,10 +5436,6 @@ Kullanılabilir komutlar: Merge two databases. İki veritabanını birleştir. - - Path of the database to merge into. - Veritabanının nereye birleştirileceği. - Path of the database to merge from. Veritabanının nereden birleştirileceği. @@ -4347,11 +5470,11 @@ Kullanılabilir komutlar: error reading from device - aygıttan okurken hata + aygıttan okuma hatası malformed string - kusurlu dizge + hatalı biçimlendirilmiş dizi missing closing quote @@ -4387,11 +5510,7 @@ Kullanılabilir komutlar: Browser Integration - Tarayıcı Tümleşmesi - - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Karşılaştırma Yanıtı - Yuva %2 - %3 + Tarayıcı Bütünleşmesi Press @@ -4403,7 +5522,7 @@ Kullanılabilir komutlar: SSH Agent - SSH İstemcisi + SSH İstemci Generate a new random diceware passphrase. @@ -4421,11 +5540,7 @@ Kullanılabilir komutlar: Generate a new random password. - Yeni bir karışık parola oluştur. - - - Invalid value for password length %1. - %1 parola uzunluğu için geçersiz değer. + Yeni bir rasgele parola oluştur. Could not create entry with path %1. @@ -4461,11 +5576,11 @@ Kullanılabilir komutlar: Entry's current TOTP copied to the clipboard! - Girişin mevcut TOTP'si panoya kopyalandı! + Girdinin mevcut TOTP'si panoya kopyalandı! Entry's password copied to the clipboard! - Giriş parolası panoya kopyalandı! + Girdi parolası panoya kopyalandı! Clearing the clipboard in %1 second(s)... @@ -4484,10 +5599,6 @@ Kullanılabilir komutlar: CLI parameter sayım - - Invalid value for password length: %1 - Parola uzunluğu için geçersiz değer: %1 - Could not find entry with path %1. Giriş yolu bulunamadı %1. @@ -4498,7 +5609,7 @@ Kullanılabilir komutlar: Enter new password for entry: - Girdi için yeni parola gir: + Girdi için yeni parola girin: Writing the database failed: %1 @@ -4612,26 +5723,6 @@ Kullanılabilir komutlar: Failed to load key file %1: %2 Anahtar dosyası yüklenemedi %1: %2 - - File %1 does not exist. - %1 dosyası mevcut değil. - - - Unable to open file %1. - %1 dosyası açılamıyor. - - - Error while reading the database: -%1 - Veritabanını okurken hata -%1 - - - Error while parsing the database: -%1 - Veritabanını ayrıştırırken hata oluştu -%1 - Length of the generated password Oluşturulan parolanın uzunluğu @@ -4644,10 +5735,6 @@ Kullanılabilir komutlar: Use uppercase characters Büyük harfli karakterler kullan - - Use numbers. - Sayıları kullan - Use special characters Özel karakterler kullan @@ -4762,7 +5849,7 @@ Kullanılabilir komutlar: Message encryption failed. - İleti şifreleme başarısız. + Mesaj şifreleme başarısız. No groups found @@ -4792,10 +5879,6 @@ Kullanılabilir komutlar: Successfully created new database. Yeni veritabanı başarıyla oluşturuldu. - - Insert password to encrypt database (Press enter to leave blank): - Veritabanını şifrelemek için parola ekle (Boş bırakmak için Enter tuşuna bas): - Creating KeyFile %1 failed: %2 %1 AnahtarDosyası oluşturulamadı: %2 @@ -4804,10 +5887,6 @@ Kullanılabilir komutlar: Loading KeyFile %1 failed: %2 %1 AnahtarDosyası yüklenemedi:%2 - - Remove an entry from the database. - Veritabanından bir girdi kaldır. - Path of the entry to remove. Kaldırılacak girdinin yolu. @@ -4864,12 +5943,336 @@ Kullanılabilir komutlar: Cannot create new group Yeni küme oluşturulamıyor + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Sürüm %1 + + + Build Type: %1 + Yapı: %1 + + + Revision: %1 + Düzeltme: %1 + + + Distribution: %1 + Dağıtım: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + İşletim sistemi: %1 +MİB mimarisi: %2 +Çekirdek: %3 %4 + + + Auto-Type + Oto-Yazım + + + KeeShare (signed and unsigned sharing) + KeeShare (imzalı ve imzasız paylaşım) + + + KeeShare (only signed sharing) + KeeShare (sadece imzalanmış paylaşım) + + + KeeShare (only unsigned sharing) + KeeShare (sadece imzasız paylaşım) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Yok + + + Enabled extensions: + Etkin eklentiler: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Veritabanı birleştirme işlemi tarafından değiştirilmedi. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor Internal zlib error when compressing: - Sıkıştırılırken iç zlib hatası: + Sıkıştırmada dahili zlib hatası: Error writing to underlying device: @@ -4885,7 +6288,7 @@ Kullanılabilir komutlar: Internal zlib error when decompressing: - Sıkıştırma açılırken iç zlib hatası: + Sıkıştırma açılırken dahili zlib hatası: @@ -4896,7 +6299,7 @@ Kullanılabilir komutlar: Internal zlib error: - zlib iç hatası: + Dahili zlib hatası: @@ -5001,7 +6404,7 @@ Kullanılabilir komutlar: Limit search to selected group - Aramayı seçilen kümeye sınırla + Seçilen gruba aramayı sınırla Search Help @@ -5017,6 +6420,93 @@ Kullanılabilir komutlar: Harfe duyarlı + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Genel + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Küme + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Veritabanı ayarları + + + Edit database settings + + + + Unlock database + Veritabanı kilidini kaldır + + + Unlock database to show more information + + + + Lock database + Veritabanını kilitle + + + Unlock to show + + + + None + Yok + + SettingsWidgetKeeShare @@ -5122,7 +6612,7 @@ Kullanılabilir komutlar: All files - Tüm dosyalar + Bütün dosyalar Select path @@ -5140,9 +6630,100 @@ Kullanılabilir komutlar: Signer: İmzalayan: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Anahtar + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + İmzalanmış paylaşım kapsayıcısının üzerine yazma desteklenmiyor -dışa aktarma engellendi + + + Could not write export container (%1) + Dışa aktarma kapsayıcısı (%1) yazılamadı + + + Could not embed signature: Could not open file to write (%1) + İmza gömülemedi: Yazılacak dosya açılamadı (%1) + + + Could not embed signature: Could not write file (%1) + İmza gömülemedi: Dosya yazılamadı (%1) + + + Could not embed database: Could not open file to write (%1) + Veritabanı gömülemedi: Yazılacak dosya açılamadı (%1) + + + Could not embed database: Could not write file (%1) + Veritabanı gömülemedi: dosya yazılamadı (%1) + + + Overwriting unsigned share container is not supported - export prevented + İmzalanmamış paylaşım kapsayıcısının üzerine yazma desteklenmiyor -dışa aktarma engellendi + + + Could not write export container + Dışa aktarma kapsayıcısı yazılamadı + + + Unexpected export error occurred + Beklenmeyen dışa aktarma hatası oluştu + + + + ShareImport Import from container without signature İmzayı kapsayıcıdan içeri aktar @@ -5155,6 +6736,10 @@ Kullanılabilir komutlar: Import from container with certificate Sertifikayı kapsayıcıdan içe aktar + + Do you want to trust %1 with the fingerprint of %2 from %3? + %3'ten %2 parmak izi ile %1'e güvenmek ister misiniz? {1 ?} {2 ?} + Not this time Bu sefer değil @@ -5171,18 +6756,6 @@ Kullanılabilir komutlar: Just this time Sadece bu seferlik - - Import from %1 failed (%2) - % 1'den içe aktarma başarısız (%2) - - - Import from %1 successful (%2) - %1'den içe aktarma başarılı (%2) - - - Imported from %1 - %1 den içe aktarıldı - Signed share container are not supported - import prevented İmzalı paylaşım kapsayıcısı desteklenmiyor -içeri alma engellendi @@ -5223,25 +6796,20 @@ Kullanılabilir komutlar: Unknown share container type Bilinmeyen kapsayıcı paylaşım türü + + + ShareObserver - Overwriting signed share container is not supported - export prevented - İmzalanmış paylaşım kapsayıcısının üzerine yazma desteklenmiyor -dışa aktarma engellendi + Import from %1 failed (%2) + % 1'den içe aktarma başarısız (%2) - Could not write export container (%1) - Dışa aktarma kapsayıcısı (%1) yazılamadı + Import from %1 successful (%2) + %1'den içe aktarma başarılı (%2) - Overwriting unsigned share container is not supported - export prevented - İmzalanmamış paylaşım kapsayıcısının üzerine yazma desteklenmiyor -dışa aktarma engellendi - - - Could not write export container - Dışa aktarma kapsayıcısı yazılamadı - - - Unexpected export error occurred - Beklenmeyen dışa aktarma hatası oluştu + Imported from %1 + %1 den içe aktarıldı Export to %1 failed (%2) @@ -5255,10 +6823,6 @@ Kullanılabilir komutlar: Export to %1 %1'e aktar - - Do you want to trust %1 with the fingerprint of %2 from %3? - %3'ten %2 parmak izi ile %1'e güvenmek ister misiniz? {1 ?} {2 ?} - Multiple import source path to %1 in %2 %2 içinde %1'e çoklu içe aktarma kaynak yolu @@ -5267,28 +6831,12 @@ Kullanılabilir komutlar: Conflicting export target path %1 in %2 Çakışan aktarma hedef yolu %1 %2 - - Could not embed signature: Could not open file to write (%1) - İmza gömülemedi: Yazılacak dosya açılamadı (%1) - - - Could not embed signature: Could not write file (%1) - İmza gömülemedi: Dosya yazılamadı (%1) - - - Could not embed database: Could not open file to write (%1) - Veritabanı gömülemedi: Yazılacak dosya açılamadı (%1) - - - Could not embed database: Could not write file (%1) - Veritabanı gömülemedi: dosya yazılamadı (%1) - TotpDialog Timed Password - Zamanlı Parola + Süreli Parola 000000 @@ -5329,10 +6877,6 @@ Kullanılabilir komutlar: Setup TOTP TOTP Kurulum - - Key: - Anahtar: - Default RFC 6238 token settings Öntanımlı RFC 6238 anahtar ayarları @@ -5363,16 +6907,45 @@ Kullanılabilir komutlar: Kod boyutu: - 6 digits - 6 hane + Secret Key: + - 7 digits - 7 hane + Secret key must be in Base32 format + - 8 digits - 8 hane + Secret key field + + + + Algorithm: + Algoritma: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5430,7 +7003,7 @@ Kullanılabilir komutlar: WelcomeWidget Start storing your passwords securely in a KeePassXC database - Parolalarınızı KeePassXC veritabanında güvenle depolamaya başlayın + Parolalarınızı bir KeePassXC veritabanında güvenle depolamaya başlayın Create new database @@ -5456,6 +7029,14 @@ Kullanılabilir komutlar: Welcome to KeePassXC %1 KeePassXC'ye hoş geldin %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5465,11 +7046,11 @@ Kullanılabilir komutlar: YubiKey Challenge-Response - YubiKey Karşılama Yanıtı + YubiKey Challenge-Response <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - <p>Eğer bir <a href="https://www.yubico.com/">YubiKey</a> sahibiyseniz ek güvenlik için kullanabilirsiniz.</p><p>YubiKey yuvalarından birinin programlanması gerekir <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Karşılama-Yanıtı</a>.</p> + <p>Eğer bir <a href="https://www.yubico.com/">YubiKey</a> sahibiyseniz ek güvenlik için kullanabilirsiniz.</p><p>YubiKey yuvalarından birinin programlanması gerekir <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> No YubiKey detected, please ensure it's plugged in. @@ -5479,5 +7060,13 @@ Kullanılabilir komutlar: No YubiKey inserted. YubiKey eklenmedi. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_uk.ts b/share/translations/keepassx_uk.ts index bcc711b13..4dda6ee85 100644 --- a/share/translations/keepassx_uk.ts +++ b/share/translations/keepassx_uk.ts @@ -11,7 +11,7 @@ Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> - Повідомляйте про вади на <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> + Повідомляйте про проблеми на <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. @@ -27,7 +27,7 @@ Debug Info - Зневаджувальна інформація + Інформація щодо зневадження Include the following information whenever you report a bug: @@ -61,7 +61,7 @@ ApplicationSettingsWidget Application Settings - Налаштування програми + Налаштування застосунку General @@ -95,12 +95,20 @@ Follow style Наслідувати стиль + + Reset Settings? + + + + Are you sure you want to reset all general and security settings to default? + + ApplicationSettingsWidgetGeneral Basic Settings - Основні налаштування + Базове налаштування Startup @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC Запускати лише один примірник KeePassXC - - Remember last databases - Пам’ятати останні сховища - - - Remember last key files and security dongles - Пам'ятати останні файли ключів та апаратні ключі - - - Load previous databases on startup - Завантажувати попереднє сховище під час запуску - Minimize window at application startup Згортати вікно після запуску застосунку @@ -162,17 +158,13 @@ Use group icon on entry creation Використовувати для нових записів значок групи - - Minimize when copying to clipboard - Згортати після копіювання до кишені - Hide the entry preview panel Сховати панель передперегляду запису General - Загальні + Загальне Hide toolbar (icons) @@ -194,10 +186,6 @@ Hide window to system tray when minimized Після згортання ховати вікно в системний лоток - - Language - Мова - Auto-Type Автозаповнення @@ -231,21 +219,102 @@ Auto-Type start delay Затримка початку автозаповнення - - Check for updates at application startup - Перевіряти наявність оновлень під час запуску застосунку - - - Include pre-releases when checking for updates - Пропонувати попередні випуски для оновлення - Movable toolbar Рухома панель інструментів - Button style - Стиль кнопок + Remember previously used databases + + + + Load previously open databases on startup + + + + Remember database key files and security dongles + + + + Check for updates at application startup once per week + + + + Include beta releases when checking for updates + + + + Button style: + + + + Language: + + + + (restart program to activate) + + + + Minimize window after unlocking database + + + + Minimize when opening a URL + + + + Hide window when copying to clipboard + + + + Minimize + + + + Drop to background + + + + Favicon download timeout: + + + + Website icon download timeout in seconds + + + + sec + Seconds + сек + + + Toolbar button style + + + + Use monospaced font for Notes + + + + Language selection + + + + Reset Settings to Default + + + + Global auto-type shortcut + + + + Auto-type character typing delay milliseconds + + + + Auto-type start delay milliseconds + @@ -320,8 +389,29 @@ Приватність - Use DuckDuckGo as fallback for downloading website icons - Використовувати DuckDuckGo як запасний варіант при завантаженні значків веб-сторінок + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + хвилин + + + Clear search query after + @@ -389,6 +479,17 @@ Послідовність + + AutoTypeMatchView + + Copy &username + Скопі&ювати ім'я користувача + + + Copy &password + Скопіювати пароль + + AutoTypeSelectDialog @@ -399,6 +500,10 @@ Select entry to Auto-Type: Виберіть запис для автозаповнення: + + Search... + Знайти... + BrowserAccessControlDialog @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 запитує доступ до паролів у таких записах. Оберіть, чи бажаєте Ви дозволити доступ. + + Allow access + + + + Deny access + + BrowserEntrySaveDialog @@ -456,17 +569,13 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser Це необхідно для надання KeePassXC-Переглядачу доступу до Ваших сховищ - - Enable KeepassXC browser integration - Сполучити KeePassXC з переглядачами - General - Загальні + Загальне Enable integration for these browsers: - Сполучити з такими переглядачами: + Увімкнути сполучення з такими переглядачами: &Google Chrome @@ -503,7 +612,7 @@ Please select the correct database for saving credentials. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Показувати лише найкращі збіги для певного URL замість усіх записів для всієї області. + Показувати лише найкращі збіги для певного URL замість усіх записів для всієї області. &Return only best-matching credentials @@ -533,10 +642,6 @@ Please select the correct database for saving credentials. Credentials mean login data requested via browser extension Ніколи не запитувати перед оновленням реєстраційних даних - - Only the selected database has to be connected with a client. - Тільки вибране сховище має бути під'єднаним через клієнта. - Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser Переглядач &Tor - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>Попередження:</b> застосунок keepassxc-proxy не знайдено!<br />Будь ласка, перевірте наявність застосунку в директорії встановлення KeePassXC або підтвердьте власний шлях у розширених налаштуваннях.<br />Сполучення з переглядачем <b>не працюватими</b> без посередницького застосунку.<br />Очікуваний шлях: - Executable Files Виконувані файли @@ -621,6 +722,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 Для сполучення з переглядачем необхідний KeePassXC-Browser. <br />Завантажте його для %1 та %2. %3 + + &Brave + + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -710,10 +855,14 @@ Do you want to create this group? Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - Ваші параметри KeePassXC-Переглядача мають бути переміщені до параметрів сховища. + Ваші параметри KeePassXC-Переглядача мають бути переміщени до параметрів сховища. Це необхідно для підтримання сполучень з Вашим поточним переглядачем. Бажаєте перемістити параметри зараз? + + Don't show this warning again + Більше не показувати це попередження + CloneDialog @@ -772,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names Перший запис має назви полів - - Number of headers line to discard - Кількість рядків заголовка, які треба пропустити - Consider '\' an escape character Використовувати '\' для захисту символів @@ -826,6 +971,22 @@ Would you like to migrate your existing settings now? Імпорт CSV: помилки записувача: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + + CsvParserModel @@ -844,7 +1005,7 @@ Would you like to migrate your existing settings now? %n row(s) - %n рядок%n рядки%n рядків%n рядків + %n рядок%n рядка%n рядків%n рядків @@ -866,10 +1027,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 Помилка читання сховища: %1 - - Could not save, database has no file name. - Не вдалося зберегти, для сховища не вказане ім'я файлу. - File cannot be written as it is opened in read-only mode. Неможливо записати файл, оскільки він відкритий у режимі читання. @@ -878,6 +1035,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! Ключ не перетворено через ваду в програмі. Будь ласка, повідомте про це розробникам! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + Смітник + DatabaseOpenDialog @@ -888,30 +1066,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - Введіть головний ключ - Key File: Файл-ключ: - - Password: - Пароль: - - - Browse - Огляд - Refresh Оновити - - Challenge Response: - Виклик-відповідь: - Legacy key file format Застарілий формат файла-ключа @@ -943,20 +1105,96 @@ Please consider generating a new key file. Оберіть файл-ключ - TouchID for quick unlock - TouchID для швидкого розблокування + Failed to open key file: %1 + - Unable to open the database: -%1 - Неможливо відкрити сховище: -%1 + Select slot... + - Can't open key file: -%1 - Не вдається відкрити файл ключа: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + Переглянути... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + Очистити + + + Clear Key File + + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -974,7 +1212,7 @@ Please consider generating a new key file. General - Загальні + Загальне Security @@ -1065,7 +1303,7 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - Успішно видалено %n ключ шифрування з параметрів KeePassXC.Успішно видалено %n ключі шифрування з параметрів KeePassXC.Успішно видалено %n ключів шифрування з параметрів KeePassXC.Успішно видалено %n ключів шифрування з параметрів KeePassXC. + Успішно видалено %n ключ шифрування з параметрів KeePassXC.Успішно видалено %n ключа шифрування з параметрів KeePassXC.Успішно видалено %n ключів шифрування з параметрів KeePassXC.Успішно видалено %n ключів шифрування з параметрів KeePassXC. Forget all site-specific settings on entries @@ -1091,7 +1329,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - Успішно видалено дозволи з %n запису.Успішно видалено дозволи з %n записів.Успішно видалено дозволи з %n записів.Успішно видалено дозволи з %n записів. + Успішно видалено дозволи для %n запису.Успішно видалено дозволи для %n записів.Успішно видалено дозволи для %n записів.Успішно видалено дозволи для %n записів. KeePassXC: No entry with permissions found! @@ -1111,6 +1349,14 @@ This is necessary to maintain compatibility with the browser plugin. Ви дійсно бажаєте оновити застаріле налаштування сполучення з переглядачами згідно з найновішими стандартами? Це необхідно для підтримання сумісності з модулем переглядача. + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1236,12 +1482,12 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - МіБМіБМіБМіБ + МіБ МіБ МіБ МіБ thread(s) Threads for parallel execution (KDF settings) - потікпотокипотоківпотоків + потікпотоківпотоківпотоків %1 ms @@ -1251,7 +1497,58 @@ If you keep this number, your database may be too easy to crack! %1 s seconds - %1 мс%1 мс%1 мс%1 с + %1 с%1 с%1 с%1 с + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1286,7 +1583,7 @@ If you keep this number, your database may be too easy to crack! MiB - МіБ + МіБ Use recycle bin @@ -1300,6 +1597,39 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) Увімкнути стиснення (рекомендовано) + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + + DatabaseSettingsWidgetKeeShare @@ -1367,6 +1697,10 @@ Are you sure you want to continue without a password? Failed to change master key Зміна головного ключа зазнала невдачі + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1378,6 +1712,129 @@ Are you sure you want to continue without a password? Description: Опис: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + Назва + + + Value + Значення + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1427,10 +1884,6 @@ This is definitely a bug, please report it to the developers. Створене сховище не має ані ключа, ані ФОК, і тому не може бути збереженим. Це певно є вадою програми, будь ласка, повідомте про це розробникам. - - The database file does not exist or is not accessible. - Файл сховища не існує або недоступний. - Select CSV file Вибрати файл CSV @@ -1454,6 +1907,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [лише читання] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1541,11 +2018,7 @@ Do you want to merge your changes? Move entry(s) to recycle bin? - Перемістити запис у смітник?Перемістити записи в смітник?Перемістити записи в смітник?Перемістити записи в смітник? - - - File opened in read only mode. - Файл відкритий лише для читання. + Перемістити запис в смітник?Перемістити записи в смітник?Перемістити записи в смітник?Перемістити записи в смітник? Lock Database? @@ -1586,12 +2059,6 @@ Error: %1 Disable safe saves and try again? KeePassXC не зміг зберегти сховище кілька разів поспіль. Швидше за все це сталося тому, що служба узгодження файлів блокує файл для запису. Вимкнути безпечне збереження і спробувати знов? - - - Writing the database failed. -%1 - Записати сховище не вдалося. -%1 Passwords @@ -1637,6 +2104,14 @@ Disable safe saves and try again? Shared group... Спільна група... + + Writing the database failed: %1 + Записати сховище не вдалося: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1646,7 +2121,7 @@ Disable safe saves and try again? Advanced - Розширені + Розширене Icon @@ -1718,11 +2193,11 @@ Disable safe saves and try again? %n week(s) - %n тиждень%n тижня%n тижнів%n тижнів + %n тиждень%n тижні%n тижнів%n тижнів %n month(s) - %n місяць%n місяця%n місяців%n місяців + %n місяць%n місяці%n місяців%n місяців Apply generated password? @@ -1756,6 +2231,18 @@ Disable safe saves and try again? Confirm Removal Схваліть видалення + + Browser Integration + Сполучення з переглядачем + + + <empty URL> + + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1795,6 +2282,42 @@ Disable safe saves and try again? Background Color: Колір тла: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1830,6 +2353,77 @@ Disable safe saves and try again? Use a specific sequence for this association: Використовувати певну послідовність для цієї прив'язки: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + Загальні + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + Додати + + + Remove + Видалити + + + Edit + Змінити + EditEntryWidgetHistory @@ -1849,6 +2443,26 @@ Disable safe saves and try again? Delete all Видалити всі + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1888,6 +2502,62 @@ Disable safe saves and try again? Expires Знечинюється + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1964,6 +2634,22 @@ Disable safe saves and try again? Require user confirmation when this key is used Запитувати підтвердження для використання цього ключа + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1999,6 +2685,10 @@ Disable safe saves and try again? Inherit from parent group (%1) Успадкувати від батьківської групи (%1) + + Entry has unsaved changes + Запис має незбережені зміни + EditGroupWidgetKeeShare @@ -2026,34 +2716,6 @@ Disable safe saves and try again? Inactive Неактивна - - Import from path - Імпортувати зі шляху - - - Export to path - Експортувати за шляхом - - - Synchronize with path - Узгодити за шляхом - - - Your KeePassXC version does not support sharing your container type. Please use %1. - Ваша версія KeePassXC не підтримує спільне використання типу Вашої оболонки. Будь ласка, використайте %1. - - - Database sharing is disabled - Спільне користування сховищами вимкнено - - - Database export is disabled - Експорт сховищ вимкнено - - - Database import is disabled - Імпорт сховищ вимкнено - KeeShare unsigned container Непідписана оболонка KeeShare @@ -2079,16 +2741,74 @@ Disable safe saves and try again? Очистити - The export container %1 is already referenced. - На експортну оболонку %1 вже існує посилання. + Import + Імпорт - The import container %1 is already imported. - Оболонку %1 вже імпортовано. + Export + Експорт - The container %1 imported and export by different groups. - Оболонку %1 імпортують та експортують різні групи. + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + @@ -2121,6 +2841,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence Встановити типову &послідовність автозаповнення + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + + EditWidgetIcons @@ -2156,22 +2904,10 @@ Disable safe saves and try again? All files Всі файли - - Custom icon already exists - Свій значок вже існує - Confirm Delete Схвалити видалення - - Custom icon successfully downloaded - Користувацький занчок успішно завантажено - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - Порада: Ви можете ввімкнути DuckDuckGo як запасний варіант у Інструменти>Налаштування>Безпека - Select Image(s) Вибрати зображення @@ -2194,7 +2930,43 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - Цей значок використовує %n запис і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записи і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записів і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записів і його буде замінено на типовий значок. Ви дійсно хочете видалити його? + Цей значок використовують %n запис і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записи і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записів і його буде замінено на типовий значок. Ви дійсно хочете видалити його?Цей значок використовують %n записів і його буде замінено на типовий значок. Ви дійсно хочете видалити його? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + @@ -2241,6 +3013,30 @@ This may cause the affected plugins to malfunction. Value Значення + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2339,6 +3135,26 @@ This may cause the affected plugins to malfunction. %1Неможливо відкрити файли: %1 + + Attachments + Вкладення + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2432,17 +3248,13 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - Створити позначку ТОП - Close Закрити General - Загальні + Загальне Username @@ -2521,6 +3333,14 @@ This may cause the affected plugins to malfunction. Share Спільне використання + + Display current TOTP value + + + + Advanced + Розширене + EntryView @@ -2554,11 +3374,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - Смітник + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2576,6 +3418,58 @@ This may cause the affected plugins to malfunction. Неможливо зберегти файл сценарію для власного обміну повідомленнями. + + IconDownloaderDialog + + Download Favicons + + + + Cancel + Скасувати + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + Закрити + + + URL + URL + + + Status + Стан + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + Гаразд + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget @@ -2597,10 +3491,6 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. Неможливо видати виклик-відповідь. - - Wrong key or database file is corrupt. - Неправильний ключ або пошкоджене сховище. - missing database headers відсутні заголовки сховища @@ -2621,6 +3511,11 @@ This may cause the affected plugins to malfunction. Invalid header data length Хибна довжина даних заголовка + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer @@ -2651,10 +3546,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch Невідповідність заголовку SHA256 - - Wrong key or database file is corrupt. (HMAC mismatch) - Неправильний ключ або пошкоджене сховище. (невідповідність HMAC) - Unknown cipher Невідомий шифр @@ -2755,6 +3646,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data Хибний розмір типу поля в структурі метаданих + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2976,14 +3876,14 @@ Line %2, column %3 KeePass1OpenWidget - - Import KeePass1 database - Імпортувати сховище KeePass 1 - Unable to open the database. Неможливо відкрити сховище. + + Import KeePass1 Database + + KeePass1Reader @@ -3040,10 +3940,6 @@ Line %2, column %3 Unable to calculate master key Неможливо обчислити головний ключ - - Wrong key or database file is corrupt. - Неправильний ключ або пошкоджене сховище. - Key transformation failed Перетворення ключа зазнало невдачі @@ -3140,40 +4036,57 @@ Line %2, column %3 unable to seek to content position неможливо знайти позицію вмісту + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - Вимкнуте спільне користування + Invalid sharing reference + - Import from - Імпортувати з + Inactive share %1 + - Export to - Експортувати до + Imported from %1 + Імпортовано з %1 - Synchronize with - Узгодити з + Exported to %1 + - Disabled share %1 - Вимкнутий спільний ресурс %1 + Synchronized with %1 + - Import from share %1 - Імпортувати зі спільного ресурсу %1 + Import is disabled in settings + - Export to share %1 - Експортувати до спільного ресурсу %1 + Export is disabled in settings + - Synchronize with share %1 - Узгодити зі спільним ресурсом %1 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3217,10 +4130,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - Огляд - Generate Створити @@ -3277,6 +4186,43 @@ Message: %2 Select a key file Обрати файл-ключ + + Key file selection + + + + Browse for key file + + + + Browse... + Переглянути... + + + Generate a new key file + + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow @@ -3364,10 +4310,6 @@ Message: %2 &Settings Нала&штування - - Password Generator - Генератор паролів - &Lock databases Замкнути сховища @@ -3553,14 +4495,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... Показати QR-код ТОП... - - Check for Updates... - Перевірити наявність оновлень... - - - Share entry - Спільне використання запису - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3579,6 +4513,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. Ви завжди можете перевірити наявність оновлень з меню застосунку. + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + Завантажити фавікон + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3638,6 +4640,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 Додавання відсутнього значка %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3707,6 +4717,72 @@ Expect some bugs and minor issues, this version is not meant for production use. Будь ласка, надайте назву для показу і, можливо, іншу необов'язкову інформацію щодо Вашого нового сховища: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3806,6 +4882,17 @@ Expect some bugs and minor issues, this version is not meant for production use. Невідомий тип ключа: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3832,6 +4919,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password Створити головний пароль + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3860,22 +4963,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types Види символів - - Upper Case Letters - Великі літери - - - Lower Case Letters - Малі літери - Numbers Цифри - - Special Characters - Спеціальні символи - Extended ASCII Розширені ASCII @@ -3906,7 +4997,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Copy - Скопіювати + Cкопіювати Accept @@ -3954,20 +5045,12 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced - Розширені - - - Upper Case Letters A to F - Великі літери від A до F + Розширене A-Z A-Z - - Lower Case Letters A to F - Маленькі літери від A до F - a-z a-z @@ -4000,18 +5083,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - Мат. символи - <*+!?= <*+!?= - - Dashes - Риски - \_|-/ \_|-/ @@ -4060,6 +5135,74 @@ Expect some bugs and minor issues, this version is not meant for production use. Regenerate Оновити + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + Копіювати пароль + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4067,12 +5210,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - Вибрати + Statistics + @@ -4109,6 +5249,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge Об'єднати + + Continue + + QObject @@ -4200,10 +5344,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. Створити пароль для запису. - - Length for the generated password. - Довжина створюваного пароля. - length довжина @@ -4219,7 +5359,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the entry to clip. clip = copy to clipboard - Шлях до запису, що підлягає копіюванню. + Шлях до запису, який треба скопіювати. Timeout in seconds before clearing the clipboard. @@ -4253,18 +5393,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. Виконати поглиблений аналіз пароля. - - Extract and print the content of a database. - Видобути і надрукувати вміст сховища. - - - Path of the database to extract. - Шлях до сховища для видобування. - - - Insert password to unlock %1: - Введіть пароль для розблокування %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4309,10 +5437,6 @@ Available commands: Merge two databases. Об'єднати два сховища. - - Path of the database to merge into. - Шлях до сховища, з яким об'єднати. - Path of the database to merge from. Шлях до сховища, яке підлягає об'єднанню. @@ -4389,10 +5513,6 @@ Available commands: Browser Integration Сполучення з переглядачем - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] виклик-відповідь – гніздо %2 – %3 - Press Натиснути @@ -4423,10 +5543,6 @@ Available commands: Generate a new random password. Створити новий випадковий пароль. - - Invalid value for password length %1. - Неправильне значення довжини пароля %1. - Could not create entry with path %1. Неможливо створити запис із шляхом %1. @@ -4484,10 +5600,6 @@ Available commands: CLI parameter кількість - - Invalid value for password length: %1 - Хибне значення довжини пароля: %1 - Could not find entry with path %1. Неможливо знайти запис із шляхом %1. @@ -4612,26 +5724,6 @@ Available commands: Failed to load key file %1: %2 Завантаження файла ключа зазнало невдачі %1: %2 - - File %1 does not exist. - Файл %1 не існує. - - - Unable to open file %1. - Неможливо відкрити файл %1. - - - Error while reading the database: -%1 - Помилка читання сховища: -%1 - - - Error while parsing the database: -%1 - Помилка синтаксичного аналізу сховища: -%1 - Length of the generated password Довжина створюваного пароля @@ -4644,10 +5736,6 @@ Available commands: Use uppercase characters Використовувати великі літери - - Use numbers. - Використовувати цифри. - Use special characters Використовувати спеціальні символи @@ -4792,10 +5880,6 @@ Available commands: Successfully created new database. Нове сховище успішно створено. - - Insert password to encrypt database (Press enter to leave blank): - Введіть пароль для шифрування сховища (натисніть Ввід аби залишити пустим): - Creating KeyFile %1 failed: %2 Створення файла ключа %1 зазнало невдачі: %2 @@ -4804,10 +5888,6 @@ Available commands: Loading KeyFile %1 failed: %2 Завантаження файла ключа %1 зазнало невдачі: %2 - - Remove an entry from the database. - Видалити запис зі сховища. - Path of the entry to remove. Шлях до запису, що підлягає видаленню. @@ -4864,6 +5944,330 @@ Available commands: Cannot create new group Неможливо створити нову групу + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + Версія %1 + + + Build Type: %1 + Тип збірки: %1 + + + Revision: %1 + Ревізія: %1 + + + Distribution: %1 + Дистрибутив: %1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Операційна система: %1 +Архітектура ЦП: %2 +Ядро: %3 %4 + + + Auto-Type + Автозаповнення + + + KeeShare (signed and unsigned sharing) + KeeShare (підписане і непідписане спільне використання) + + + KeeShare (only signed sharing) + KeeShare (тільки підписане спільне використання) + + + KeeShare (only unsigned sharing) + KeeShare (тільки непідписане спільне використання) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + Відсутні + + + Enabled extensions: + Увімкнені розширення: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + Об'єднання не змінило сховище. + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -5017,6 +6421,93 @@ Available commands: Враховується регістр + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + Загальні + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + Група + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + Налаштування сховища + + + Edit database settings + + + + Unlock database + Розблокувати сховище + + + Unlock database to show more information + + + + Lock database + Заблокувати сховище + + + Unlock to show + + + + None + Відсутні + + SettingsWidgetKeeShare @@ -5140,9 +6631,100 @@ Available commands: Signer: Підписувач: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + Ключ + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + Перезаписування підписаної спільної оболонки не підтримане – експортування відвернуте + + + Could not write export container (%1) + Неможливо записати експортну оболонку (%1) + + + Could not embed signature: Could not open file to write (%1) + Неможливо вкласти підпис: неможливо відкрити файл для запису (%1) + + + Could not embed signature: Could not write file (%1) + Неможливо вкласти підпис: неможливо записати файл (%1) + + + Could not embed database: Could not open file to write (%1) + Неможливо вкласти сховище: неможливо відкрити файл для запису (%1) + + + Could not embed database: Could not write file (%1) + Неможливо вкласти сховище: неможливо записати файл (%1) + + + Overwriting unsigned share container is not supported - export prevented + Перезаписування непідписаної спільної оболонки не підтримане – експортування відвернуте + + + Could not write export container + Неможливо записати експортну оболонку + + + Unexpected export error occurred + Неочікувана помилка під час експортування + + + + ShareImport Import from container without signature Імпортування з оболонки без підпису @@ -5155,6 +6737,10 @@ Available commands: Import from container with certificate Імпортування з оболонки, що має сертифікат + + Do you want to trust %1 with the fingerprint of %2 from %3? + Довірити %1, що має відбиток %2 з %3? {1 ?} {2 ?} + Not this time Не зараз @@ -5171,18 +6757,6 @@ Available commands: Just this time Тільки зараз - - Import from %1 failed (%2) - Імпортування з %1 зазнало невдачі (%2) - - - Import from %1 successful (%2) - Успішно імпортовано з %1 (%2) - - - Imported from %1 - Імпортовано з %1 - Signed share container are not supported - import prevented Підтримання підписаних спільних оболонок відсутнє - імпортування відвернуте @@ -5223,25 +6797,20 @@ Available commands: Unknown share container type Невідомий тип спільної оболонки + + + ShareObserver - Overwriting signed share container is not supported - export prevented - Перезаписування підписаної спільної оболонки не підтримане – експортування відвернуте + Import from %1 failed (%2) + Імпортування з %1 зазнало невдачі (%2) - Could not write export container (%1) - Неможливо записати експортну оболонку (%1) + Import from %1 successful (%2) + Успішно імпортовано з %1 (%2) - Overwriting unsigned share container is not supported - export prevented - Перезаписування непідписаної спільної оболонки не підтримане – експортування відвернуте - - - Could not write export container - Неможливо записати експортну оболонку - - - Unexpected export error occurred - Неочікувана помилка під час експортування + Imported from %1 + Імпортовано з %1 Export to %1 failed (%2) @@ -5255,10 +6824,6 @@ Available commands: Export to %1 Експортування %1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - Довірити %1, що має відбиток %2 з %3? {1 ?} {2 ?} - Multiple import source path to %1 in %2 Шлях до %1 має декілька джерел імпорту в %2. @@ -5267,22 +6832,6 @@ Available commands: Conflicting export target path %1 in %2 Суперечливий шлях для експорту %1 у %2 - - Could not embed signature: Could not open file to write (%1) - Неможливо вкласти підпис: неможливо відкрити файл для запису (%1) - - - Could not embed signature: Could not write file (%1) - Неможливо вкласти підпис: неможливо записати файл (%1) - - - Could not embed database: Could not open file to write (%1) - Неможливо вкласти сховище: неможливо відкрити файл для запису (%1) - - - Could not embed database: Could not write file (%1) - Неможливо вкласти сховище: неможливо записати файл (%1) - TotpDialog @@ -5329,10 +6878,6 @@ Available commands: Setup TOTP Налаштування ТОП - - Key: - Ключ: - Default RFC 6238 token settings Типове налаштування позначки RFC 6238 @@ -5363,16 +6908,45 @@ Available commands: Розмір кодування: - 6 digits - 6 цифр + Secret Key: + - 7 digits - 7 цифр + Secret key must be in Base32 format + - 8 digits - 8 цифр + Secret key field + + + + Algorithm: + Алгоритм: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5456,6 +7030,14 @@ Available commands: Welcome to KeePassXC %1 Ласкаво просимо до KeePassXC %1 + + Import from 1Password + + + + Open a recent database + + YubiKeyEditWidget @@ -5479,5 +7061,13 @@ Available commands: No YubiKey inserted. YubiKey не підключений. + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_zh_CN.ts b/share/translations/keepassx_zh_CN.ts index e9ed56c45..1711f3983 100644 --- a/share/translations/keepassx_zh_CN.ts +++ b/share/translations/keepassx_zh_CN.ts @@ -43,18 +43,18 @@ Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - KeePassXC 团队特别感谢 debfx 开发了最初版 KeePassX + KeePassXC 团队特别感谢 debfx 开发了最初版 KeePassX。 AgentSettingsWidget Enable SSH Agent (requires restart) - 启用 SSH 代理(需要重启) + 启用 SSH 代理(需要重启) Use OpenSSH for Windows instead of Pageant - 使用OpenSSH for Windows而不是Pageant + 使用 OpenSSH for Windows 而不是 Pageant @@ -95,6 +95,14 @@ Follow style 跟随风格 + + Reset Settings? + 重新设置? + + + Are you sure you want to reset all general and security settings to default? + 您确定要将所有常规和安全设置重置为默认设置吗? + ApplicationSettingsWidgetGeneral @@ -110,18 +118,6 @@ Start only a single instance of KeePassXC 只启动一个 KeePassXC 实例 - - Remember last databases - 记住最近的数据库 - - - Remember last key files and security dongles - 记住上次的密钥文件和安全模块 - - - Load previous databases on startup - 在启动时加载最近的数据库 - Minimize window at application startup 在应用程序启动时窗口最小化 @@ -162,10 +158,6 @@ Use group icon on entry creation 新增项目时使用群组图标 - - Minimize when copying to clipboard - 复制到剪贴板后最小化 - Hide the entry preview panel 在预览面板中隐藏条目 @@ -194,10 +186,6 @@ Hide window to system tray when minimized 将窗口最小化至任务栏 - - Language - 语言 - Auto-Type 自动输入 @@ -231,21 +219,102 @@ Auto-Type start delay 启用输入时延迟 - - Check for updates at application startup - 在应用程序启动时检查更新 - - - Include pre-releases when checking for updates - 检查更新时包括预发布 - Movable toolbar 可移动工具栏 - Button style - 按钮样式 + Remember previously used databases + 记住以前使用的数据库 + + + Load previously open databases on startup + 启动时加载以前打开的数据库 + + + Remember database key files and security dongles + 记住数据库密钥文件和安全加密狗 + + + Check for updates at application startup once per week + 每周在应用程序启动时检查更新 + + + Include beta releases when checking for updates + 检查更新时包含Beta版本 + + + Button style: + 按钮样式: + + + Language: + 语言: + + + (restart program to activate) + (重新启动程序激活) + + + Minimize window after unlocking database + 解锁数据库后最小化窗口 + + + Minimize when opening a URL + 打开URL时最小化 + + + Hide window when copying to clipboard + 复制到剪贴板时隐藏窗口 + + + Minimize + 最小化 + + + Drop to background + 放到背景 + + + Favicon download timeout: + 网站图标下载超时: + + + Website icon download timeout in seconds + 网站图标下载超时 + + + sec + Seconds + + + + Toolbar button style + 工具栏按钮样式 + + + Use monospaced font for Notes + 对记录使用等宽字体 + + + Language selection + 语言选择 + + + Reset Settings to Default + 重置为默认值 + + + Global auto-type shortcut + 全局自动键入快捷方式 + + + Auto-type character typing delay milliseconds + 自动输入字符输入延迟毫秒 + + + Auto-type start delay milliseconds + @@ -320,8 +389,29 @@ 隐私 - Use DuckDuckGo as fallback for downloading website icons - 使用 DuckDuckGo 作为下载网站图标的备选 + Use DuckDuckGo service to download website icons + + + + Clipboard clear seconds + + + + Touch ID inactivity reset + + + + Database lock timeout seconds + + + + min + Minutes + + + + Clear search query after + @@ -389,6 +479,17 @@ 顺序 + + AutoTypeMatchView + + Copy &username + 复制用户名(&U) + + + Copy &password + 复制 &密码 + + AutoTypeSelectDialog @@ -397,7 +498,11 @@ Select entry to Auto-Type: - 选择自动输入的项目 + 选择自动输入的项目: + + + Search... + 搜索…… @@ -424,6 +529,14 @@ Please select whether you want to allow access. %1 请求获取这些条目的密码。 请选择是否允许。 + + Allow access + 允许访问 + + + Deny access + 拒绝访问 + BrowserEntrySaveDialog @@ -454,11 +567,7 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser - 需要使用 KeePassXC-Browser 浏览器扩展功能访问你的数据库。 - - - Enable KeepassXC browser integration - 启用 KeepassXC 浏览器集成 + 需要使用 KeePassXC-Browser 浏览器扩展功能访问你的数据库 General @@ -487,15 +596,15 @@ Please select the correct database for saving credentials. Show a &notification when credentials are requested Credentials mean login data requested via browser extension - 当请求凭据时显示通知 + 当请求凭据时显示通知(&N) Re&quest to unlock the database if it is locked - 数据库锁定时请求解锁(Q) + 数据库锁定时请求解锁(&nQ) Only entries with the same scheme (http://, https://, ...) are returned. - 只返回具有相同形式的条目。 ( http://, https://,... ) + 只返回具有相同形式的条目。 ( http://, https://,... )。 &Match URL scheme (e.g., https://...) @@ -507,17 +616,17 @@ Please select the correct database for saving credentials. &Return only best-matching credentials - 只返回最匹配的凭据 + &只返回最匹配的凭据 Sort &matching credentials by title Credentials mean login data requested via browser extension - 根据名称排列匹配的凭据 + 根据名称排列匹配的凭据(&M) Sort matching credentials by &username Credentials mean login data requested via browser extension - 根据用户名排列匹配的凭据 + 根据用户名排列匹配的凭据(&U) Advanced @@ -526,21 +635,17 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - 读取凭据时不再询问 + 读取凭据时不再询问(&A) Never ask before &updating credentials Credentials mean login data requested via browser extension - 更新凭据时不再询问 - - - Only the selected database has to be connected with a client. - 只有选定的数据库必须与一个客户端连接。 + 更新凭据时不再询问(&U) Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - 在所有打开的的数据库中搜索相符的凭据 + 在所有打开的的数据库中搜索相符的凭据(&h) Automatically creating or updating string fields is not supported. @@ -548,7 +653,7 @@ Please select the correct database for saving credentials. &Return advanced string fields which start with "KPH: " - 返回以“KPH:”开头的高级字符串字段(R) + 返回以“KPH:”开头的高级字符串字段(&R) Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. @@ -556,7 +661,7 @@ Please select the correct database for saving credentials. Update &native messaging manifest files at startup - 启动时更新 native messaging 的 manifest 文件 + 启动时更新和本机消息传递清单文件(&N) Support a proxy application between KeePassXC and browser extension. @@ -564,7 +669,7 @@ Please select the correct database for saving credentials. Use a &proxy application between KeePassXC and browser extension - 在 KeePassXC 与浏览器扩展之间使用代理程序 + 在 KeePassXC 与浏览器扩展之间使用代理程序(&P) Use a custom proxy location if you installed a proxy manually. @@ -573,7 +678,7 @@ Please select the correct database for saving credentials. Use a &custom proxy location Meant is the proxy for KeePassXC-Browser - 设置自定义代理路径 + 设置自定义代理路径(&C) Browse... @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor浏览器 - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>警告</b>,找不到keepassxc 代理应用程序!<br />请检查KeePassXC安装目录或确认高级选项中的自定义路径。<br />如果没有代理应用程序,浏览器集成将无法工作.<br /> 可执行路径: - Executable Files 可执行文件 @@ -607,7 +708,7 @@ Please select the correct database for saving credentials. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - 不要请求 http 和基本身份验证的许可 + 不要请求 http 和基本身份验证的许可(&B) Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 @@ -621,6 +722,50 @@ Please select the correct database for saving credentials. KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 浏览器集成需要KeePassXC-Browser才能工作。<br />下载%1 和 %2. %3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + + + + &Allow returning expired credentials. + + + + Enable browser integration + + + + Browsers installed as snaps are currently not supported. + + + + All databases connected to the extension will return matching credentials. + + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + + + + &Do not prompt for KeePassHTTP settings migration. + + + + Custom proxy location field + + + + Browser for custom proxy file + + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + + BrowserService @@ -675,7 +820,7 @@ Do you want to overwrite it? Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - 成功转换了 %1 个条目的属性(s) + 成功转换了 %1 个条目的属性。 将 %2 个密钥移动到自定义数据。 @@ -713,6 +858,10 @@ Would you like to migrate your existing settings now? 这是保持当前浏览器连接所必需的。 是否要立即迁移现有设置? + + Don't show this warning again + 不再显示此警告 + CloneDialog @@ -757,24 +906,20 @@ Would you like to migrate your existing settings now? Text is qualified by - 文本由此通过验证: + 文本由此通过验证 Fields are separated by - 字段分隔: + 字段分隔 Comments start with - 评论以此开头: + 评论以此开头 First record has field names 第一条记录包含字段名称 - - Number of headers line to discard - 将丢弃的起始行数 - Consider '\' an escape character 将 \ 作为转义字符 @@ -813,11 +958,11 @@ Would you like to migrate your existing settings now? Error(s) detected in CSV file! - 在 CSV 文件中检测到错误(s)! + 在 CSV 文件中检测到错误! [%n more message(s) skipped] - [%n 信息(s) 被跳过] + [%n 跳过更多消息] CSV import: writer has errors: @@ -825,6 +970,22 @@ Would you like to migrate your existing settings now? CSV 导入: 编辑器错误: %1 + + Text qualification + + + + Field separation + + + + Number of header lines to discard + + + + CSV import preview + CSV 导入预览 + CsvParserModel @@ -839,11 +1000,11 @@ Would you like to migrate your existing settings now? %n byte(s) - %n 字节(s) + %n 字节 %n row(s) - %n 行(s) + %n 行 @@ -865,10 +1026,6 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 读取数据库时出错: %1 - - Could not save, database has no file name. - 无法保存,数据库没有文件名。 - File cannot be written as it is opened in read-only mode. 文件无法写入,因为它以只读模式打开。 @@ -877,6 +1034,27 @@ Would you like to migrate your existing settings now? Key not transformed. This is a bug, please report it to the developers! 密钥未转换。这是一个bug,请报告给开发者! + + %1 +Backup database located at %2 + + + + Could not save, database does not point to a valid file. + + + + Could not save, database file is read-only. + + + + Database file has unmerged changes. + + + + Recycle Bin + 回收站 + DatabaseOpenDialog @@ -887,30 +1065,14 @@ Would you like to migrate your existing settings now? DatabaseOpenWidget - - Enter master key - 输入主密码 - Key File: 密钥文件: - - Password: - 密码: - - - Browse - 浏览 - Refresh 刷新 - - Challenge Response: - 挑战应答: - Legacy key file format 旧式密钥文件格式 @@ -941,20 +1103,96 @@ Please consider generating a new key file. 选择密钥文件 - TouchID for quick unlock - TouchID 快速解锁 + Failed to open key file: %1 + 无法打开密钥文件:%1 - Unable to open the database: -%1 - 无法打开数据库: -%1 + Select slot... + - Can't open key file: -%1 - 无法打开密钥文件: -%1 + Unlock KeePassXC Database + + + + Enter Password: + + + + Password field + + + + Toggle password visibility + + + + Enter Additional Credentials: + + + + Key file selection + + + + Hardware key slot selection + + + + Browse for key file + + + + Browse... + 浏览... + + + Refresh hardware tokens + + + + Hardware Key: + + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + + + + Hardware key help + + + + TouchID for Quick Unlock + + + + Clear + 清除 + + + Clear Key File + 清除密钥文件 + + + Select file... + + + + Unlock failed and no password given + + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + + + + Retry with empty password + @@ -999,15 +1237,15 @@ Please consider generating a new key file. &Disconnect all browsers - 断开与所有浏览器的关联 + 断开与所有浏览器的关联(&D) Forg&et all site-specific settings on entries - 取消条目上所有特定于站点的设置 + 取消条目上所有特定于站点的设置(&E) Move KeePassHTTP attributes to KeePassXC-Browser &custom data - 将KeePassHTTP属性移动到KeePassXC-Browser和自定义数据 + 将KeePassHTTP属性移动到KeePassXC-Browser和自定义数据(&C) Stored keys @@ -1063,7 +1301,7 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - 已成功从KeePassXC设置中删除了 %n 个加密密钥(s)。 + 已成功从keepassxc设置中删除 %n 个加密密钥。 Forget all site-specific settings on entries @@ -1089,7 +1327,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - 已成功从 %n 个条目(s)中删除权限。 + 已成功从 %n 个条目中删除权限。 KeePassXC: No entry with permissions found! @@ -1109,6 +1347,14 @@ This is necessary to maintain compatibility with the browser plugin. 您确定要将所有旧版浏览器集成数据移至最新标准吗? 这对于保持与浏览器插件的兼容性是必要的。 + + Stored browser keys + + + + Remove selected key + + DatabaseSettingsWidgetEncryption @@ -1239,17 +1485,68 @@ If you keep this number, your database may be too easy to crack! thread(s) Threads for parallel execution (KDF settings) - 线程(s) + thread(s) %1 ms milliseconds - %1 毫秒 + %1 ms %1 s seconds - %1 秒 + %1 s + + + Change existing decryption time + + + + Decryption time in seconds + + + + Database format + + + + Encryption algorithm + + + + Key derivation function + + + + Transform rounds + + + + Memory usage + + + + Parallelism + + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + + + + Don't e&xpose this database + + + + Expose entries &under this group: + + + + Enable fd.o Secret Service to access these settings. + @@ -1284,7 +1581,7 @@ If you keep this number, your database may be too easy to crack! MiB - MiB + MiB Use recycle bin @@ -1296,7 +1593,40 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) - 启用压缩 (推荐) + 启用压缩(推荐)(&C) + + + Database name field + + + + Database description field + + + + Default username field + + + + Maximum number of history items per entry + + + + Maximum size of history per entry + + + + Delete Recycle Bin + + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + + + + (old) + @@ -1365,6 +1695,10 @@ Are you sure you want to continue without a password? Failed to change master key 无法更改主密钥 + + Continue without password + + DatabaseSettingsWidgetMetaDataSimple @@ -1376,6 +1710,129 @@ Are you sure you want to continue without a password? Description: 描述: + + Database name field + + + + Database description field + + + + + DatabaseSettingsWidgetStatistics + + Statistics + + + + Hover over lines with error icons for further information. + + + + Name + 名称 + + + Value + + + + Database name + + + + Description + + + + Location + + + + Last saved + + + + Unsaved changes + + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + + + + Number of groups + + + + Number of entries + + + + Number of expired entries + + + + The database contains entries that have expired. + + + + Unique passwords + + + + Non-unique passwords + + + + More than 10% of passwords are reused. Use unique passwords when possible. + + + + Maximum password reuse + + + + Some passwords are used more than three times. Use unique passwords when possible. + + + + Number of short passwords + + + + Recommended minimum password length is at least 8 characters. + + + + Number of weak passwords + + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + + + + Average password length + + + + %1 characters + + + + Average password length is less than ten characters. Longer passwords provide more security. + + DatabaseTabWidget @@ -1413,7 +1870,7 @@ Are you sure you want to continue without a password? Writing the CSV file failed. - 写入 CSV 文件失败 + 写入 CSV 文件失败。 Database creation error @@ -1425,10 +1882,6 @@ This is definitely a bug, please report it to the developers. 创建的数据库没有密钥或KDF,拒绝保存 这是一个错误,请向开发人员报告。 - - The database file does not exist or is not accessible. - 数据库文件不存在或无法访问。 - Select CSV file 选择CSV文件 @@ -1452,6 +1905,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [只读] + + Failed to open %1. It either does not exist or is not accessible. + + + + Export database to HTML file + + + + HTML file + + + + Writing the HTML file failed. + + + + Export Confirmation + + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + + DatabaseWidget @@ -1469,7 +1946,7 @@ This is definitely a bug, please report it to the developers. Do you really want to move %n entry(s) to the recycle bin? - 你确定要将 %n 个项目移到垃圾桶? + 您是否想将 %n 个条目移动到回收站吗? Execute command? @@ -1531,19 +2008,15 @@ Do you want to merge your changes? Do you really want to delete %n entry(s) for good? - 你真的想删除 %n 个条目(s)吗? + 你真的想删除 %n 个条目吗? Delete entry(s)? - 删除项目(s)? + 删除条目? Move entry(s) to recycle bin? - 移动项目(s)到回收站? - - - File opened in read only mode. - 文件在只读模式下打开。 + 将条目移至回收站? Lock Database? @@ -1584,12 +2057,6 @@ Error: %1 Disable safe saves and try again? KeePassXC未能多次保存数据库。 这可能是由保存文件锁定的文件同步服务引起的。 禁用安全保存并重试? - - - Writing the database failed. -%1 - 写入数据库失败 -%1 Passwords @@ -1609,7 +2076,7 @@ Disable safe saves and try again? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - 条目"%1"具有 %2 引用。是否要用值覆盖引用、跳过此项或是否无论如何删除引用? + 条目 "%1" 具有 %2 个引用。 是否要使用值覆盖引用,跳过此条目或删除? Delete group @@ -1635,6 +2102,14 @@ Disable safe saves and try again? Shared group... 共享群组... + + Writing the database failed: %1 + 写入数据库失败: %1 + + + This database is opened in read-only mode. Autosave is disabled. + + EditEntryWidget @@ -1680,7 +2155,7 @@ Disable safe saves and try again? File too large to be a private key - 作为一个私钥来说,这个文件太大了。 + 文件太大而不能作为私钥 Failed to open private key @@ -1700,7 +2175,7 @@ Disable safe saves and try again? Different passwords supplied. - 密码不一致 + 密码不一致。 New attribute @@ -1748,12 +2223,24 @@ Disable safe saves and try again? %n year(s) - %n 年(s) + %n 年 Confirm Removal 确认删除 + + Browser Integration + 浏览器集成 + + + <empty URL> + <empty URL> + + + Are you sure you want to remove this URL? + + EditEntryWidgetAdvanced @@ -1793,6 +2280,42 @@ Disable safe saves and try again? Background Color: 背景色: + + Attribute selection + + + + Attribute value + + + + Add a new attribute + + + + Remove selected attribute + + + + Edit attribute name + + + + Toggle attribute protection + + + + Show a protected attribute + + + + Foreground color selection + + + + Background color selection + + EditEntryWidgetAutoType @@ -1802,11 +2325,11 @@ Disable safe saves and try again? Inherit default Auto-Type sequence from the &group - 从父群组继承默认的自动输入顺序(G) + 从父&群组继承默认的自动输入顺序 &Use custom Auto-Type sequence: - 使用自定义自动输入顺序(U) + &使用自定义自动输入顺序: Window Associations @@ -1828,6 +2351,77 @@ Disable safe saves and try again? Use a specific sequence for this association: 使用特定序列进行此关联: + + Custom Auto-Type sequence + + + + Open Auto-Type help webpage + + + + Existing window associations + + + + Add new window association + + + + Remove selected window association + + + + You can use an asterisk (*) to match everything + + + + Set the window association title + + + + You can use an asterisk to match everything + + + + Custom Auto-Type sequence for this window + + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + + + + General + 常规 + + + Skip Auto-Submit for this entry + + + + Hide this entry from the browser extension + + + + Additional URL's + + + + Add + 添加 + + + Remove + 移除 + + + Edit + 编辑 + EditEntryWidgetHistory @@ -1847,6 +2441,26 @@ Disable safe saves and try again? Delete all 全部删除 + + Entry history selection + + + + Show entry at selected history state + + + + Restore entry to selected history state + + + + Delete selected history state + + + + Delete all history + + EditEntryWidgetMain @@ -1886,6 +2500,62 @@ Disable safe saves and try again? Expires 过期 + + Url field + + + + Download favicon for URL + + + + Repeat password field + + + + Toggle password generator + + + + Password field + + + + Toggle password visibility + + + + Toggle notes visible + + + + Expiration field + + + + Expiration Presets + + + + Expiration presets + + + + Notes field + + + + Title field + + + + Username field + + + + Toggle expiration + + EditEntryWidgetSSHAgent @@ -1962,6 +2632,22 @@ Disable safe saves and try again? Require user confirmation when this key is used 使用此密钥时需要用户确认 + + Remove key from agent after specified seconds + + + + Browser for key file + + + + External key file + + + + Select attachment file + + EditGroupWidget @@ -1997,6 +2683,10 @@ Disable safe saves and try again? Inherit from parent group (%1) 继承自父群组(%1) + + Entry has unsaved changes + 项目有未保存的更改 + EditGroupWidgetKeeShare @@ -2024,34 +2714,6 @@ Disable safe saves and try again? Inactive 无效 - - Import from path - 从路径导入 - - - Export to path - 导出到路径 - - - Synchronize with path - 与路径同步 - - - Your KeePassXC version does not support sharing your container type. Please use %1. - 您的KeePassXC版本不支持共享您的容器类型。请使用%1。 - - - Database sharing is disabled - 数据库共享已禁用 - - - Database export is disabled - 数据库导出被禁用 - - - Database import is disabled - 数据库导入被禁用 - KeeShare unsigned container keshare 未签名的容器 @@ -2077,16 +2739,74 @@ Disable safe saves and try again? 清除 - The export container %1 is already referenced. - 导出容器 %1 已被引用。 + Import + 导入 - The import container %1 is already imported. - 导入容器 %1 已导入。 + Export + 输出 - The container %1 imported and export by different groups. - 容器 %1 由不同的群组导入和导出。 + Synchronize + + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + + + + %1 is already being exported by this database. + + + + %1 is already being imported by this database. + + + + %1 is being imported and exported by different groups in this database. + + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + + + + Database export is currently disabled by application settings. + + + + Database import is currently disabled by application settings. + + + + Sharing mode field + + + + Path to share file field + + + + Browser for share file + + + + Password field + + + + Toggle password visibility + + + + Toggle password generator + + + + Clear fields + @@ -2113,22 +2833,50 @@ Disable safe saves and try again? &Use default Auto-Type sequence of parent group - 使用父群组的默认自动输入顺序(U) + &使用父群组的默认自动输入顺序(U) Set default Auto-Type se&quence - 设置默认自动输入顺序(Q) + &设置默认自动输入顺序(Q) + + + Name field + + + + Notes field + + + + Toggle expiration + + + + Auto-Type toggle for this and sub groups + + + + Expiration field + + + + Search toggle for this and sub groups + + + + Default auto-type sequence field + EditWidgetIcons &Use default icon - 使用默认图标(U) + 使用默认图标(&U) Use custo&m icon - 使用自定义图标(M) + 使用自定义图标(&M) Add custom icon @@ -2144,7 +2892,7 @@ Disable safe saves and try again? Unable to fetch favicon. - 无法获取网站图标 + 无法获取网站图标。 Images @@ -2154,29 +2902,17 @@ Disable safe saves and try again? All files 所有文件 - - Custom icon already exists - 已经存在自定义图标 - Confirm Delete 确认删除 - - Custom icon successfully downloaded - 自定义图标已成功下载 - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - 提示:您可以在工具>设置>安全性下启用DuckDuckGo作为后备 - Select Image(s) 选择图像 Successfully loaded %1 of %n icon(s) - 已成功加载 %1 / %n 图标 + 已成功加载 %1 个 %n 图标 No icons were loaded @@ -2194,6 +2930,42 @@ Disable safe saves and try again? This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? 此图标由 %n 个条目使用,并将替换为默认图标。 你确定你要删除吗? + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + + + + Download favicon for URL + + + + Apply selected icon to subgroups and entries + + + + Apply icon &to ... + + + + Apply to this only + + + + Also apply to child groups + + + + Also apply to child entries + + + + Also apply to all children + + + + Existing icon selected. + + EditWidgetProperties @@ -2239,6 +3011,30 @@ This may cause the affected plugins to malfunction. Value + + Datetime created + + + + Datetime modified + + + + Datetime accessed + + + + Unique ID + + + + Plugin data + + + + Remove selected plugin data + + Entry @@ -2286,7 +3082,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - 你确定要删除%n个附件吗? + 您确定要删除 %n 个附件吗? Save attachments @@ -2300,7 +3096,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to overwrite the existing file "%1" with the attachment? - 您确定要用附件覆盖现有文件“%1”吗? + 您确定要用附件覆盖现有文件"%1"吗? Confirm overwrite @@ -2330,9 +3126,29 @@ This may cause the affected plugins to malfunction. Unable to open file(s): %1 - 无法打开文件: + 无法打开文件: %1 + + Attachments + 附件 + + + Add new attachment + + + + Remove selected attachment + + + + Open selected attachment + + + + Save selected attachment to disk + + EntryAttributesModel @@ -2426,10 +3242,6 @@ This may cause the affected plugins to malfunction. EntryPreviewWidget - - Generate TOTP Token - 生成 TOTP 令牌 - Close 关闭 @@ -2515,6 +3327,14 @@ This may cause the affected plugins to malfunction. Share 共享 + + Display current TOTP value + + + + Advanced + 高级 + EntryView @@ -2548,11 +3368,33 @@ This may cause the affected plugins to malfunction. - Group + FdoSecrets::Item - Recycle Bin - 回收站 + Entry "%1" from database "%2" was used by %3 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + + + + %n Entry(s) was used by %1 + %1 is the name of an application + + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + + + + + Group [empty] group has no children @@ -2570,11 +3412,63 @@ This may cause the affected plugins to malfunction. 无法保存本机消息传递脚本文件。 + + IconDownloaderDialog + + Download Favicons + + + + Cancel + 取消 + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + + + + Close + 关闭 + + + URL + 网址 + + + Status + 状态 + + + Please wait, processing entry list... + + + + Downloading... + + + + Ok + 确定 + + + Already Exists + + + + Download Failed + + + + Downloading favicons (%1/%2)... + + + KMessageWidget &Close - 关闭 + &关闭 Close message @@ -2589,11 +3483,7 @@ This may cause the affected plugins to malfunction. Unable to issue challenge-response. - 无法发出挑战应答 - - - Wrong key or database file is corrupt. - 密钥错误或数据库损坏 + 无法发出挑战应答。 missing database headers @@ -2615,12 +3505,17 @@ This may cause the affected plugins to malfunction. Invalid header data length 无效的标头数据长度 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + Kdbx3Writer Unable to issue challenge-response. - 无法发出挑战应答 + 无法发出挑战应答。 Unable to calculate master key @@ -2645,10 +3540,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch SHA256标头不匹配 - - Wrong key or database file is corrupt. (HMAC mismatch) - 错误的密钥或数据库文件已损坏。 (HMAC不匹配) - Unknown cipher 未知的加密 @@ -2749,6 +3640,15 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data 无效的变量映射字段类型大小 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + + + (HMAC mismatch) + + Kdbx4Writer @@ -2811,7 +3711,7 @@ This may cause the affected plugins to malfunction. Not a KeePass database. - 不是 KeePass 数据库 + 不是 KeePass 数据库。 The selected file is an old KeePass 1 database (.kdb). @@ -2970,31 +3870,31 @@ Line %2, column %3 KeePass1OpenWidget - Import KeePass1 database - 导入 KeePass 1 数据库 + Unable to open the database. + 无法打开数据库。 - Unable to open the database. - 无法打开数据库 + Import KeePass1 Database + KeePass1Reader Unable to read keyfile. - 无法读取密钥文件 + 无法读取密钥文件。 Not a KeePass database. - 不是 KeePass 数据库 + 不是 KeePass 数据库。 Unsupported encryption algorithm. - 不支持的加密算法 + 不支持的加密算法。 Unsupported KeePass database version. - 不支持的 KeePass 数据库版本 + 不支持的 KeePass 数据库版本。 Unable to read encryption IV @@ -3033,10 +3933,6 @@ Line %2, column %3 Unable to calculate master key 无法计算主密码 - - Wrong key or database file is corrupt. - 密钥错误或数据库损坏 - Key transformation failed 密钥转换失败 @@ -3133,40 +4029,57 @@ Line %2, column %3 unable to seek to content position 无法寻求满足的内容 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + + KeeShare - Disabled share - 禁用共享 + Invalid sharing reference + - Import from - 从导入 + Inactive share %1 + - Export to - 导出到 + Imported from %1 + 从%1导入 - Synchronize with - 与同步 + Exported to %1 + - Disabled share %1 - 已禁用共享 %1 + Synchronized with %1 + - Import from share %1 - 从共享 %1 导入 + Import is disabled in settings + - Export to share %1 - 导出到共享 %1 + Export is disabled in settings + - Synchronize with share %1 - 与共享 %1 同步 + Inactive share + + + + Imported from + + + + Exported to + + + + Synchronized with + @@ -3210,10 +4123,6 @@ Line %2, column %3 KeyFileEditWidget - - Browse - 浏览 - Generate 生成 @@ -3270,68 +4179,105 @@ Message: %2 Select a key file 选择密钥文件 + + Key file selection + + + + Browse for key file + 浏览密钥文件 + + + Browse... + 浏览... + + + Generate a new key file + 生成一个新的密钥文件 + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + + + + Invalid Key File + 无效的密钥文件 + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + + + + Suspicious Key File + + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + + MainWindow &Database - 数据库(D) + 数据库(&D) &Recent databases - 最近的数据库(R) + 最近的数据库(&R) &Help - 帮助(H) + 帮助(&H) E&ntries - 项目(N) + 项目(&N) &Groups - 群组(G) + 群组(&G) &Tools - 工具(T) + 工具(&T) &Quit - 退出(Q) + 退出(&Q) &About - 关于(A) + 关于(&A) &Open database... - 打开数据库(O)... + 打开数据库(&O)... &Save database - 保存数据库(S) + 保存数据库(&S) &Close database - 关闭数据库(C) + 关闭数据库(&C) &Delete entry - 删除项目(D) + 删除项目(&D) &Edit group - 编辑群组(E) + 编辑群组(&E) &Delete group - 删除群组(D) + 删除群组(&D) Sa&ve database as... - 数据库另存为(V)... + 数据库另存为(&V)... Database settings @@ -3339,11 +4285,11 @@ Message: %2 &Clone entry - 复制项目(C) + 复制项目(&C) Copy &username - 复制用户名(U) + 复制用户名(&U) Copy username to clipboard @@ -3355,19 +4301,15 @@ Message: %2 &Settings - 设置(S) - - - Password Generator - 密码生成器 + 设置(&S) &Lock databases - 锁定数据库(L) + 锁定数据库(&L) &Title - 标题(T) + 标题(&T) Copy title to clipboard @@ -3375,7 +4317,7 @@ Message: %2 &URL - 网址(U) + 网址(&U) Copy URL to clipboard @@ -3383,7 +4325,7 @@ Message: %2 &Notes - 备注(N) + 备注(&N) Copy notes to clipboard @@ -3391,7 +4333,7 @@ Message: %2 &Export to CSV file... - 导出为 CSV 文件(E)... + 导出为 CSV 文件(&E)... Set up TOTP... @@ -3399,11 +4341,11 @@ Message: %2 Copy &TOTP - 复制 TOTP 密码(T) + 复制 TOTP 密码(&T) E&mpty recycle bin - 清空回收站 + 清空回收站(&m) Clear history @@ -3457,7 +4399,7 @@ We recommend you use the AppImage available on our downloads page. Copy att&ribute... - 复制 att&ribute... + 复制属性(&R)... TOTP... @@ -3465,7 +4407,7 @@ We recommend you use the AppImage available on our downloads page. &New database... - &新数据库... + 新数据库(&N)... Create a new database @@ -3505,7 +4447,7 @@ We recommend you use the AppImage available on our downloads page. Change master &key... - 修改主密钥... + 修改主密钥(&K)... &Database settings... @@ -3517,7 +4459,7 @@ We recommend you use the AppImage available on our downloads page. Perform &Auto-Type - 执行和自动键入 + 执行和自动键入(&A) Open &URL @@ -3547,14 +4489,6 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... 显示TOTP 二维码... - - Check for Updates... - 正在检查更新..。 - - - Share entry - 共享条目 - NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. @@ -3573,6 +4507,74 @@ Expect some bugs and minor issues, this version is not meant for production use. You can always check for updates manually from the application menu. 您始终可以从应用程序菜单手动检查更新。 + + &Export + + + + &Check for Updates... + + + + Downlo&ad all favicons + + + + Sort &A-Z + + + + Sort &Z-A + + + + &Password Generator + + + + Download favicon + 下载网站图标 + + + &Export to HTML file... + + + + 1Password Vault... + + + + Import a 1Password Vault + + + + &Getting Started + + + + Open Getting Started Guide PDF + + + + &Online Help... + + + + Go to online documentation (opens browser) + + + + &User Guide + + + + Open User Guide PDF + + + + &Keyboard Shortcuts + + Merger @@ -3632,6 +4634,14 @@ Expect some bugs and minor issues, this version is not meant for production use. Adding missing icon %1 添加缺少的图标 %1 + + Removed custom data %1 [%2] + + + + Adding custom data %1 [%2] + + NewDatabaseWizard @@ -3653,7 +4663,7 @@ Expect some bugs and minor issues, this version is not meant for production use. En&cryption Settings - 加密设置 + 加密设置(&C) Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. @@ -3701,6 +4711,72 @@ Expect some bugs and minor issues, this version is not meant for production use. 请填写新数据库的显示名称和可选说明: + + OpData01 + + Invalid OpData01, does not contain header + + + + Unable to read all IV bytes, wanted 16 but got %1 + + + + Unable to init cipher for opdata01: %1 + + + + Unable to read all HMAC signature bytes + + + + Malformed OpData01 due to a failed HMAC + + + + Unable to process clearText in place + + + + Expected %1 bytes of clear-text, found %2 + + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + + + + + OpVaultReader + + Directory .opvault must exist + + + + Directory .opvault must be readable + + + + Directory .opvault/default must exist + + + + Directory .opvault/default must be readable + + + + Unable to decode masterKey: %1 + + + + Unable to derive master key: %1 + + + OpenSSHKey @@ -3800,6 +4876,17 @@ Expect some bugs and minor issues, this version is not meant for production use. 未知密钥类型: %1 + + PasswordEdit + + Passwords do not match + + + + Passwords match so far + + + PasswordEditWidget @@ -3826,6 +4913,22 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate master password 生成主密码 + + Password field + + + + Toggle password visibility + + + + Repeat password field + + + + Toggle password generator + + PasswordGeneratorWidget @@ -3854,22 +4957,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types 字符类型 - - Upper Case Letters - 大写字母 - - - Lower Case Letters - 小写字母 - Numbers 数字 - - Special Characters - 特殊字符 - Extended ASCII 扩展 ASCII @@ -3884,7 +4975,7 @@ Expect some bugs and minor issues, this version is not meant for production use. &Length: - 长度(L): + 长度(&L): Passphrase @@ -3950,18 +5041,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced 高级 - - Upper Case Letters A to F - 大写字母A到F - A-Z A-Z - - Lower Case Letters A to F - 小写字母A至F - a-z a-z @@ -3994,18 +5077,10 @@ Expect some bugs and minor issues, this version is not meant for production use. " ' " ' - - Math - 数学 - <*+!?= <*+!?= - - Dashes - 破折号 - \_|-/ \_|-/ @@ -4048,12 +5123,80 @@ Expect some bugs and minor issues, this version is not meant for production use. Word Co&unt: - 字数: + 字数(&u): Regenerate 再生 + + Generated password + + + + Upper-case letters + + + + Lower-case letters + + + + Special characters + + + + Math Symbols + + + + Dashes and Slashes + + + + Excluded characters + + + + Hex Passwords + + + + Password length + + + + Word Case: + + + + Regenerate password + + + + Copy password + 复制密码 + + + Accept password + + + + lower case + + + + UPPER CASE + + + + Title Case + + + + Toggle password visibility + + QApplication @@ -4061,12 +5204,9 @@ Expect some bugs and minor issues, this version is not meant for production use. KeeShare KeeShare - - - QFileDialog - Select - 选择 + Statistics + @@ -4103,6 +5243,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Merge 合并 + + Continue + + QObject @@ -4160,7 +5304,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Path of the database. - 数据库路径 + 数据库路径。 Key file of the database. @@ -4194,10 +5338,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. 为条目生成密码。 - - Length for the generated password. - 生成密码的长度。 - length 长度 @@ -4247,18 +5387,6 @@ Expect some bugs and minor issues, this version is not meant for production use. Perform advanced analysis on the password. 对密码执行高级分析。 - - Extract and print the content of a database. - 提取并打印数据库内容 - - - Path of the database to extract. - 将提取的数据库路径 - - - Insert password to unlock %1: - 插入密码以解锁%1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4281,11 +5409,11 @@ Available commands: Name of the command to execute. - 将执行的命令名称 + 将执行的命令名称。 List database entries. - 列出数据库项目 + 列出数据库项目。 Path of the group to list. Default is / @@ -4301,15 +5429,11 @@ Available commands: Merge two databases. - 合并两个数据库 - - - Path of the database to merge into. - 合并成的数据库路径 + 合并两个数据库。 Path of the database to merge from. - 将合并的数据库路径 + 要合并的数据库的路径。 Use the same credentials for both database files. @@ -4333,7 +5457,7 @@ Available commands: Name of the entry to show. - 项目名称 + 项目名称。 NULL device @@ -4381,11 +5505,7 @@ Available commands: Browser Integration - 浏览器配合 - - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] 挑战应答 - Slot %2 - %3 + 浏览器集成 Press @@ -4417,10 +5537,6 @@ Available commands: Generate a new random password. 生成一个新的随机密码。 - - Invalid value for password length %1. - 密码长度 %1 的值无效。 - Could not create entry with path %1. 无法创建路径为 %1 的项目。 @@ -4478,10 +5594,6 @@ Available commands: CLI parameter - - Invalid value for password length: %1 - 密码长度的值无效:%1 - Could not find entry with path %1. 找不到路径为 %1的项目。 @@ -4606,26 +5718,6 @@ Available commands: Failed to load key file %1: %2 无法加载密钥文件 %1: %2 - - File %1 does not exist. - 文件 %1 不存在。 - - - Unable to open file %1. - 无法打开文件 %1。 - - - Error while reading the database: -%1 - 读取数据库时出错: -%1 - - - Error while parsing the database: -%1 - 解析数据库时出错: -%1 - Length of the generated password 生成密码的长度 @@ -4638,10 +5730,6 @@ Available commands: Use uppercase characters 使用大写字符 - - Use numbers. - 使用数字。 - Use special characters 使用特殊字符 @@ -4672,7 +5760,7 @@ Available commands: Cannot find group %1. - 找不到群组%1。 + 找不到组%1。 Error reading merge file: @@ -4760,7 +5848,7 @@ Available commands: No groups found - 未找到群组 + 未找到组 Create a new database. @@ -4786,10 +5874,6 @@ Available commands: Successfully created new database. 已成功创建新数据库。 - - Insert password to encrypt database (Press enter to leave blank): - 插入密码加密数据库 (按回车键留空): - Creating KeyFile %1 failed: %2 创建密钥文件%1失败:%2 @@ -4798,10 +5882,6 @@ Available commands: Loading KeyFile %1 failed: %2 加载密钥文件 %1 失败: %2 - - Remove an entry from the database. - 从数据库中删除条目。 - Path of the entry to remove. 要删除的条目的路径。 @@ -4858,6 +5938,330 @@ Available commands: Cannot create new group 无法创建新群组 + + Deactivate password key for the database. + + + + Displays debugging information. + + + + Deactivate password key for the database to merge from. + + + + Version %1 + 版本 %1 + + + Build Type: %1 + 构建类型: %1 + + + Revision: %1 + 修订版本:%1 + + + Distribution: %1 + 发行版:%1 + + + Debugging mode is disabled. + + + + Debugging mode is enabled. + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + 操作系统:%1 +CPU 架构:%2 +内核:%3 %4 + + + Auto-Type + 自动输入 + + + KeeShare (signed and unsigned sharing) + KeeShare (签名和未签名共享) + + + KeeShare (only signed sharing) + KeeShare (仅限签名共享) + + + KeeShare (only unsigned sharing) + KeeShare (仅限未签名共享) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + + + + Enabled extensions: + 已启用的扩展: + + + Cryptographic libraries: + + + + Cannot generate a password and prompt at the same time! + + + + Adds a new group to a database. + + + + Path of the group to add. + + + + Group %1 already exists! + + + + Group %1 not found. + + + + Successfully added group %1. + + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + + + + FILENAME + + + + Analyze passwords for weaknesses and problems. + + + + Failed to open HIBP file %1: %2 + + + + Evaluating database entries against HIBP file, this will take a while... + + + + Close the currently opened database. + + + + Display this help. + + + + Yubikey slot used to encrypt the database. + + + + slot + + + + Invalid word count %1 + + + + The word list is too small (< 1000 items) + + + + Exit interactive mode. + + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + + + + Exports the content of a database to standard output in the specified format. + + + + Unable to export database to XML: %1 + + + + Unsupported format %1 + + + + Use numbers + + + + Invalid password length %1 + + + + Display command help. + + + + Available commands: + + + + Import the contents of an XML database. + + + + Path of the XML database export. + + + + Path of the new database. + + + + Unable to import XML database export %1 + + + + Successfully imported database. + + + + Unknown command %1 + + + + Flattens the output to single lines. + + + + Only print the changes detected by the merge operation. + + + + Yubikey slot for the second database. + + + + Successfully merged %1 into %2. + + + + Database was not modified by merge operation. + 合并操作未修改数据库。 + + + Moves an entry to a new group. + + + + Path of the entry to move. + + + + Path of the destination group. + + + + Could not find group with path %1. + + + + Entry is already in group %1. + + + + Successfully moved entry %1 to group %2. + + + + Open a database. + + + + Path of the group to remove. + + + + Cannot remove root group from database. + + + + Successfully recycled group %1. + + + + Successfully deleted group %1. + + + + Failed to open database file %1: not found + + + + Failed to open database file %1: not a plain file + + + + Failed to open database file %1: not readable + + + + Enter password to unlock %1: + + + + Invalid YubiKey slot %1 + + + + Please touch the button on your YubiKey to unlock %1 + + + + Enter password to encrypt database (optional): + + + + HIBP file, line %1: parse error + + + + Secret Service Integration + + + + User name + + + + %1[%2] Challenge Response - Slot %3 - %4 + + + + Password for '%1' has been leaked %2 time(s)! + + + + Invalid password generator after applying all options + + QtIOCompressor @@ -5011,6 +6415,93 @@ Available commands: 区分大小写 + + SettingsWidgetFdoSecrets + + Options + + + + Enable KeepassXC Freedesktop.org Secret Service integration + + + + General + 常规 + + + Show notification when credentials are requested + + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + + + + Don't confirm when entries are deleted by clients. + + + + Exposed database groups: + + + + File Name + + + + Group + 群组 + + + Manage + + + + Authorization + + + + These applications are currently connected: + + + + Application + + + + Disconnect + + + + Database settings + 数据库设置 + + + Edit database settings + + + + Unlock database + 解锁数据库 + + + Unlock database to show more information + + + + Lock database + 锁定数据库 + + + Unlock to show + + + + None + + + SettingsWidgetKeeShare @@ -5134,9 +6625,100 @@ Available commands: Signer: 签名: + + Allow KeeShare imports + + + + Allow KeeShare exports + + + + Only show warnings and errors + + + + Key + 密钥 + + + Signer name field + + + + Generate new certificate + + + + Import existing certificate + + + + Export own certificate + + + + Known shares + + + + Trust selected certificate + + + + Ask whether to trust the selected certificate every time + + + + Untrust selected certificate + + + + Remove selected certificate + + - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + 不支持覆盖签名的共享容器-防止导出 + + + Could not write export container (%1) + 无法写入导出容器 (%1) + + + Could not embed signature: Could not open file to write (%1) + 无法嵌入签名:无法打开要写入的文件 (%1) + + + Could not embed signature: Could not write file (%1) + 无法嵌入签名:无法写入文件 (%1) + + + Could not embed database: Could not open file to write (%1) + 无法嵌入数据库:无法打开要写入的文件 (%1) + + + Could not embed database: Could not write file (%1) + 无法嵌入数据库:无法写入文件 (%1) + + + Overwriting unsigned share container is not supported - export prevented + 不支持覆盖未签名的共享容器-防止导出 + + + Could not write export container + 无法写入导出容器 + + + Unexpected export error occurred + 出现意外的导出错误 + + + + ShareImport Import from container without signature 从没有签名的容器导入 @@ -5149,6 +6731,10 @@ Available commands: Import from container with certificate 从带有证书的容器导入 + + Do you want to trust %1 with the fingerprint of %2 from %3? + 是否要信任 %1, 来自 %3 的 %2 的指纹? + Not this time 本次取消 @@ -5165,18 +6751,6 @@ Available commands: Just this time 现在 - - Import from %1 failed (%2) - 从%1 导入失败 (%2) - - - Import from %1 successful (%2) - 从%1导入成功 (%2) - - - Imported from %1 - 从%1导入 - Signed share container are not supported - import prevented 不支持签名共享容器-导入已防止 @@ -5217,25 +6791,20 @@ Available commands: Unknown share container type 未知的共享容器类型 + + + ShareObserver - Overwriting signed share container is not supported - export prevented - 不支持覆盖签名的共享容器-防止导出 + Import from %1 failed (%2) + 从%1 导入失败 (%2) - Could not write export container (%1) - 无法写入导出容器 (%1) + Import from %1 successful (%2) + 从%1导入成功 (%2) - Overwriting unsigned share container is not supported - export prevented - 不支持覆盖未签名的共享容器-防止导出 - - - Could not write export container - 无法写入导出容器 - - - Unexpected export error occurred - 出现意外的导出错误 + Imported from %1 + 从%1导入 Export to %1 failed (%2) @@ -5249,10 +6818,6 @@ Available commands: Export to %1 导出到%1 - - Do you want to trust %1 with the fingerprint of %2 from %3? - 是否要信任 %1, 来自 %3 的 %2 的指纹? {1 ?} {2 ?} - Multiple import source path to %1 in %2 多个导入源路径到 %1 in %2 @@ -5261,22 +6826,6 @@ Available commands: Conflicting export target path %1 in %2 冲突的导出目标路径 %1 in %2 - - Could not embed signature: Could not open file to write (%1) - 无法嵌入签名:无法打开要写入的文件 (%1) - - - Could not embed signature: Could not write file (%1) - 无法嵌入签名:无法写入文件 (%1) - - - Could not embed database: Could not open file to write (%1) - 无法嵌入数据库:无法打开要写入的文件 (%1) - - - Could not embed database: Could not write file (%1) - 无法嵌入数据库:无法写入文件 (%1) - TotpDialog @@ -5294,7 +6843,7 @@ Available commands: Expires in <b>%n</b> second(s) - 以<b>%n</b>秒到期 + 在 <b>%n</b> 秒后过期 @@ -5323,10 +6872,6 @@ Available commands: Setup TOTP 设置定时一次性密码 - - Key: - 密钥: - Default RFC 6238 token settings 默认RFC 6238令牌设置 @@ -5357,16 +6902,45 @@ Available commands: 口令长度: - 6 digits - 6 位数字 + Secret Key: + - 7 digits - 7位数 + Secret key must be in Base32 format + - 8 digits - 8 位数字 + Secret key field + + + + Algorithm: + 算法: + + + Time step field + + + + digits + + + + Invalid TOTP Secret + + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + + + + Confirm Remove TOTP Settings + + + + Are you sure you want to delete TOTP settings for this entry? + @@ -5448,7 +7022,15 @@ Available commands: Welcome to KeePassXC %1 - 欢迎来到 KeePassXC %1 + 欢迎来到KeePassXC %1 + + + Import from 1Password + + + + Open a recent database + @@ -5473,5 +7055,13 @@ Available commands: No YubiKey inserted. 没有插入YubiKey。 + + Refresh hardware tokens + + + + Hardware key slot selection + + \ No newline at end of file diff --git a/share/translations/keepassx_zh_TW.ts b/share/translations/keepassx_zh_TW.ts index f5dfd589f..e5c8f188b 100644 --- a/share/translations/keepassx_zh_TW.ts +++ b/share/translations/keepassx_zh_TW.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC 遵循 GNU 通用公共許可證 (GPL) 第二版 或(依你的需求)以第三版發行。 + KeePassXC 遵循 GNU 通用公共許可證 (GPL) 第二版或(依您的需求)以第三版發行。 Contributors @@ -31,7 +31,7 @@ Include the following information whenever you report a bug: - 回報 Bug 時會包含以下資訊: + 回報 Bug 時請包含以下資訊: Copy to clipboard @@ -43,18 +43,18 @@ Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - KeePassXC 團隊特別鳴謝 debfx 開發了原本的 KeePassX + KeePassXC 團隊特別鳴謝 debfx 開發了原本的 KeePassX。 AgentSettingsWidget Enable SSH Agent (requires restart) - 啟用 SSH 代理 (需要重新啟動) + 啟用 SSH 代理(需要重新啟動) Use OpenSSH for Windows instead of Pageant - 使用 OpenSSH for Windows 而不是 Pageant + 使用 Windows 版的 OpenSSH 而不是 Pageant @@ -73,7 +73,7 @@ Access error for config file %1 - 設定檔存取錯誤:%1 + 設定檔 %1 存取錯誤 Icon only @@ -85,16 +85,24 @@ Text beside icon - 圖示旁有文字 + 文字在圖示旁邊 Text under icon - 圖示下有文字 + 文字在圖示底下 Follow style 遵照系統樣式 + + Reset Settings? + 重設設定? + + + Are you sure you want to reset all general and security settings to default? + 確定將所有一般及安全性設定重設為預設值? + ApplicationSettingsWidgetGeneral @@ -108,23 +116,11 @@ Start only a single instance of KeePassXC - 只能啟動單一 KeePassXC 程式 - - - Remember last databases - 記住最近的資料庫 - - - Remember last key files and security dongles - 記住最近的金鑰檔案與安全加密狗 - - - Load previous databases on startup - 啟動時載入之前的資料庫 + 只啟動單一 KeePassXC 程序 Minimize window at application startup - 程式啟動時視窗最小化 + 程式啟動時將視窗最小化 File Management @@ -132,27 +128,27 @@ Safely save database files (may be incompatible with Dropbox, etc) - 安全儲存資料庫檔案 (可能與 Dropbox 等服務不相容) + 安全儲存資料庫檔案(可能與 Dropbox 等服務不相容) Backup database file before saving - 儲存資料庫檔案前先備份 + 儲存前先備份資料庫檔案 Automatically save after every change - 修改後,自動儲存 + 每次修改後自動儲存 Automatically save on exit - 離開時,自動儲存 + 離開時自動儲存 Don't mark database as modified for non-data changes (e.g., expanding groups) - 未變更資料時(例如:擴展群組時)不要將資料庫標記為已修改 + 非資料變更(例如擴展群組)的情況下,不要將資料庫標記為已修改 Automatically reload the database when modified externally - 當有外部修改時自動重新載入資料庫 + 當資料庫被外部修改時,自動將其重新載入 Entry Management @@ -160,15 +156,11 @@ Use group icon on entry creation - 新增項目時使用群組圖示 - - - Minimize when copying to clipboard - 在複製到剪貼簿時最小化 + 建立項目時使用群組圖示 Hide the entry preview panel - 隱藏預覽項目區域 + 隱藏項目預覽面板 General @@ -176,7 +168,7 @@ Hide toolbar (icons) - 隱藏工具列 (圖示) + 隱藏工具列(圖示) Minimize instead of app exit @@ -184,7 +176,7 @@ Show a system tray icon - 顯示工作列圖示 + 顯示系統列圖示 Dark system tray icon @@ -192,11 +184,7 @@ Hide window to system tray when minimized - 將視窗最小化至工作列 - - - Language - 語言 + 將視窗最小化至系統列 Auto-Type @@ -204,15 +192,15 @@ Use entry title to match windows for global Auto-Type - 使用項目標題來匹配全域自動輸入的視窗 + 全域自動輸入下,使用項目標題來匹配視窗 Use entry URL to match windows for global Auto-Type - 使用項目 URL 來匹配全域自動輸入的視窗 + 全域自動輸入下,使用項目網址來匹配視窗 Always ask before performing Auto-Type - 在執行自動輸入前始終詢問 + 執行自動輸入前始終詢問 Global Auto-Type shortcut @@ -231,28 +219,109 @@ Auto-Type start delay 自動輸入啟動延遲 - - Check for updates at application startup - 程式啟動時檢查更新 - - - Include pre-releases when checking for updates - 檢查更新時包括預先發行版本 - Movable toolbar 可移動的工具列 - Button style - 按鈕樣式 + Remember previously used databases + 記住先前使用的資料庫 + + + Load previously open databases on startup + 啟動時載入先前開啟的資料庫 + + + Remember database key files and security dongles + 記住資料庫金鑰檔案與安全加密狗 (dongle) + + + Check for updates at application startup once per week + 每週一次於程式啟動時檢查更新 + + + Include beta releases when checking for updates + 檢查更新時包括 beta 版本 + + + Button style: + 按鈕樣式: + + + Language: + 語言: + + + (restart program to activate) + (重啟程式以生效) + + + Minimize window after unlocking database + 解鎖資料庫後將視窗最小化 + + + Minimize when opening a URL + 開啟網址時最小化 + + + Hide window when copying to clipboard + 複製到剪貼簿時隱藏視窗 + + + Minimize + 最小化 + + + Drop to background + 移至背景 + + + Favicon download timeout: + 收藏夾圖示下載逾時: + + + Website icon download timeout in seconds + 網站圖示下載幾秒後逾時 + + + sec + Seconds + + + + Toolbar button style + 工具列按鈕樣式 + + + Use monospaced font for Notes + 項目附註使用等寛字體 + + + Language selection + 語言選擇 + + + Reset Settings to Default + 將設定重設為預設值 + + + Global auto-type shortcut + 全域自動輸入快捷鍵 + + + Auto-type character typing delay milliseconds + 自動輸入的字元輸入延遲毫秒 + + + Auto-type start delay milliseconds + 自動輸入的起始延遲毫秒 ApplicationSettingsWidgetSecurity Timeouts - 超時 + 逾時 Clear clipboard after @@ -265,27 +334,27 @@ Lock databases after inactivity of - 多久沒有動作之後鎖定資料庫 + 閒置多久後鎖定資料庫 min - 分鐘 + Forget TouchID after inactivity of - 遺忘 TouchID 當閒置 + 閒置多久後遺忘 TouchID Convenience - 便利 + 便利性 Lock databases when session is locked or lid is closed - 當工作階段鎖定或蓋上螢幕時鎖定資料庫 + 鎖定工作階段或蓋上螢幕時,將資料庫鎖定 Forget TouchID when session is locked or lid is closed - 當工作階段鎖定或蓋上螢幕時遺忘 TouchID + 鎖定工作階段或蓋上螢幕時,遺忘 TouchID Lock databases after minimizing the window @@ -293,42 +362,63 @@ Re-lock previously locked database after performing Auto-Type - 自動輸入後,將原本鎖定的資料庫重新鎖定 + 執行自動輸入後,將之前鎖定的資料庫重新鎖定 Don't require password repeat when it is visible - 顯示密碼時不需要重複輸入密碼 + 當密碼可見時,不要求重複輸入密碼 Don't hide passwords when editing them - 編輯時不隱藏密碼 + 編輯時不要隱藏密碼 Don't use placeholder for empty password fields - 不於空白密碼欄位處填入替代字符 + 不要在空白的密碼欄位處填入替換字符 Hide passwords in the entry preview panel - 在項目預覽區內隱藏密碼 + 隱藏項目預覽面板內的密碼 Hide entry notes by default - 預設隱藏項目備註 + 預設情況下隱藏項目備註 Privacy 隱私 - Use DuckDuckGo as fallback for downloading website icons - 使用 DuckDuckGo 作為下載網站圖示失敗時的備案 + Use DuckDuckGo service to download website icons + 使用 DuckDuckGo 服務下載網站圖示 + + + Clipboard clear seconds + 剪貼簿清除秒數 + + + Touch ID inactivity reset + Touch ID 閒置重設 + + + Database lock timeout seconds + 資料庫鎖定逾時秒數 + + + min + Minutes + + + + Clear search query after + 多久後清除搜尋字詞 AutoType Couldn't find an entry that matches the window title: - 無法找到符合視窗標題的項目 + 找不到符合視窗標題的項目: Auto-Type - KeePassXC @@ -340,7 +430,7 @@ The Syntax of your Auto-Type statement is incorrect! - 自動輸入語法不正確! + 自動輸入敘述的語法不正確! This Auto-Type command contains a very long delay. Do you really want to proceed? @@ -389,6 +479,17 @@ 序列 + + AutoTypeMatchView + + Copy &username + 複製使用者名稱 (&U) + + + Copy &password + 複製密碼 (&P) + + AutoTypeSelectDialog @@ -397,14 +498,18 @@ Select entry to Auto-Type: - 選擇要自動輸入的項目 + 選擇要自動輸入的項目: + + + Search... + 搜尋…… BrowserAccessControlDialog KeePassXC-Browser Confirm Access - KeePassXC-Browser 瀏覽器擴充功能存取確認 + KeePassXC-Browser 存取確認 Remember this decision @@ -416,7 +521,7 @@ Deny - 禁止 + 拒絕 %1 has requested access to passwords for the following item(s). @@ -424,12 +529,20 @@ Please select whether you want to allow access. %1 要求存取下列項目的密碼。 請選擇是否允許存取。 + + Allow access + 允許存取 + + + Deny access + 拒絕存取 + BrowserEntrySaveDialog KeePassXC-Browser Save Entry - KeePassXC-Browser 瀏覽器擴充功能儲存項目 + KeePassXC-Browser 儲存項目 Ok @@ -443,7 +556,7 @@ Please select whether you want to allow access. You have multiple databases open. Please select the correct database for saving credentials. 您開啟了多個資料庫。 -請選擇您想要儲存憑證的資料庫。 +請選擇要儲存憑證的資料庫。 @@ -454,11 +567,7 @@ Please select the correct database for saving credentials. This is required for accessing your databases with KeePassXC-Browser - 需要使用 KeePassXC-Browser 瀏覽器擴充功能存取你的資料庫 - - - Enable KeepassXC browser integration - 啟用 KeepassXC browser 瀏覽器擴充功能整合 + 使用 KeePassXC-Browser(瀏覽器擴充功能)存取您的資料庫 General @@ -487,7 +596,7 @@ Please select the correct database for saving credentials. Show a &notification when credentials are requested Credentials mean login data requested via browser extension - 要求認證時顯示通知 (&N) + 要求憑證時顯示通知 (&N) Re&quest to unlock the database if it is locked @@ -495,29 +604,29 @@ Please select the correct database for saving credentials. Only entries with the same scheme (http://, https://, ...) are returned. - 只顯示相同協定的項目。(http://, https://, ...) + 只回傳具相同協定 (http://, https://, ...) 的項目。 &Match URL scheme (e.g., https://...) - 符合網址協定 (例如:https://……) (&M) + 匹配網址協定 (例如 https://...) (&M) Only returns the best matches for a specific URL instead of all entries for the whole domain. - 只回傳最佳的網址相符項目而非所有網址相符的項目。(&R) + 對於給定網址,只回傳最佳的相符項目,而不是與整個網域相符的所有項目。 &Return only best-matching credentials - 只回傳最佳的相符憑證 (&R) + 只回傳最符合的憑證 (&R) Sort &matching credentials by title Credentials mean login data requested via browser extension - 依名稱排序符合認證 (&M) + 依照標題排序符合的憑證 (&M) Sort matching credentials by &username Credentials mean login data requested via browser extension - 依使用者名稱排序符合認證 (&U) + 依照使用者名稱排序符合的憑證 (&U) Advanced @@ -526,21 +635,17 @@ Please select the correct database for saving credentials. Never &ask before accessing credentials Credentials mean login data requested via browser extension - 存取認證時不再詢問 (&A) + 存取憑證前永不詢問 (&A) Never ask before &updating credentials Credentials mean login data requested via browser extension - 更新認證時不再詢問 (&U) - - - Only the selected database has to be connected with a client. - 只有所選的資料庫能連接到客戶端。 + 更新憑證前永不詢問 (&U) Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - 在所有開啟的資料庫內搜尋相符的認證 (&H) + 在所有開啟的資料庫內搜尋相符的憑證 (&H) Automatically creating or updating string fields is not supported. @@ -548,15 +653,15 @@ Please select the correct database for saving credentials. &Return advanced string fields which start with "KPH: " - 回傳 「KPH: 」 起首的進階文字欄位 (&R) + 回傳「KPH: 」起首的進階文字欄位 (&R) Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - 啟動時自動將 KeePassXC 或 KeePassXC 代理執行檔路徑更新為 native messaging 腳本。 + 啟動時,自動將 KeePassXC 或 keepassxc-proxy 執行檔路徑更新為 Native Messaging 腳本。 Update &native messaging manifest files at startup - 啟動時更新 native messaging 的 manifest 檔案 (&N) + 啟動時,更新 &Native Messaging 的 manifest 檔案 Support a proxy application between KeePassXC and browser extension. @@ -578,7 +683,7 @@ Please select the correct database for saving credentials. Browse... Button for opening file dialog - 瀏覽…… + 瀏覽... <b>Warning:</b> The following options can be dangerous! @@ -592,10 +697,6 @@ Please select the correct database for saving credentials. &Tor Browser &Tor 瀏覽器 - - <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: - <b>警告</b>,找不到 keepassxc-proxy 應用程式!<br />請檢查 KeePassXC 安裝目錄,或在進階選項中確認自定路徑。<br />缺少此應用程式瀏覽器整合將無法運作。<br />預期的路徑: - Executable Files 可執行檔案 @@ -607,20 +708,64 @@ Please select the correct database for saving credentials. Do not ask permission for HTTP &Basic Auth An extra HTTP Basic Auth setting - 不確認 HTTP 權限 + 不確認 HTTP 基本認證的權限 (&B) Due to Snap sandboxing, you must run a script to enable browser integration.<br />You can obtain this script from %1 - + 由於 Snap 的沙盒機制,你需要執行一個腳本來啟用瀏覽器整合。<br />你可以從 %1 取得這個腳本 Please see special instructions for browser extension use below - + 請參閱以下關於使用瀏覽器擴展的特別指示 KeePassXC-Browser is needed for the browser integration to work. <br />Download it for %1 and %2. %3 需要 KeePassXC-Browser 瀏覽器擴充功能才能使用瀏覽器整合。為 %1 及 %2 下載。%3 + + &Brave + &Brave + + + Returns expired credentials. String [expired] is added to the title. + 回傳過期的憑證。標題會加入 [過期] 字串。 + + + &Allow returning expired credentials. + 允許回傳過期的憑證 (&A)。 + + + Enable browser integration + 啟用瀏覧器整合 + + + Browsers installed as snaps are currently not supported. + 目前不支援以快照版本安裝的瀏覧器。 + + + All databases connected to the extension will return matching credentials. + 所有與本擴充功能連接的資料庫將回傳相符的憑證。 + + + Don't display the popup suggesting migration of legacy KeePassHTTP settings. + 不要顯示舊版 KeePassHTTP 設定移轉的彈出視窗。 + + + &Do not prompt for KeePassHTTP settings migration. + 移轉 KeePassHTTP 設定時不要顯示提示 (&D)。 + + + Custom proxy location field + 自訂代理位置欄位 + + + Browser for custom proxy file + 瀏覧自訂代理檔案 + + + <b>Warning</b>, the keepassxc-proxy application was not found!<br />Please check the KeePassXC installation directory or confirm the custom path in advanced options.<br />Browser integration WILL NOT WORK without the proxy application.<br />Expected Path: %1 + <b>警告</b>,未找到 keepassxc-proxy 應用程式!<br />請檢查 KeePassXC 安裝目錄或確認進階選項內的自訂路徑。<br />若缺少 proxy 應用程式,瀏覧器整合將「無法運作」。<br />預期路徑:%1 + BrowserService @@ -666,48 +811,57 @@ Do you want to overwrite it? Converting attributes to custom data… - + 轉換屬性至自訂資料... KeePassXC: Converted KeePassHTTP attributes - + KeePassXC:轉換 KeePassHTTP 屬性 Successfully converted attributes from %1 entry(s). Moved %2 keys to custom data. - + 成功轉換 %1 個項目的屬性。 +移動 %2 個金鑰至自訂資料。 Successfully moved %n keys to custom data. - + 成功移動 %n 個金鑰至自訂資料。 KeePassXC: No entry with KeePassHTTP attributes found! - + KeePassXC:找不到帶有 KeePassHTTP 屬性的項目! The active database does not contain an entry with KeePassHTTP attributes. - + 目前的資料庫沒有帶 KeePassHTTP 屬性的項目。 KeePassXC: Legacy browser integration settings detected - + KeePassXC:偵測到舊式瀏覽器整合設定 KeePassXC: Create a new group - + KeePassXC:建立新群組 A request for creating a new group "%1" has been received. Do you want to create this group? - + 已收到建立新群組「%1」的請求。 +您要建立這個群組嗎? + Your KeePassXC-Browser settings need to be moved into the database settings. This is necessary to maintain your current browser connections. Would you like to migrate your existing settings now? - + 您的 KeePassXC 瀏覽器設定需要被移動至資料庫設定。 +這對於保持您目前瀏覽器連線是必需的。 +您現在要匯入既有設定嗎? + + + Don't show this warning again + 不再顯示此警告 @@ -726,7 +880,7 @@ Would you like to migrate your existing settings now? Copy history - 複製歷史記錄 + 複製歷史 @@ -741,7 +895,7 @@ Would you like to migrate your existing settings now? size, rows, columns - 尺寸、行、列 + 大小、列、行 Encoding @@ -753,7 +907,7 @@ Would you like to migrate your existing settings now? Text is qualified by - 文字資料標示符號 + 字段包裹符號 Fields are separated by @@ -767,10 +921,6 @@ Would you like to migrate your existing settings now? First record has field names 首行為欄位名稱 - - Number of headers line to discard - 要捨棄的標題行數 - Consider '\' an escape character 請以「\」作為跳脫符號 @@ -801,36 +951,53 @@ Would you like to migrate your existing settings now? Empty fieldname %1 - + 空白欄位 %1 column %1 - + 行 %1 Error(s) detected in CSV file! - + 在 CSV 檔案中偵測到錯誤! [%n more message(s) skipped] - + [跳過額外 %n 項訊息] CSV import: writer has errors: %1 - + CSV 匯入:寫入器錯誤: +%1 + + + Text qualification + 字段包裹 + + + Field separation + 欄位分隔 + + + Number of header lines to discard + 要忽略的開頭欄數 + + + CSV import preview + CSV 匯入預覧 CsvParserModel %n column(s) - %n 列, + %n 行 %1, %2, %3 file info: bytes, rows, columns - %1,%2,%3 + %1, %2, %3 %n byte(s) @@ -860,62 +1027,64 @@ Would you like to migrate your existing settings now? Error while reading the database: %1 讀取資料庫時發生錯誤:%1 - - Could not save, database has no file name. - 無法存檔,沒有資料庫的檔名。 - File cannot be written as it is opened in read-only mode. 無法寫入檔案,因為該檔案以唯獨模式開啟。 Key not transformed. This is a bug, please report it to the developers! - + 金鑰未轉換。這是一個 bug,請向開發者回報! + + + %1 +Backup database located at %2 + %1 +備份資料庫位於 %2 + + + Could not save, database does not point to a valid file. + 無法儲存,資料庫未指向任何有效檔案。 + + + Could not save, database file is read-only. + 無法儲存,資料庫檔案為唯讀狀態。 + + + Database file has unmerged changes. + 資料庫檔案有未合併的變更。 + + + Recycle Bin + 回收桶 DatabaseOpenDialog Unlock Database - KeePassXC - + 解鎖資料庫 - KeePassXC DatabaseOpenWidget - - Enter master key - 輸入主密碼 - Key File: 金鑰檔案: - - Password: - 密碼: - - - Browse - 瀏覽 - Refresh 重新整理 - - Challenge Response: - 挑戰回應: - Legacy key file format - 舊式金鑰檔案格式 + 舊版金鑰檔案格式 You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - 你正在使用未來將不再支援的舊式金鑰檔案格式。 + 你正在使用未來將不再支援的舊版金鑰檔案格式。 請考慮產生新的金鑰。 @@ -936,18 +1105,100 @@ Please consider generating a new key file. 選擇金鑰檔案 - TouchID for quick unlock - + Failed to open key file: %1 + 開啟金鑰檔案失敗:%1 - Unable to open the database: -%1 - + Select slot... + 選擇插槽... - Can't open key file: -%1 - + Unlock KeePassXC Database + 解鎖 KeePassXC 資料庫 + + + Enter Password: + 輸入密碼: + + + Password field + 密碼欄位 + + + Toggle password visibility + 切換密碼可見性 + + + Enter Additional Credentials: + 輸入額外憑證: + + + Key file selection + 金鑰檔案選擇 + + + Hardware key slot selection + 硬體金鑰插槽選擇 + + + Browse for key file + 瀏覧金鑰檔案 + + + Browse... + 瀏覽... + + + Refresh hardware tokens + 更新實體插槽 + + + Hardware Key: + 硬體金鑰: + + + <p>You can use a hardware security key such as a <strong>YubiKey</strong> or <strong>OnlyKey</strong> with slots configured for HMAC-SHA1.</p> + <p>Click for more information...</p> + <p>您可以使用實體安全金鑰如 <strong>YubiKey</strong> 或 <strong>OnlyKey</strong>,並配合以 HMAC-SHA1 設置的插槽。</p> + <p>點此以獲得更多資訊...</p> + + + Hardware key help + 硬體金鑰幫助 + + + TouchID for Quick Unlock + TouchID 快速解鎖 + + + Clear + 清除 + + + Clear Key File + 清除金鑰檔案 + + + Select file... + 選擇檔案... + + + Unlock failed and no password given + 解鎖失敗,密碼未提供 + + + Unlocking the database failed and you did not enter a password. +Do you want to retry with an "empty" password instead? + +To prevent this error from appearing, you must go to "Database Settings / Security" and reset your password. + 解鎖資料庫失敗,且您未輸入任何密碼。 +要改以「空白」密碼嘗試嗎? + +若要避免此錯誤發生,您必須前往「資料庫設定 / 安全性」並重設您的密碼。 + + + Retry with empty password + 以空白密碼重試 @@ -961,7 +1212,7 @@ Please consider generating a new key file. DatabaseSettingsDialog Advanced Settings - + 進階設定 General @@ -977,7 +1228,7 @@ Please consider generating a new key file. Encryption Settings - + 加密設定 Browser Integration @@ -996,15 +1247,15 @@ Please consider generating a new key file. Forg&et all site-specific settings on entries - 遺忘目前項目中所有站台相關的設定 (&e) + 遺忘目前項目中所有站台相關的設定 (&E) Move KeePassHTTP attributes to KeePassXC-Browser &custom data - + 移動 KeePassHTTP 屬性至 KeePassXC 瀏覽器自定資料 (&C) Stored keys - + 貯存金鑰 Remove @@ -1012,24 +1263,25 @@ Please consider generating a new key file. Delete the selected key? - + 刪除所選金鑰? Do you really want to delete the selected key? This may prevent connection to the browser plugin. - + 真的要刪除選擇的金鑰? +這可能會影響瀏覽器插件的連線。 Key - + Value - + Enable Browser Integration to access these settings. - + 啟用瀏覽器整合以存取這些設定。 Disconnect all browsers @@ -1038,7 +1290,8 @@ This may prevent connection to the browser plugin. Do you really want to disconnect all browsers? This may prevent connection to the browser plugin. - + 真的要斷開所有瀏覽器的連線? +這可能會影響瀏覽器插件的連線。 KeePassXC: No keys found @@ -1046,7 +1299,7 @@ This may prevent connection to the browser plugin. No shared encryption keys found in KeePassXC settings. - + 在 KeePassXC 設定中找不到共用加密金鑰。 KeePassXC: Removed keys from database @@ -1054,16 +1307,17 @@ This may prevent connection to the browser plugin. Successfully removed %n encryption key(s) from KeePassXC settings. - + 成功從 KeePassXC 設定中移除 %n 個加密金鑰。 Forget all site-specific settings on entries - + 遺忘項目中與所有站台相關的設定 Do you really want forget all site-specific settings on every entry? Permissions to access entries will be revoked. - + 真的要遺忘每個項目的所有站台相關的設定嗎? +存取項目的權限將被撤銷。 Removing stored permissions… @@ -1079,7 +1333,7 @@ Permissions to access entries will be revoked. Successfully removed permissions from %n entry(s). - + 成功從 %n 個項目移除權限。 KeePassXC: No entry with permissions found! @@ -1091,12 +1345,21 @@ Permissions to access entries will be revoked. Move KeePassHTTP attributes to custom data - + 移動 KeePassHTTP 屬性至自定資料 Do you really want to move all legacy browser integration data to the latest standard? This is necessary to maintain compatibility with the browser plugin. - + 真的要將所有舊式瀏覽器整合資料遷移到最新標準? +這對於保持與瀏覽器插件的相容性是必要的。 + + + Stored browser keys + 已儲存的瀏覧器金鑰 + + + Remove selected key + 移除所選金鑰 @@ -1115,15 +1378,15 @@ This is necessary to maintain compatibility with the browser plugin. Key Derivation Function: - 金鑰衍生函數: + 金鑰推導函式 (KDF): Transform rounds: - 加密轉換次數: + 轉換回合數: Benchmark 1-second delay - 效能測試一秒延遲 + 測試一秒延遲 Memory Usage: @@ -1155,7 +1418,7 @@ This is necessary to maintain compatibility with the browser plugin. Higher values offer more protection, but opening the database will take longer. - + 較高的值提供較多保護,但需要更長的時間開啟資料庫。 Database format: @@ -1167,7 +1430,7 @@ This is necessary to maintain compatibility with the browser plugin. KDBX 4.0 (recommended) - KDBX 4.0 (推薦) + KDBX 4.0(推薦) KDBX 3.1 @@ -1218,17 +1481,17 @@ If you keep this number, your database may be too easy to crack! Failed to transform key with new KDF parameters; KDF unchanged. - 無法用新的 KDF 參數轉換金鑰;KDF 不變。 + 無法以新的 KDF 參數轉換金鑰;KDF 保持不變。 MiB Abbreviation for Mebibytes (KDF settings) - MiB + MiB thread(s) Threads for parallel execution (KDF settings) - 執行緒 + 線程數 %1 ms @@ -1240,12 +1503,63 @@ If you keep this number, your database may be too easy to crack! seconds %1 秒 + + Change existing decryption time + 更改目前解密時間 + + + Decryption time in seconds + 解密所需時間(秒) + + + Database format + 資料庫格式 + + + Encryption algorithm + 加密演算法 + + + Key derivation function + 金鑰推導函式 + + + Transform rounds + 轉換回合數 + + + Memory usage + 記憶體使用量 + + + Parallelism + 平行運算 + + + + DatabaseSettingsWidgetFdoSecrets + + Exposed Entries + 已開放的項目 + + + Don't e&xpose this database + 不要開放此資料庫 (&X) + + + Expose entries &under this group: + 開放此群組的項目 (&U): + + + Enable fd.o Secret Service to access these settings. + 啟用 fd.o 秘密服務以存取這些設定。 + DatabaseSettingsWidgetGeneral Database Meta Data - 資料庫中繼資料 + 資料庫數據 Database name: @@ -1257,7 +1571,7 @@ If you keep this number, your database may be too easy to crack! Default username: - 預設的使用者名稱: + 預設使用者名稱: History Settings @@ -1265,11 +1579,11 @@ If you keep this number, your database may be too easy to crack! Max. history items: - 最大歷史記錄項目: + 最大歷史記錄數: Max. history size: - 最大歷史記錄大小: + 最大歷史大小: MiB @@ -1285,7 +1599,41 @@ If you keep this number, your database may be too easy to crack! Enable &compression (recommended) - 啟用壓縮 (推薦) (&C) + 啟用壓縮(推薦)(&C) + + + Database name field + 資料庫名稱欄位 + + + Database description field + 資料庫描述欄位 + + + Default username field + 預設使用者名稱欄位 + + + Maximum number of history items per entry + 每個項目的最大歷史記錄數 + + + Maximum size of history per entry + 每個項目的最大歷史記錄大小 + + + Delete Recycle Bin + 刪除回收桶 + + + Do you want to delete the current recycle bin and all its contents? +This action is not reversible. + 您要刪除目前的回收桶以及裡面所有內容嗎? +此項操作無法恢復。 + + + (old) + (舊) @@ -1296,7 +1644,7 @@ If you keep this number, your database may be too easy to crack! Breadcrumb - + 痕跡 Type @@ -1308,7 +1656,7 @@ If you keep this number, your database may be too easy to crack! Last Signer - + 最後的簽署者 Certificates @@ -1317,26 +1665,26 @@ If you keep this number, your database may be too easy to crack! > Breadcrumb separator - > + > DatabaseSettingsWidgetMasterKey Add additional protection... - + 加入額外保護... No encryption key added - + 未加入加密金鑰 You must add at least one encryption key to secure your database! - + 您必須添加至少一個加密金鑰以保護您的資料庫! No password set - 沒有設定密碼 + 未設定密碼 WARNING! You have not set a password. Using a database without a password is strongly discouraged! @@ -1354,6 +1702,10 @@ Are you sure you want to continue without a password? Failed to change master key 更改主密碼失敗 + + Continue without password + 不使用密碼並繼續 + DatabaseSettingsWidgetMetaDataSimple @@ -1365,6 +1717,129 @@ Are you sure you want to continue without a password? Description: 描述: + + Database name field + 資料庫名稱欄位 + + + Database description field + 資料庫描述欄位 + + + + DatabaseSettingsWidgetStatistics + + Statistics + 統計 + + + Hover over lines with error icons for further information. + 將游標懸浮於錯誤圖示出現的欄位,可獲得更多資訊。 + + + Name + 名稱 + + + Value + + + + Database name + 資料庫名稱 + + + Description + 描述 + + + Location + 位置 + + + Last saved + 最近儲存於 + + + Unsaved changes + 未儲存變更 + + + yes + + + + no + + + + The database was modified, but the changes have not yet been saved to disk. + 資料庫已被更改,但變更尚未被儲存至磁碟。 + + + Number of groups + 群組數 + + + Number of entries + 項目數 + + + Number of expired entries + 已過期項目數 + + + The database contains entries that have expired. + 資料庫包含已過期的項目。 + + + Unique passwords + 獨特的密碼 + + + Non-unique passwords + 非獨特的密碼 + + + More than 10% of passwords are reused. Use unique passwords when possible. + 超過 10% 的密碼被重複使用。請盡可能使用獨一無二的密碼。 + + + Maximum password reuse + 最大密碼重複使用次數 + + + Some passwords are used more than three times. Use unique passwords when possible. + 某些密碼被使用超過三次以上。請盡可能使用獨一無二的密碼。 + + + Number of short passwords + 過短密碼數 + + + Recommended minimum password length is at least 8 characters. + 建議最短密碼長度為至少 8 個字元。 + + + Number of weak passwords + 弱密碼數 + + + Recommend using long, randomized passwords with a rating of 'good' or 'excellent'. + 建議使用足夠長度、亂度,且評價為「較好」或「極好」的密碼。 + + + Average password length + 平均密碼長度 + + + %1 characters + %1 字元 + + + Average password length is less than ten characters. Longer passwords provide more security. + 平均密碼長度小於 10 個字元。密碼越長,能提供的保護越多。 + DatabaseTabWidget @@ -1411,15 +1886,12 @@ Are you sure you want to continue without a password? The created database has no key or KDF, refusing to save it. This is definitely a bug, please report it to the developers. - - - - The database file does not exist or is not accessible. - + 建立的資料庫沒有金鑰或 KDF,拒絕儲存。 +這顯然是一個臭蟲 (bug),請向開發人員回報。 Select CSV file - + 選擇 CSV 檔案 New Database @@ -1428,7 +1900,7 @@ This is definitely a bug, please report it to the developers. %1 [New Database] Database tab name modifier - %1 [新的資料庫] + %1 [新資料庫] %1 [Locked] @@ -1440,6 +1912,30 @@ This is definitely a bug, please report it to the developers. Database tab name modifier %1 [唯讀] + + Failed to open %1. It either does not exist or is not accessible. + 開啟 %1 失敗。此項目不存在或無法存取。 + + + Export database to HTML file + 匯出資料庫至 HTML 檔案 + + + HTML file + HTML 檔案 + + + Writing the HTML file failed. + 寫入 HTML 檔案失敗。 + + + Export Confirmation + 匯出確認 + + + You are about to export your database to an unencrypted file. This will leave your passwords and sensitive information vulnerable! Are you sure you want to continue? + 您正要匯出資料庫至未加密的檔案。您的密碼及敏感資料將不受任何保護!真的要繼續嗎? + DatabaseWidget @@ -1519,19 +2015,15 @@ Do you want to merge your changes? Do you really want to delete %n entry(s) for good? - + 真的要永遠移除 %n 個項目? Delete entry(s)? - + 刪除項目? Move entry(s) to recycle bin? - - - - File opened in read only mode. - 已將檔案以唯讀模式開啟。 + 移動項目到資源回收桶? Lock Database? @@ -1539,7 +2031,7 @@ Do you want to merge your changes? You are editing an entry. Discard changes and lock anyway? - + 您正在編輯一個項目。放棄更改並鎖定? "%1" was modified. @@ -1560,21 +2052,18 @@ Save changes? Could not open the new database file while attempting to autoreload. Error: %1 - + 嘗試自動重啟時無法開啟新的資料庫檔案。 +錯誤:%1 Disable safe saves? - 關閉安全存檔? + 關閉安全存檔? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - - - - Writing the database failed. -%1 - + KeePassXC 儲存資料庫已失敗數次。有可能是檔案同步服務將儲存檔案鎖住了。 +將安全儲存停用並再試一次? Passwords @@ -1590,11 +2079,11 @@ Disable safe saves and try again? Replace references to entry? - + 替換對項目的引用? Entry "%1" has %2 reference(s). Do you want to overwrite references with values, skip this entry, or delete anyway? - + 項目「%1」有 %2 個引用。是否使用值覆寫引用、跳過此項目或刪除? Delete group @@ -1602,23 +2091,31 @@ Disable safe saves and try again? Move group to recycle bin? - + 移動群組至回收桶? Do you really want to move the group "%1" to the recycle bin? - + 真的要移動群組「%1」至回收桶? Successfully merged the database files. - + 成功合併資料庫檔案。 Database was not modified by merge operation. - + 資料庫未被合併操作修改。 Shared group... - + 共享群組... + + + Writing the database failed: %1 + 寫入資料庫失敗:%1 + + + This database is opened in read-only mode. Autosave is disabled. + 此資料庫以唯讀模式開啟。自動儲存已停用。 @@ -1645,7 +2142,7 @@ Disable safe saves and try again? History - 歷史記錄 + 歷史 SSH Agent @@ -1673,11 +2170,11 @@ Disable safe saves and try again? Entry history - 項目歷史記錄 + 項目歷史 Add entry - 增加項目 + 加入項目 Edit entry @@ -1701,11 +2198,11 @@ Disable safe saves and try again? %n week(s) - %n 個禮拜 + %n 週 %n month(s) - %n 個月 + %n 月 Apply generated password? @@ -1721,11 +2218,11 @@ Disable safe saves and try again? Entry has unsaved changes - + 項目有未保存的變更 New attribute %1 - + 新的屬性 %1 [PROTECTED] Press reveal to view or edit @@ -1733,11 +2230,23 @@ Disable safe saves and try again? %n year(s) - + %n 年 Confirm Removal - + 確認移除 + + + Browser Integration + 瀏覽器整合 + + + <empty URL> + <空白網址> + + + Are you sure you want to remove this URL? + 真的要移除此網址? @@ -1778,6 +2287,42 @@ Disable safe saves and try again? Background Color: 背景顏色: + + Attribute selection + 屬性選擇 + + + Attribute value + 屬性值 + + + Add a new attribute + 加入新屬性 + + + Remove selected attribute + 移除所選屬性 + + + Edit attribute name + 編輯屬性名稱 + + + Toggle attribute protection + 切換屬性保護 + + + Show a protected attribute + 顯示被保護的屬性 + + + Foreground color selection + 前景顏色選擇 + + + Background color selection + 背景顏色選擇 + EditEntryWidgetAutoType @@ -1811,7 +2356,78 @@ Disable safe saves and try again? Use a specific sequence for this association: - + 使用特定序列進行此關聯: + + + Custom Auto-Type sequence + 自訂自動輸入序列 + + + Open Auto-Type help webpage + 開啟自動輸入幫助網頁 + + + Existing window associations + 即存的視窗關聯 + + + Add new window association + 加入新的視窗關聯 + + + Remove selected window association + 移除所選的視窗關聯 + + + You can use an asterisk (*) to match everything + 您可以使用星號 (*) 匹配任意字詞 + + + Set the window association title + 設定視窗關聯標題 + + + You can use an asterisk to match everything + 您可以使用星號匹配任意字詞 + + + Custom Auto-Type sequence for this window + 自訂此視窗的自動輸入序列 + + + + EditEntryWidgetBrowser + + These settings affect to the entry's behaviour with the browser extension. + 這些設定影響了項目在瀏覧器擴充下的行為。 + + + General + 一般 + + + Skip Auto-Submit for this entry + 為此項目跳過自動送出 + + + Hide this entry from the browser extension + 在瀏覧器擴充隱藏此項目 + + + Additional URL's + 其他網址 + + + Add + 加入 + + + Remove + 移除 + + + Edit + 編輯 @@ -1832,6 +2448,26 @@ Disable safe saves and try again? Delete all 刪除全部 + + Entry history selection + 項目歷史選擇 + + + Show entry at selected history state + 顯示所選歷史狀態下的項目 + + + Restore entry to selected history state + 恢復項目至所選歷史狀態 + + + Delete selected history state + 刪除所選歷史狀態 + + + Delete all history + 刪除所有歷史 + EditEntryWidgetMain @@ -1861,7 +2497,7 @@ Disable safe saves and try again? Toggle the checkbox to reveal the notes section. - 切換核取方塊以揭示備註欄位。 + 勾選核取方塊以揭示附註欄位。 Username: @@ -1871,6 +2507,62 @@ Disable safe saves and try again? Expires 過期 + + Url field + 網址欄位 + + + Download favicon for URL + 下載網址的收藏夾圖示 + + + Repeat password field + 重複密碼欄位 + + + Toggle password generator + 切換密碼產生器 + + + Password field + 密碼欄位 + + + Toggle password visibility + 切換密碼可見性 + + + Toggle notes visible + 切換附註可見性 + + + Expiration field + 過期欄位 + + + Expiration Presets + 過期日預置 + + + Expiration presets + 過期日預置 + + + Notes field + 附註欄位 + + + Title field + 標題欄位 + + + Username field + 使用者名稱欄位 + + + Toggle expiration + 切換過期日 + EditEntryWidgetSSHAgent @@ -1900,7 +2592,7 @@ Disable safe saves and try again? Add key to agent when database is opened/unlocked - 當打開/解鎖資料庫時向代理新增金鑰 + 當打開/解鎖資料庫時向代理加入金鑰 Comment @@ -1929,7 +2621,7 @@ Disable safe saves and try again? Browse... Button for opening file dialog - 瀏覽…… + 瀏覽... Attachment @@ -1937,16 +2629,32 @@ Disable safe saves and try again? Add to agent - 新增到代理 + 加入到代理 Remove from agent - 從代理中刪除 + 從代理移除 Require user confirmation when this key is used 使用此金鑰時需要使用者確認 + + Remove key from agent after specified seconds + 於指定秒數後從代理移除金鑰 + + + Browser for key file + 瀏覧金鑰檔案 + + + External key file + 外部金鑰檔案 + + + Select attachment file + 選擇附件檔案 + EditGroupWidget @@ -1976,12 +2684,16 @@ Disable safe saves and try again? Disable - 關閉 + 停用 Inherit from parent group (%1) 繼承自上層群組 (%1) + + Entry has unsaved changes + 項目有未保存的變更 + EditGroupWidgetKeeShare @@ -1991,15 +2703,15 @@ Disable safe saves and try again? Type: - + 類型: Path: - + 路徑: ... - + ... Password: @@ -2007,71 +2719,102 @@ Disable safe saves and try again? Inactive - - - - Import from path - - - - Export to path - - - - Synchronize with path - - - - Your KeePassXC version does not support sharing your container type. Please use %1. - - - - Database sharing is disabled - - - - Database export is disabled - - - - Database import is disabled - + 無效 KeeShare unsigned container - + KeeShare 未簽署容器 KeeShare signed container - + KeeShare 簽署容器 Select import source - + 選擇匯入來源 Select export target - + 選擇匯出目標 Select import/export file - + 選擇匯入/匯出檔案 Clear 清除 - The export container %1 is already referenced. - + Import + 匯入 - The import container %1 is already imported. - + Export + 匯出 - The container %1 imported and export by different groups. - + Synchronize + 同步 + + + Your KeePassXC version does not support sharing this container type. +Supported extensions are: %1. + 您的 KeePassXC 版本不支援此容器類型。 +受支援的擴充為:%1。 + + + %1 is already being exported by this database. + %1 已被此資料庫匯出。 + + + %1 is already being imported by this database. + %1 已被此資料庫匯入。 + + + %1 is being imported and exported by different groups in this database. + %1 在此資料庫內被不同的群組匯入並匯出。 + + + KeeShare is currently disabled. You can enable import/export in the application settings. + KeeShare is a proper noun + KeeShare 目前停用。您可以在應用程式設定中啟用匯入/匯出功能。 + + + Database export is currently disabled by application settings. + 目前資料庫匯出被應用程式設定停用。 + + + Database import is currently disabled by application settings. + 目前資料庫匯入被應用程式設定停用。 + + + Sharing mode field + 分享模式欄位 + + + Path to share file field + 分享檔案路徑欄位 + + + Browser for share file + 瀏覧分享檔案 + + + Password field + 密碼欄位 + + + Toggle password visibility + 切換密碼可見性 + + + Toggle password generator + 切換密碼產生器 + + + Clear fields + 清除欄位 @@ -2104,6 +2847,34 @@ Disable safe saves and try again? Set default Auto-Type se&quence 設定預設自動輸入序列 (&Q) + + Name field + 名稱欄位 + + + Notes field + 附註欄位 + + + Toggle expiration + 切換過期時間 + + + Auto-Type toggle for this and sub groups + 切換此群組及其子群組的自動輸入 + + + Expiration field + 過期時間欄位 + + + Search toggle for this and sub groups + 切換此群組及其子群組的搜尋 + + + Default auto-type sequence field + 預設自動輸入序列欄位 + EditWidgetIcons @@ -2125,11 +2896,11 @@ Disable safe saves and try again? Download favicon - 下載圖示 + 下載收藏夾圖示 Unable to fetch favicon. - 無法擷取圖示。 + 無法擷取收藏夾圖示。 Images @@ -2139,45 +2910,69 @@ Disable safe saves and try again? All files 所有檔案 - - Custom icon already exists - 自訂圖示已經存在 - Confirm Delete 確認刪除 - - Custom icon successfully downloaded - - - - Hint: You can enable DuckDuckGo as a fallback under Tools>Settings>Security - - Select Image(s) - + 選擇圖片 Successfully loaded %1 of %n icon(s) - + 成功載入 %1 / %n 個圖示 No icons were loaded - + 未載入任何圖示 %n icon(s) already exist in the database - + %n 個圖示已存在於資料庫 The following icon(s) failed: - + 以下圖示失敗: This icon is used by %n entry(s), and will be replaced by the default icon. Are you sure you want to delete it? - + 此圖示由 %n 個條目使用,並將被替換為預設圖示。確定要刪除它嗎? + + + You can enable the DuckDuckGo website icon service under Tools -> Settings -> Security + 您可以到「工具」->「設定」->「安全性」啟用 DuckDuckGo 網站圖示服務 + + + Download favicon for URL + 下載網址的收藏夾圖示 + + + Apply selected icon to subgroups and entries + 套用所選的圖示至子群組與項目 + + + Apply icon &to ... + 加入圖示至 (&T)... + + + Apply to this only + 只套用至此 + + + Also apply to child groups + 也套用至子群組 + + + Also apply to child entries + 也套用至子項目 + + + Also apply to all children + 也套用至所有子群組與項目 + + + Existing icon selected. + 選擇了已存在的圖示。 @@ -2200,7 +2995,7 @@ Disable safe saves and try again? Plugin Data - + 插件資料 Remove @@ -2208,27 +3003,52 @@ Disable safe saves and try again? Delete plugin data? - + 刪除插件資料? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + 真的要刪除選擇的插件資料? +這可能導致受影響的插件出現問題。 Key - + Value - + + + + Datetime created + 建立日期時間 + + + Datetime modified + 修改日期時間 + + + Datetime accessed + 存取日期時間 + + + Unique ID + 獨特 ID + + + Plugin data + 插件資料 + + + Remove selected plugin data + 移除所選的插件資料 Entry %1 - Clone - + %1 - 複製 @@ -2270,7 +3090,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - 確定移除 %n 個附件? + 確定要移除 %n 個附件嗎? Save attachments @@ -2284,7 +3104,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to overwrite the existing file "%1" with the attachment? - 確定要以附件覆蓋現有的檔案 "%1" 嗎? + 確定要以附件覆蓋現有的檔案「%1」嗎? Confirm overwrite @@ -2310,12 +3130,33 @@ This may cause the affected plugins to malfunction. Confirm remove - + 確認移除 Unable to open file(s): %1 - + 無法開啟檔案: +%1 + + + Attachments + 附件 + + + Add new attachment + 加入新附件 + + + Remove selected attachment + 移除所選附件 + + + Open selected attachment + 開啟所選附件 + + + Save selected attachment to disk + 儲存所選附件至磁碟 @@ -2385,15 +3226,15 @@ This may cause the affected plugins to malfunction. Created - 已建立 + 建立於 Modified - 已修改 + 修改於 Accessed - 已存取 + 存取於 Attachments @@ -2401,19 +3242,15 @@ This may cause the affected plugins to malfunction. Yes - + TOTP - + TOTP EntryPreviewWidget - - Generate TOTP Token - 產生 TOTP Token - Close 關閉 @@ -2464,7 +3301,7 @@ This may cause the affected plugins to malfunction. Searching - 搜尋中 + 搜尋功能 Search @@ -2485,7 +3322,7 @@ This may cause the affected plugins to malfunction. <b>%1</b>: %2 attributes line - + <b>%1</b>: %2 Enabled @@ -2497,14 +3334,22 @@ This may cause the affected plugins to malfunction. Share - + 共用 + + + Display current TOTP value + 顯示目前 TOTP 值 + + + Advanced + 進階 EntryView Customize View - + 自訂檢視 Hide Usernames @@ -2516,11 +3361,11 @@ This may cause the affected plugins to malfunction. Fit to window - + 符合視窗 Fit to contents - + 符合內容 Reset to defaults @@ -2528,19 +3373,41 @@ This may cause the affected plugins to malfunction. Attachments (icon) - + 附件 (圖示) + + + + FdoSecrets::Item + + Entry "%1" from database "%2" was used by %3 + 項目「%1」來自資料庫「%2」,被 %3 使用 + + + + FdoSecrets::Service + + Failed to register DBus service at %1: another secret service is running. + 註冊 DBus 服務於 %1 失敗:另一個秘密服務已經在執行當中。 + + + %n Entry(s) was used by %1 + %1 is the name of an application + %n 個項目被 %1 使用 + + + + FdoSecretsPlugin + + Fdo Secret Service: %1 + Fdo 秘密服務 (Secret Service):%1 Group - - Recycle Bin - 回收桶 - [empty] group has no children - + [空白] @@ -2551,7 +3418,60 @@ This may cause the affected plugins to malfunction. Cannot save the native messaging script file. - 無法保存 native messaging 指令檔。 + 無法保存 native messaging 指令檔案。 + + + + IconDownloaderDialog + + Download Favicons + 下載收藏夾圖示 + + + Cancel + 取消 + + + Having trouble downloading icons? +You can enable the DuckDuckGo website icon service in the security section of the application settings. + 下載圖示時碰到問題了? +您可以在應用程式設定的「安全性」一欄啟用 DuckDuckGo 網站圖示服務。 + + + Close + 關閉 + + + URL + 網址 + + + Status + 狀態 + + + Please wait, processing entry list... + 請稍待,正在處理項目清單... + + + Downloading... + 正在下載... + + + Ok + 確定 + + + Already Exists + 已存在 + + + Download Failed + 下載失敗 + + + Downloading favicons (%1/%2)... + 正在下載收藏夾圖示 (%1/%2)... @@ -2569,23 +3489,19 @@ This may cause the affected plugins to malfunction. Kdbx3Reader Unable to calculate master key - 無法計算主密碼 + 無法計算主金鑰 Unable to issue challenge-response. 無法發出挑戰-回應。 - - Wrong key or database file is corrupt. - 金鑰不正確或是資料庫損壞。 - missing database headers 缺少資料庫標頭 Header doesn't match hash - + 標頭與雜湊值不匹配 Invalid header id size @@ -2599,6 +3515,12 @@ This may cause the affected plugins to malfunction. Invalid header data length 無效的資料長度 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 所提供的憑證無效,請再嘗試一遍。 +若此情形一再發生,代表您的資料庫檔案可能已損毀。 + Kdbx3Writer @@ -2608,7 +3530,7 @@ This may cause the affected plugins to malfunction. Unable to calculate master key - 無法計算主密碼 + 無法計算主金鑰 @@ -2619,7 +3541,7 @@ This may cause the affected plugins to malfunction. Unable to calculate master key - 無法計算主密碼 + 無法計算主金鑰 Invalid header checksum size @@ -2629,10 +3551,6 @@ This may cause the affected plugins to malfunction. Header SHA256 mismatch SHA256 標頭不相符 - - Wrong key or database file is corrupt. (HMAC mismatch) - 金鑰不正確或是資料庫損壞。(HMAC 不相符) - Unknown cipher 未知的加密 @@ -2655,11 +3573,11 @@ This may cause the affected plugins to malfunction. Unsupported key derivation function (KDF) or invalid parameters - 不支援的金鑰衍生函數 (KDF) 或參數無效 + 不支援的金鑰推導函式 (KDF) 或無效參數 Legacy header fields found in KDBX4 file. - 在 KDBX4 檔中找到的舊式標頭欄位。 + 在 KDBX4 檔案中找到的舊式標頭欄位。 Invalid inner header id size @@ -2733,21 +3651,31 @@ This may cause the affected plugins to malfunction. Translation: variant map = data structure for storing meta data 無效的變體映射欄位類型大小 + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 所提供的憑證無效,請再嘗試一遍。 +若此情形一再發生,代表您的資料庫檔案可能已損毀。 + + + (HMAC mismatch) + (HMAC 不符) + Kdbx4Writer Invalid symmetric cipher algorithm. - 無效的對稱密碼演算法。 + 無效的對稱式加密演算法。 Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - 無效的對稱密碼 IV 大小。 + 對稱式加密演算法的初始向量 (IV) 大小為無效。 Unable to calculate master key - 無法計算主密碼 + 無法計算主金鑰 Failed to serialize KDF parameters variant map @@ -2804,8 +3732,8 @@ You can import it by clicking on Database > 'Import KeePass 1 database...'. This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. 選擇的檔案是舊的 KeePass 1 資料庫 (.kdb)。 -你可以點選 資料庫 > 「匯入 KeePass 1 資料庫……」。 -這是單向遷移。你無法用舊的 KeePassX 0.4 的版本開啟已匯入的資料庫。 +您可以點選「資料庫」> 「匯入 KeePass 1 資料庫...」。 +此操作為單向遷移。您將無法用舊的 KeePassX 0.4 版本開啟匯入後的資料庫。 Unsupported KeePass 2 database version. @@ -2813,15 +3741,15 @@ This is a one-way migration. You won't be able to open the imported databas Invalid cipher uuid length: %1 (length=%2) - + 無效的密碼 uuid 長度:%1 (長度=%2) Unable to parse UUID: %1 - + 無法分析 UUID:%1 Failed to read database file. - + 讀取資料庫檔案失敗。 @@ -2884,7 +3812,7 @@ This is a one-way migration. You won't be able to open the imported databas History element in history entry - 歷史記錄項目中的歷史元素 + 歷史項目中的歷史元素 No entry uuid found @@ -2947,19 +3875,21 @@ This is a one-way migration. You won't be able to open the imported databas XML error: %1 Line %2, column %3 - + XML 錯誤: +%1 +列 %2, 行 %3 KeePass1OpenWidget - - Import KeePass1 database - 匯入 KeePass 1 資料庫 - Unable to open the database. 無法開啟資料庫。 + + Import KeePass1 Database + 匯入 KeePass1 資料庫 + KeePass1Reader @@ -2982,7 +3912,7 @@ Line %2, column %3 Unable to read encryption IV IV = Initialization Vector for symmetric cipher - 無法讀取加密 IV + 無法讀取加密用初始向量 (IV) Invalid number of groups @@ -3014,11 +3944,7 @@ Line %2, column %3 Unable to calculate master key - 無法計算主密碼 - - - Wrong key or database file is corrupt. - 金鑰不正確或是資料庫損壞。 + 無法計算主金鑰 Key transformation failed @@ -3114,53 +4040,71 @@ Line %2, column %3 unable to seek to content position - + 無法定位內容 + + + Invalid credentials were provided, please try again. +If this reoccurs, then your database file may be corrupt. + 所提供的憑證無效,請再嘗試一遍。 +若此情形一再發生,代表您的資料庫檔案可能已損毀。 KeeShare - Disabled share - + Invalid sharing reference + 無效的分享引用 - Import from - + Inactive share %1 + 未激活的分享 %1 - Export to - + Imported from %1 + 從 %1 匯入 - Synchronize with - + Exported to %1 + 匯出至 %1 - Disabled share %1 - + Synchronized with %1 + 與 %1 同步 - Import from share %1 - + Import is disabled in settings + 匯入於設定停用 - Export to share %1 - + Export is disabled in settings + 匯出於設定停用 - Synchronize with share %1 - + Inactive share + 未激活的分享 + + + Imported from + 匯入從 + + + Exported to + 匯出至 + + + Synchronized with + 同步於 KeyComponentWidget Key Component - + 金鑰組件 Key Component Description - + 金鑰組件描述 Cancel @@ -3168,22 +4112,22 @@ Line %2, column %3 Key Component set, click to change or remove - + 金鑰組件集,點擊以變更或移除 Add %1 Add a key component - + 加入 %1 Change %1 Change a key component - 更改%1 + 更改 %1 Remove %1 Remove a key component - 移除%1 + 移除 %1 %1 set, click to change or remove @@ -3193,21 +4137,17 @@ Line %2, column %3 KeyFileEditWidget - - Browse - 瀏覽 - Generate 產生 Key File - + 金鑰檔案 <p>You can add a key file containing random bytes for additional security.</p><p>You must keep it secret and never lose it or you will be locked out!</p> - + <p>您可以加入一份包含隨機字元的金鑰檔案以提升安全性。</p><p>您必須將其保密,切莫丟失,否則將會被鎖在外頭!</p> Legacy key file format @@ -3225,7 +4165,8 @@ Please go to the master key settings and generate a new key file. Error loading the key file '%1' Message: %2 - + 載入金鑰檔案「%1」失敗 +訊息:%2 Key files @@ -3237,20 +4178,58 @@ Message: %2 Create Key File... - 建立金鑰檔案…… + 建立金鑰檔案... Error creating key file - + 建立金鑰檔案錯誤 Unable to create key file: %1 - + 無法建立金鑰檔案:%1 Select a key file 選擇金鑰檔案 + + Key file selection + 金鑰檔案選擇 + + + Browse for key file + 瀏覧金鑰檔案 + + + Browse... + 瀏覽... + + + Generate a new key file + 產生新金鑰檔案 + + + Note: Do not use a file that may change as that will prevent you from unlocking your database! + 注意:請不要使用可更改的檔案,否則可能導致您無法解鎖資料庫! + + + Invalid Key File + 無效的金鑰檔案 + + + You cannot use the current database as its own keyfile. Please choose a different file or generate a new key file. + 您不能使用目前的資料庫作為自己的金鑰檔案。請選擇一個不同檔案,或者產生一份新的金鑰檔案。 + + + Suspicious Key File + 可疑的金鑰檔案 + + + The chosen key file looks like a password database file. A key file must be a static file that never changes or you will lose access to your database forever. +Are you sure you want to continue with this file? + 所選擇的金鑰檔案像是一份密碼資料庫檔案。金鑰檔案必須是一個永不變更的靜態檔案,否則您將永遠失去資料庫的存取權。 +真的要以此檔案繼續嗎? + MainWindow @@ -3288,7 +4267,7 @@ Message: %2 &Open database... - 開啟資料庫…… (&O) + 開啟資料庫 (&O)… &Save database @@ -3312,7 +4291,7 @@ Message: %2 Sa&ve database as... - 將資料庫儲存為…… (&V) + 將資料庫儲存為 (&V)… Database settings @@ -3338,10 +4317,6 @@ Message: %2 &Settings 設定 (&S) - - Password Generator - 密碼產生器 - &Lock databases 鎖定資料庫 (&L) @@ -3360,7 +4335,7 @@ Message: %2 Copy URL to clipboard - 將 URL 複製到剪貼簿 + 將網址複製到剪貼簿 &Notes @@ -3372,15 +4347,15 @@ Message: %2 &Export to CSV file... - 匯出到 CSV 檔案…… (&E) + 匯出到 CSV 檔案 (&E)… Set up TOTP... - 安裝 TOTP + 設置 TOTP... Copy &TOTP - 複製 TOTP (&T) + 複製 &TOTP E&mpty recycle bin @@ -3388,7 +4363,7 @@ Message: %2 Clear history - 清除歷史記錄 + 清除歷史 Access error for config file %1 @@ -3414,9 +4389,9 @@ Message: %2 WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - 警告: 你正在使用非穩定版本的 KeePassXC! -具有高風險的破壞可能, 請備份你的資料庫. -這個版本不是給一般使用者使用. + 警告:你正在使用非穩定版本的 KeePassXC! +具有高風險的破壞可能,請備份你的資料庫。 +這個版本不是給一般使用者使用。 &Donate @@ -3424,12 +4399,13 @@ This version is not meant for production use. Report a &bug - 回報錯誤 (&b) + 回報錯誤 (&B) WARNING: Your Qt version may cause KeePassXC to crash with an On-Screen Keyboard! We recommend you use the AppImage available on our downloads page. - + 警告:您的 Qt 版本可能會導致 KeePassXC 與螢幕鍵盤崩潰! +建議您使用我們下載頁面上提供的 AppImage。 &Import @@ -3437,15 +4413,15 @@ We recommend you use the AppImage available on our downloads page. Copy att&ribute... - 複製屬性 (&r)… + 複製屬性 (&R)… TOTP... - 基於時間的一次性密碼算法… + 限時單次密碼 (TOTP)… &New database... - 新增資料庫(&N)… + 新增資料庫 (&N)… Create a new database @@ -3453,7 +4429,7 @@ We recommend you use the AppImage available on our downloads page. &Merge from database... - 與資料庫合併(&M)… + 與資料庫合併 (&M)… Merge from another KDBX database @@ -3461,15 +4437,15 @@ We recommend you use the AppImage available on our downloads page. &New entry - 新增項目(&N) + 新增項目 (&N) Add a new entry - 添加新項目 + 加入新項目 &Edit entry - 編輯項目(&E) + 編輯項目 (&E) View or edit entry @@ -3481,19 +4457,19 @@ We recommend you use the AppImage available on our downloads page. Add a new group - 添加新群組 + 加入新群組 Change master &key... - 更改主密碼(&k)… + 更改主密碼 (&K)… &Database settings... - 資料庫設定(&D)… + 資料庫設定 (&D)… Copy &password - 複製密碼(&p) + 複製密碼 (&P) Perform &Auto-Type @@ -3501,23 +4477,23 @@ We recommend you use the AppImage available on our downloads page. Open &URL - 開啟網址(&U) + 開啟網址 (&U) KeePass 1 database... - + KeePass 1 資料庫... Import a KeePass 1 database - + 匯入 KeePass 1 資料庫 CSV file... - + CSV 檔案... Import a CSV file - + 匯入 CSV 檔案 Show TOTP... @@ -3525,114 +4501,183 @@ We recommend you use the AppImage available on our downloads page. Show TOTP QR Code... - - - - Check for Updates... - - - - Share entry - + 顯示 TOTP QR 碼... NOTE: You are using a pre-release version of KeePassXC! Expect some bugs and minor issues, this version is not meant for production use. - + 注意:您正在使用 KeePassXC 的預先發行版本! +此版本並不適合生產用途,可能會出現一些程式錯誤和小問題。 Check for updates on startup? - + 是否在啟動時檢查更新? Would you like KeePassXC to check for updates on startup? - + 你希望在 KeePassXC 啟動時檢查更新嗎? You can always check for updates manually from the application menu. - + 你可以隨時在應用程式選單中手動檢查更新。 + + + &Export + 匯出 (&E) + + + &Check for Updates... + 檢查更新 (&C)... + + + Downlo&ad all favicons + 下載所有收藏夾圖示 (&A) + + + Sort &A-Z + 排序從 &A 到 Z + + + Sort &Z-A + 排序從 &Z 到 A + + + &Password Generator + 密碼產生器 (&P) + + + Download favicon + 下載收藏夾圖示 + + + &Export to HTML file... + 匯出至 HTML 檔案 (&E)... + + + 1Password Vault... + 1Password 保險庫... + + + Import a 1Password Vault + 匯入 1Password 保險庫 + + + &Getting Started + 開始使用 (&G) + + + Open Getting Started Guide PDF + 開啟「開始使用」指南 PDF + + + &Online Help... + 線上幫助 (&O)... + + + Go to online documentation (opens browser) + 前往線上文件(開啟瀏覧器) + + + &User Guide + 使用者指南 (&U) + + + Open User Guide PDF + 開啟使用者指南 PDF + + + &Keyboard Shortcuts + 鍵盤快捷鍵 (&K) Merger Creating missing %1 [%2] - + 建立缺少的 %1 [%2] Relocating %1 [%2] - + 重新定位 %1 [%2] Overwriting %1 [%2] - + 覆寫 %1 [%2] older entry merged from database "%1" - + 舊項目從資料庫「%1」合併 Adding backup for older target %1 [%2] - + 為較舊的目標 %1 [%2] 添加備份 Adding backup for older source %1 [%2] - + 為較舊的來源 %1 [%2] 添加備份 Reapplying older target entry on top of newer source %1 [%2] - + 在較新的來源 %1 [%2] 之上重新應用較舊的目標項目 Reapplying older source entry on top of newer target %1 [%2] - + 在較新的目標 %1 [%2] 之上重新應用較舊的來源項目 Synchronizing from newer source %1 [%2] - + 從較新的來源 %1 [%2] 同步 Synchronizing from older source %1 [%2] - + 從較舊的來源 %1 [%2] 同步 Deleting child %1 [%2] - + 刪除子項 %1 [%2] Deleting orphan %1 [%2] - + 刪除孤立項 %1 [%2] Changed deleted objects - + 更改已刪除的對象 Adding missing icon %1 - + 添加缺失的圖示 %1 + + + Removed custom data %1 [%2] + 移除自訂資料 %1 [%2] + + + Adding custom data %1 [%2] + 添加自訂資料 %1 [%2] NewDatabaseWizard Create a new KeePassXC database... - + 建立新 KeePassXC 資料庫... Root Root group - + 根群組 NewDatabaseWizardPage WizardPage - + 嚮導頁 En&cryption Settings - 加密設定 (&c) + 加密設定 (&C) Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. @@ -3640,18 +4685,18 @@ Expect some bugs and minor issues, this version is not meant for production use. Advanced Settings - + 進階設定 Simple Settings - + 簡單設定 NewDatabaseWizardPageEncryption Encryption Settings - + 加密設定 Here you can adjust the database encryption settings. Don't worry, you can change them later in the database settings. @@ -3673,11 +4718,78 @@ Expect some bugs and minor issues, this version is not meant for production use. NewDatabaseWizardPageMetaData General Database Information - + 一般資料庫資訊 Please fill in the display name and an optional description for your new database: - + 請為你的新資料庫填寫一個顯示名稱,及一個選擇性的說明: + + + + OpData01 + + Invalid OpData01, does not contain header + 無效的 OpData01,未包含標頭 + + + Unable to read all IV bytes, wanted 16 but got %1 + 無法讀取初始向量 (IV) 的所有位元組,預期為 16 但得到了 %1 + + + Unable to init cipher for opdata01: %1 + 無法初始化 opdata01 的加密:%1 + + + Unable to read all HMAC signature bytes + 無法讀取所有 HMAC 簽名位元組 + + + Malformed OpData01 due to a failed HMAC + 異常的 OpData01,因為 HMAC 運行失敗 + + + Unable to process clearText in place + 無法在場處理純文本 + + + Expected %1 bytes of clear-text, found %2 + 預期 %1 位元組的純文本,實際為 %2 + + + + OpVaultOpenWidget + + Read Database did not produce an instance +%1 + 讀取資料庫並未產生實體 +%1 + + + + OpVaultReader + + Directory .opvault must exist + 目錄 .opvault 必須存在 + + + Directory .opvault must be readable + 目錄 .opvault 必須為可讀取 + + + Directory .opvault/default must exist + 目錄 .opvault/default 必須存在 + + + Directory .opvault/default must be readable + 目錄 .opvault/default 必須為可讀取 + + + Unable to decode masterKey: %1 + 無法解碼主金鑰:%1 + + + Unable to derive master key: %1 + 無法推導主金鑰:%1 @@ -3696,11 +4808,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Key file way too small. - 金鑰檔太小。 + 金鑰檔案太小。 Key file magic header id invalid - 金鑰檔魔術標頭 id 無效 + 金鑰檔案的魔術標頭 ID 無效 Found zero keys @@ -3712,7 +4824,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Corrupted key file, reading private key failed - 金鑰檔損壞,讀取私密金鑰失敗 + 金鑰檔案損壞,讀取私密金鑰失敗 No private key payload to decrypt @@ -3720,7 +4832,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Trying to run KDF without cipher - 嘗試運行無加密的 KDF + 嘗試運行無密碼的 KDF Passphrase is required to decrypt this key @@ -3728,7 +4840,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Key derivation failed, key file corrupted? - 金鑰衍生失敗,金鑰檔已損壞? + 金鑰推導失敗,金鑰檔已損壞? Decryption failed, wrong passphrase? @@ -3760,23 +4872,34 @@ Expect some bugs and minor issues, this version is not meant for production use. Unsupported key type: %1 - + 不支援的金鑰類型:%1 Unknown cipher: %1 - + 未知的密語:%1 Cipher IV is too short for MD5 kdf - + 加密的初始向量 (IV) 對 MD5 kdf 來說太短了 Unknown KDF: %1 - + 未知的金鑰推導函式 (KDF):%1 Unknown key type: %1 - + 未知的金鑰類型:%1 + + + + PasswordEdit + + Passwords do not match + 不符合的密碼 + + + Passwords match so far + 目前符合的密碼 @@ -3787,7 +4910,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Confirm password: - + 確認密碼: Password @@ -3795,15 +4918,31 @@ Expect some bugs and minor issues, this version is not meant for production use. <p>A password is the primary method for securing your database.</p><p>Good passwords are long and unique. KeePassXC can generate one for you.</p> - + <p>密碼是保全您的資料庫的主要方式。</p><p>好的密碼要夠長且獨特。KeePassXC 可以幫您產生一組。</p> Passwords do not match. - + 密碼不相符。 Generate master password - + 產生主密碼 + + + Password field + 密碼欄位 + + + Toggle password visibility + 切換密碼可見性 + + + Repeat password field + 重複密碼欄位 + + + Toggle password generator + 切換密碼產生器 @@ -3823,7 +4962,7 @@ Expect some bugs and minor issues, this version is not meant for production use. entropy - entropy + 熵值 Password @@ -3833,22 +4972,10 @@ Expect some bugs and minor issues, this version is not meant for production use. Character Types 字元類型 - - Upper Case Letters - 大寫英文字母 - - - Lower Case Letters - 小寫英文字母 - Numbers 數字 - - Special Characters - 特殊字元 - Extended ASCII 擴展 ASCII 碼 @@ -3867,7 +4994,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Passphrase - 密語 + 密碼短語 Wordlist: @@ -3891,11 +5018,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Entropy: %1 bit - Entropy: %1 bit + 資訊熵:%1 位元 Password Quality: %1 - 密碼素質:%1 + 密碼品質:%1 Poor @@ -3919,28 +5046,20 @@ Expect some bugs and minor issues, this version is not meant for production use. ExtendedASCII - + 延伸 ASCII Switch to advanced mode - + 切換至進階模式 Advanced 進階 - - Upper Case Letters A to F - - A-Z A-Z - - Lower Case Letters A to F - - a-z a-z @@ -3951,108 +5070,165 @@ Expect some bugs and minor issues, this version is not meant for production use. Braces - + 括號 {[( - + {[( Punctuation - + 標點 .,:; - + .,:; Quotes - + 引號 " ' - - - - Math - + " ' <*+!?= - - - - Dashes - + <*+!?= \_|-/ - + \_|-/ Logograms - + 語標符號 #$%&&@^`~ - + #$%&&@^`~ Switch to simple mode - + 切換至簡單模式 Simple - + 簡單 Character set to exclude from generated password - + 產生密碼時排除的字元集合 Do not include: - + 不要包括: Add non-hex letters to "do not include" list - + 將非十六進制字母加入「不要包括」清單 Hex - + 十六進制 Excluded characters: "0", "1", "l", "I", "O", "|", "﹒" - + 排除以下字元:"0", "1", "l", "I", "O", "|", "﹒" Word Co&unt: - + 字數統計 (&U): Regenerate - + 重新產生 + + + Generated password + 已產生密碼 + + + Upper-case letters + 大寫字母 + + + Lower-case letters + 小寫字母 + + + Special characters + 特殊字母 + + + Math Symbols + 數學符號 + + + Dashes and Slashes + 破折號與斜線號 + + + Excluded characters + 排除字元 + + + Hex Passwords + 十六進制密碼 + + + Password length + 密碼長度 + + + Word Case: + 字母大小寫: + + + Regenerate password + 重新產生密碼 + + + Copy password + 複製密碼 + + + Accept password + 接受密碼 + + + lower case + 全部小寫 + + + UPPER CASE + 全部大寫 + + + Title Case + 首字母大寫 + + + Toggle password visibility + 切換密碼可見性 QApplication KeeShare - + KeeShare - - - QFileDialog - Select - + Statistics + 統計 QMessageBox Overwrite - + 覆寫 Delete @@ -4060,11 +5236,11 @@ Expect some bugs and minor issues, this version is not meant for production use. Move - + 移動 Empty - + 清空 Remove @@ -4072,15 +5248,19 @@ Expect some bugs and minor issues, this version is not meant for production use. Skip - + 跳過 Disable - 關閉 + 停用 Merge - + 合併 + + + Continue + 繼續 @@ -4123,7 +5303,7 @@ Expect some bugs and minor issues, this version is not meant for production use. No URL provided - 未提供 URL + 未提供網址 No logins found @@ -4135,7 +5315,7 @@ Expect some bugs and minor issues, this version is not meant for production use. Add a new entry to a database. - 新增項目到資料庫 + 加入項目到資料庫。 Path of the database. @@ -4159,7 +5339,7 @@ Expect some bugs and minor issues, this version is not meant for production use. URL for the entry. - 此項目的網址 + 此項目的網址。 URL @@ -4173,17 +5353,13 @@ Expect some bugs and minor issues, this version is not meant for production use. Generate a password for the entry. 產生此項目的密碼。 - - Length for the generated password. - 欲產生的密碼長度。 - length 長度 Path of the entry to add. - 欲新增的項目路徑 + 欲加入的項目路徑。 Copy an entry's password to the clipboard. @@ -4220,24 +5396,12 @@ Expect some bugs and minor issues, this version is not meant for production use. Password for which to estimate the entropy. - 用於估計 entropy 的密碼。 + 用於估計資訊熵的密碼。 Perform advanced analysis on the password. 對密碼執行高級分析。 - - Extract and print the content of a database. - 提取與列印資料庫內容。 - - - Path of the database to extract. - 要提取的資料庫路徑。 - - - Insert password to unlock %1: - 插入密碼以解除鎖定 %1: - WARNING: You are using a legacy key file format which may become unsupported in the future. @@ -4281,17 +5445,13 @@ Available commands: Merge two databases. 合併兩個資料庫。 - - Path of the database to merge into. - 合併時的目標資料庫路徑。 - Path of the database to merge from. 合併時的來源資料庫路徑。 Use the same credentials for both database files. - 對兩個資料庫檔案使用相同的認證。 + 對兩個資料庫檔案使用相同的憑證。 Key file of the database to merge from. @@ -4361,10 +5521,6 @@ Available commands: Browser Integration 瀏覽器整合 - - YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] 挑戰回應 - 插槽 %2 - %3 - Press @@ -4379,320 +5535,292 @@ Available commands: Generate a new random diceware passphrase. - + 產生一組全新隨機的 Diceware 密碼短語。 Word count for the diceware passphrase. - + Diceware 密碼短語字數統計。 Wordlist for the diceware generator. [Default: EFF English] - + Diceware 產生器使用的字詞表。 +[預設:EFF English] Generate a new random password. - - - - Invalid value for password length %1. - + 產生新的隨機密碼。 Could not create entry with path %1. - + 無法建立路徑為 %1 的項目。 Enter password for new entry: - + 為新項目輸入密碼: Writing the database failed %1. - + 寫入資料庫失敗 %1。 Successfully added entry %1. - + 成功加入項目 %1。 Copy the current TOTP to the clipboard. - + 複製目前 TOTP 至剪貼簿。 Invalid timeout value %1. - + 無效的超時值 %1。 Entry %1 not found. - + 項目 %1 未找到。 Entry with path %1 has no TOTP set up. - + 路徑為 %1 的項目未設定 TOTP。 Entry's current TOTP copied to the clipboard! - + 已複製項目目前的 TOTP 到剪貼簿! Entry's password copied to the clipboard! - + 已複製項目密碼到剪貼簿! Clearing the clipboard in %1 second(s)... - + 將於 %1 秒後清空剪貼簿... Clipboard cleared! - + 剪貼簿已清空! Silence password prompt and other secondary outputs. - + 關閉密碼提示與其他輔助輸出。 count CLI parameter - - - - Invalid value for password length: %1 - + 計數 Could not find entry with path %1. - + 未找到路徑為 %1 的項目。 Not changing any field for entry %1. - + 未更改項目 %1 的任何欄位。 Enter new password for entry: - + 為項目輸入新密碼: Writing the database failed: %1 - + 寫入資料庫失敗:%1 Successfully edited entry %1. - + 成功編輯項目 %1。 Length %1 - + 長度 %1 Entropy %1 - + 熵值 %1 Log10 %1 - + Log10 %1 Multi-word extra bits %1 - + 多字詞額外字元 %1 Type: Bruteforce - + 類型:暴力破解 Type: Dictionary - + 類型:字典 Type: Dict+Leet - + 類型:字典+名單 Type: User Words - + 類型:使用者字詞 Type: User+Leet - + 類型:使用者+名單 Type: Repeated - + 類型:重複 Type: Sequence - + 類型:序列 Type: Spatial - + 類型:空間 Type: Date - + 類型:日期 Type: Bruteforce(Rep) - + 類型:暴力破解(重複) Type: Dictionary(Rep) - + 類型:字典(重複) Type: Dict+Leet(Rep) - + 類型:字典+名單(重複) Type: User Words(Rep) - + 類型:使用者字詞(重複) Type: User+Leet(Rep) - + 類型:使用者+名單(重複) Type: Repeated(Rep) - + 類型:重複(重複) Type: Sequence(Rep) - + 類型:序列(重複) Type: Spatial(Rep) - + 類型:空間(重複) Type: Date(Rep) - + 類型:日期(重複) Type: Unknown%1 - + 類型:未知%1 Entropy %1 (%2) - + 熵值 %1 (%2) *** Password length (%1) != sum of length of parts (%2) *** - + *** 密碼長度 (%1) != 部位長度總和 (%2) *** Failed to load key file %1: %2 - - - - File %1 does not exist. - 檔案 %1 不存在。 - - - Unable to open file %1. - 無法開啟檔案 %1。 - - - Error while reading the database: -%1 - - - - Error while parsing the database: -%1 - + 載入金鑰檔案 %1 失敗:%2 Length of the generated password - + 產生密碼長度 Use lowercase characters - + 使用小寫字母 Use uppercase characters - - - - Use numbers. - + 使用大寫字母 Use special characters - + 使用特殊字元 Use extended ASCII - + 使用延伸 ASCII Exclude character set - + 排除的字元集合 chars - + 字元 Exclude similar looking characters - + 排除相似字元 Include characters from every selected group - + 包含每個選定組中的字元 Recursively list the elements of the group. - + 遞迴列出組內元素。 Cannot find group %1. - + 未找到群組 %1。 Error reading merge file: %1 - + 讀取合併檔案錯誤: +%1 Unable to save database to file : %1 - + 無法儲存資料庫至檔案:%1 Unable to save database to file: %1 - + 無法儲存資料庫至檔案:%1 Successfully recycled entry %1. - + 成功回收項目 %1。 Successfully deleted entry %1. - + 成功刪除項目 %1。 Show the entry's current TOTP. - + 顯示項目目前的 TOTP。 ERROR: unknown attribute %1. - + 錯誤:未知的屬性 %1。 No program defined for clipboard manipulation - + 沒有為剪貼簿操作定義程式 Unable to start program %1 - + 無法開啟程式 %1 file empty - + 檔案為空 %1: (row, col) %2,%3 - + %1: (列, 行) %2,%3 AES: 256-bit @@ -4721,60 +5849,52 @@ Available commands: Invalid Settings TOTP - + 無效的設定 Invalid Key TOTP - + 無效的金鑰 Message encryption failed. - + 訊息加密失敗。 No groups found - + 未找到群組 Create a new database. - + 建立新群組。 File %1 already exists. - + 檔案 %1 已存在。 Loading the key file failed - + 載入金鑰檔案失敗 No key is set. Aborting database creation. - + 未設置金鑰。中止資料庫建立。 Failed to save the database: %1. - + 儲存資料庫失敗:%1。 Successfully created new database. - - - - Insert password to encrypt database (Press enter to leave blank): - + 成功建立新資料庫。 Creating KeyFile %1 failed: %2 - + 建立金鑰檔案 %1 失敗:%2 Loading KeyFile %1 failed: %2 - - - - Remove an entry from the database. - 從資料庫中移除項目。 + 載入金鑰檔案 %1 失敗:%2 Path of the entry to remove. @@ -4782,7 +5902,7 @@ Available commands: Existing single-instance lock file is invalid. Launching new instance. - 現有的單實例鎖定檔無效。正在啟動新實例。 + 現有的單實例鎖定檔案無效。正在啟動新實例。 The lock file could not be created. Single-instance mode disabled. @@ -4798,7 +5918,7 @@ Available commands: path to a custom config file - 自訂設定檔路徑 + 自訂設定檔案的路徑 key file of the database @@ -4806,7 +5926,7 @@ Available commands: read password of the database from stdin - 從 stdin 讀取資料庫密碼 + 從標準輸入 (stdin) 讀取資料庫密碼 Parent window handle @@ -4818,7 +5938,7 @@ Available commands: Fatal error while testing the cryptographic functions. - 測試加密函數時發生重大錯誤。 + 測試加密函式時發生重大錯誤。 KeePassXC - Error @@ -4826,11 +5946,335 @@ Available commands: Database password: - + 資料庫密碼: Cannot create new group - + 無法建立新群組 + + + Deactivate password key for the database. + 停用資料庫的密碼金鑰。 + + + Displays debugging information. + 顯示除錯資訊。 + + + Deactivate password key for the database to merge from. + 停用合併資料庫的密碼金鑰。 + + + Version %1 + 版本 %1 + + + Build Type: %1 + 建置類型:%1 + + + Revision: %1 + 修訂版號:%1 + + + Distribution: %1 + 發行版本:%1 + + + Debugging mode is disabled. + 除錯資訊已停用。 + + + Debugging mode is enabled. + 除錯資訊已啟用。 + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + 作業系統:%1 +中央處理器架構:%2 +核心:%3 %4 + + + Auto-Type + 自動輸入 + + + KeeShare (signed and unsigned sharing) + KeeShare(簽署及未簽署的共用) + + + KeeShare (only signed sharing) + KeeShare(限簽署的共用) + + + KeeShare (only unsigned sharing) + KeeShare(限未簽署的共用) + + + YubiKey + YubiKey + + + TouchID + TouchID + + + None + + + + Enabled extensions: + 已啟用的擴充元件: + + + Cryptographic libraries: + 加密函式庫: + + + Cannot generate a password and prompt at the same time! + 無法同時產生並顯示密碼! + + + Adds a new group to a database. + 加入新群組到資料庫。 + + + Path of the group to add. + 欲加入的群組路徑。 + + + Group %1 already exists! + 群組 %1 已經存在! + + + Group %1 not found. + 群組 %1 未找到。 + + + Successfully added group %1. + 成功加入群組 %1。 + + + Check if any passwords have been publicly leaked. FILENAME must be the path of a file listing SHA-1 hashes of leaked passwords in HIBP format, as available from https://haveibeenpwned.com/Passwords. + 檢查是否有任何密碼被公開泄露。FILENAME 需為一路徑指向檔案,內部以 HIBP 格式列出被泄露密碼的 SHA-1 雜湊。檔案可從 https://haveibeenpwned.com/Passwords 獲得。 + + + FILENAME + FILENAME + + + Analyze passwords for weaknesses and problems. + 分析密碼的弱點與問題。 + + + Failed to open HIBP file %1: %2 + 開啟 HIBP 檔案 %1 失敗:%2 + + + Evaluating database entries against HIBP file, this will take a while... + 根據 HIBP 檔案評估資料庫的項目,這將花上一段時間... + + + Close the currently opened database. + 關閉目前開啟的資料庫。 + + + Display this help. + 顯示此幫助。 + + + Yubikey slot used to encrypt the database. + 用來加密資料庫的 Yubikey 插槽。 + + + slot + 插槽 + + + Invalid word count %1 + 無效的字數統計 %1 + + + The word list is too small (< 1000 items) + 字詞清單過小(< 1000 個項目) + + + Exit interactive mode. + 離開互動模式。 + + + Format to use when exporting. Available choices are xml or csv. Defaults to xml. + 匯出時使用的格式。可用選項為 xml 或 csv。預設為 xml。 + + + Exports the content of a database to standard output in the specified format. + 以指定格式匯出資料庫內容至標準輸出。 + + + Unable to export database to XML: %1 + 無法匯出資料庫至 XML:%1 + + + Unsupported format %1 + 不支援的格式 %1 + + + Use numbers + 使用數字 + + + Invalid password length %1 + 無效的密碼長度 %1 + + + Display command help. + 顯示指令幫助。 + + + Available commands: + 可用指令: + + + Import the contents of an XML database. + 匯入 XML 資料庫的內容。 + + + Path of the XML database export. + XML 資料庫匯出的路徑。 + + + Path of the new database. + 新資料庫的路徑。 + + + Unable to import XML database export %1 + 無法匯入 XML 資料庫匯出 %1 + + + Successfully imported database. + 成功匯入資料庫。 + + + Unknown command %1 + 未知的指令 %1 + + + Flattens the output to single lines. + 將輸出壓縮至單一行。 + + + Only print the changes detected by the merge operation. + 只印出合併操作偵測到的變更。 + + + Yubikey slot for the second database. + 第二資料庫的 Yubikey 插槽。 + + + Successfully merged %1 into %2. + 成功合併 %1 至 %2。 + + + Database was not modified by merge operation. + 資料庫未被合併操作修改。 + + + Moves an entry to a new group. + 移動項目至新群組。 + + + Path of the entry to move. + 欲移動的項目路徑。 + + + Path of the destination group. + 目標群組的路徑。 + + + Could not find group with path %1. + 找不到路徑為 %1 的群組。 + + + Entry is already in group %1. + 項目已存在於群組 %1。 + + + Successfully moved entry %1 to group %2. + 成功移動項目 %1 至群組 %2。 + + + Open a database. + 開啟資料庫。 + + + Path of the group to remove. + 欲移除的群組路徑。 + + + Cannot remove root group from database. + 無法從資料庫移除根群組。 + + + Successfully recycled group %1. + 成功回收群組 %1。 + + + Successfully deleted group %1. + 成功刪除群組 %1。 + + + Failed to open database file %1: not found + 開啟資料庫檔案 %1 失敗:查無此檔 + + + Failed to open database file %1: not a plain file + 開啟資料庫檔案 %1 失敗:並非檔案 + + + Failed to open database file %1: not readable + 開啟資料庫檔案 %1 失敗:無法讀取 + + + Enter password to unlock %1: + 輸入密碼以解鎖 %1: + + + Invalid YubiKey slot %1 + 無效的 YubiKey 插槽 %1 + + + Please touch the button on your YubiKey to unlock %1 + 請接觸您的 YubiKey 上面的按鈕以解鎖 %1 + + + Enter password to encrypt database (optional): + 輸入密碼以加密資料庫(選用): + + + HIBP file, line %1: parse error + HIBP 檔案,欄 %1:剖析錯誤 + + + Secret Service Integration + 秘密服務整合 + + + User name + 使用者名稱 + + + %1[%2] Challenge Response - Slot %3 - %4 + %1[%2] 挑戰應答 - 插槽 %3 - %4 + + + Password for '%1' has been leaked %2 time(s)! + 「%1」的密碼已被泄露 %2 次! + + + Invalid password generator after applying all options + 套用所有選項的密碼產生器為無效 @@ -4860,7 +6304,7 @@ Available commands: QtIOCompressor::open The gzip format not supported in this version of zlib. - 此版本的 zlib 不支援 gzip 格式 + 此版本的 zlib 不支援 gzip 格式。 Internal zlib error: @@ -4871,90 +6315,90 @@ Available commands: SSHAgent Agent connection failed. - + 代理連線失敗。 Agent protocol error. - + 代理協議錯誤。 No agent running, cannot add identity. - + 代理未執行,無法加入身份。 No agent running, cannot remove identity. - + 代理未執行,無法移除身份。 Agent refused this identity. Possible reasons include: - + 代理拒絕此身份。可能的原因包括: The key has already been added. - + 金鑰已經加入。 Restricted lifetime is not supported by the agent (check options). - + 代理並未支援受限制的生命周期(請檢查選項)。 A confirmation request is not supported by the agent (check options). - + 代理並未支援確認請求(請檢查選項)。 SearchHelpWidget Search Help - + 搜尋幫助 Search terms are as follows: [modifiers][field:]["]term["] - + 搜尋條件如下所示:[修飾子][欄位:]["]條件["] Every search term must match (ie, logical AND) - + 必須符合所有搜尋條件(即邏輯 AND) Modifiers - + 修飾子 exclude term from results - + 從結果排除條件 match term exactly - + 完全匹配條件 use regex in term - + 在條件中使用正規表示式 (regex) Fields - + 欄位 Term Wildcards - + 條件通配符 match anything - + 任意匹配 match one - + 匹配一組 logical OR - + 邏輯 OR Examples - + 範例 @@ -4973,47 +6417,134 @@ Available commands: Search Help - + 搜尋幫助 Search (%1)... Search placeholder text, %1 is the keyboard shortcut - + 搜尋 (%1)... Case sensitive 區分大小寫 + + SettingsWidgetFdoSecrets + + Options + 選項 + + + Enable KeepassXC Freedesktop.org Secret Service integration + 啟用 KeepassXC 與 Freedesktop.org 秘密服務 (Secret Service) 的整合 + + + General + 一般 + + + Show notification when credentials are requested + 請求憑證時顯示通知 + + + <html><head/><body><p>If recycle bin is enabled for the database, entries will be moved to recycle bin directly. Otherwise, they will be deleted without confirmation.</p><p>You will still be prompted if any entries are referenced by others.</p></body></html> + <html><head/><body><p>若資料庫內的回收桶已經啟用,項目會直接被移至回收桶。否則,項目將會被刪除且不做任何確認。</p><p>若有項目被其他項目引用,您仍將會收到通知。</p></body></html> + + + Don't confirm when entries are deleted by clients. + 當項目被客戶端刪除時,不進行確認。 + + + Exposed database groups: + 開放的資料庫群組: + + + File Name + 檔案名稱 + + + Group + 群組 + + + Manage + 管理 + + + Authorization + 認證 + + + These applications are currently connected: + 這些應用程式目前已連線: + + + Application + 應用程式 + + + Disconnect + 中斷連線 + + + Database settings + 資料庫設定 + + + Edit database settings + 編輯資料庫設定 + + + Unlock database + 解鎖資料庫 + + + Unlock database to show more information + 解鎖資料庫以顯示更多資訊 + + + Lock database + 鎖定資料庫 + + + Unlock to show + 解鎖以顯示 + + + None + + + SettingsWidgetKeeShare Active - + 啟用項 Allow export - + 允許匯出 Allow import - + 允許匯入 Own certificate - + 自帶證書 Fingerprint: - + 指紋: Certificate: - + 證書: Signer - + 簽署者 Key: @@ -5029,23 +6560,23 @@ Available commands: Export - + 匯出 Imported certificates - + 匯入的證書 Trust - + 信任 Ask - + 詢問 Untrust - + 不信任 Remove @@ -5057,7 +6588,7 @@ Available commands: Status - + 狀態 Fingerprint @@ -5065,28 +6596,28 @@ Available commands: Certificate - + 證書 Trusted - + 信任 Untrusted - + 不可信任 Unknown - + 未知 key.share Filetype for KeeShare key - + key.share KeeShare key file - + KeeShare 金鑰檔案 All files @@ -5094,38 +6625,133 @@ Available commands: Select path - + 選擇路徑 Exporting changed certificate - + 匯出已更改的證書 The exported certificate is not the same as the one in use. Do you want to export the current certificate? - + 匯出的證書與目前使用的證書不同。真的要匯出目前的證書? Signer: - + 簽署者: + + + Allow KeeShare imports + 允許 KeeShare 匯入 + + + Allow KeeShare exports + 允許 KeeShare 匯出 + + + Only show warnings and errors + 只顯示警告與錯誤 + + + Key + + + + Signer name field + 簽署者名稱欄位 + + + Generate new certificate + 產生新證書 + + + Import existing certificate + 匯入已存證書 + + + Export own certificate + 匯出自帶證書 + + + Known shares + 已知分享 + + + Trust selected certificate + 信任所選證書 + + + Ask whether to trust the selected certificate every time + 每次詢問是否信任所選證書 + + + Untrust selected certificate + 取消信任所選證書 + + + Remove selected certificate + 移除所選證書 - ShareObserver + ShareExport + + Overwriting signed share container is not supported - export prevented + 不支援覆寫已簽署的分享容器 — 匯出已阻止 + + + Could not write export container (%1) + 無法寫入匯出的共享容器 (%1) + + + Could not embed signature: Could not open file to write (%1) + 無法嵌入簽名:無法開啟檔案來寫入 (%1) + + + Could not embed signature: Could not write file (%1) + 無法嵌入簽名:無法寫入檔案 (%1) + + + Could not embed database: Could not open file to write (%1) + 無法嵌入資料庫:無法開啟檔案來寫入 (%1) + + + Could not embed database: Could not write file (%1) + 無法嵌入資料庫:無法寫入檔案 (%1) + + + Overwriting unsigned share container is not supported - export prevented + 不支援覆寫未簽署的分享容器 — 匯出已阻止 + + + Could not write export container + 無法寫入匯出的共享容器 + + + Unexpected export error occurred + 出現未預期的錯誤 + + + + ShareImport Import from container without signature - + 從沒有簽署的容器匯入 We cannot verify the source of the shared container because it is not signed. Do you really want to import from %1? - + 我們無法確認分享容器的來源,因為它未被簽署過。真的要從 %1 匯入嗎? Import from container with certificate - + 從帶有證書的容器匯入 + + + Do you want to trust %1 with the fingerprint of %2 from %3? + 是否要信任 %1,來自 %3 的 %2 的指紋? Not this time - + 這次不要 Never @@ -5133,123 +6759,86 @@ Available commands: Always - + 永遠 Just this time - - - - Import from %1 failed (%2) - - - - Import from %1 successful (%2) - - - - Imported from %1 - + 只有這次 Signed share container are not supported - import prevented - + 不支援已簽署的分享容器 — 匯入已阻止 File is not readable - + 檔案無法讀取 Invalid sharing container - + 無效的分享容器 Untrusted import prevented - + 阻止不受信任的匯入 Successful signed import - + 簽署已成功匯入 Unexpected error - + 未預期的錯誤 Unsigned share container are not supported - import prevented - + 不支援未簽署的分享容器 — 匯入已阻止 Successful unsigned import - + 未簽署已成功匯入 File does not exist - + 檔案不存在 Unknown share container type - + 未知的共享容器種類 + + + + ShareObserver + + Import from %1 failed (%2) + 從 %1 匯入失敗 (%2) - Overwriting signed share container is not supported - export prevented - + Import from %1 successful (%2) + 從 %1 匯入成功 (%2) - Could not write export container (%1) - - - - Overwriting unsigned share container is not supported - export prevented - - - - Could not write export container - - - - Unexpected export error occurred - + Imported from %1 + 從 %1 匯入 Export to %1 failed (%2) - + 匯出至 %1 失敗 (%2) Export to %1 successful (%2) - + 匯出至 %1 成功 (%2) Export to %1 - - - - Do you want to trust %1 with the fingerprint of %2 from %3? - + 匯出至 %1 Multiple import source path to %1 in %2 - + 多個匯入來源路徑至 %1,位於 %2 Conflicting export target path %1 in %2 - - - - Could not embed signature: Could not open file to write (%1) - - - - Could not embed signature: Could not write file (%1) - - - - Could not embed database: Could not open file to write (%1) - - - - Could not embed database: Could not write file (%1) - + 衝突的匯出目標路徑 %1,位於 %2 @@ -5268,7 +6857,7 @@ Available commands: Expires in <b>%n</b> second(s) - + <b>%n</b> 秒後過期 @@ -5280,34 +6869,30 @@ Available commands: NOTE: These TOTP settings are custom and may not work with other authenticators. TOTP QR code dialog warning - + 注意:這些 TOTP 設定為自定義項目,可能無法與其他驗証器一起使用。 There was an error creating the QR code. - + 建立 QR 碼時發生錯誤。 Closing in %1 seconds. - + 將於 %1 秒後關閉。 TotpSetupDialog Setup TOTP - 安裝 TOTP - - - Key: - 金鑰: + 設置 TOTP Default RFC 6238 token settings - 預設 RFC 6238 token 設定 + 預設 RFC 6238 令牌設定 Steam token settings - Steam token 設定 + Steam 令牌設定 Use custom settings @@ -5315,7 +6900,7 @@ Available commands: Custom Settings - + 自訂設定 Time step: @@ -5331,27 +6916,57 @@ Available commands: 代碼長度: - 6 digits - 6 位數 + Secret Key: + 私密金鑰: - 7 digits - + Secret key must be in Base32 format + 私密金鑰必須為 Base32 格式 - 8 digits - 8 位數 + Secret key field + 私密金鑰欄位 + + + Algorithm: + 演算法: + + + Time step field + 時間間隔 + + + digits + 位數 + + + Invalid TOTP Secret + 無效的 TOTP 私鑰 + + + You have entered an invalid secret key. The key must be in Base32 format. +Example: JBSWY3DPEHPK3PXP + 您輸入的私密金鑰無效。金鑰必須為 Base32 格式。 +範例:JBSWY3DPEHPK3PXP + + + Confirm Remove TOTP Settings + 確認移除 TOTP 設定 + + + Are you sure you want to delete TOTP settings for this entry? + 真的要刪除此項目的 TOTP 設定? UpdateCheckDialog Checking for updates - + 正在檢查更新 Checking for updates... - + 正在檢查更新... Close @@ -5359,11 +6974,11 @@ Available commands: Update Error! - + 更新錯誤! An error occurred in retrieving update information. - + 接收更新資訊時發生錯誤。 Please try again later. @@ -5375,11 +6990,11 @@ Available commands: A new version of KeePassXC is available! - + KeePassXC 有新版本可用! KeePassXC %1 is now available — you have %2. - + KeePassXC %1 可供使用 — 目前版本為 %2。 Download it at keepassxc.org @@ -5387,11 +7002,11 @@ Available commands: You're up-to-date! - + 您正使用最新版本! KeePassXC %1 is currently the newest version available - + KeePassXC %1 為目前可用最新版本 @@ -5424,28 +7039,44 @@ Available commands: Welcome to KeePassXC %1 歡迎來到 KeePassXC %1 + + Import from 1Password + 從 1Password 匯入 + + + Open a recent database + 開啟一個近期的資料庫 + YubiKeyEditWidget Refresh - 重新整理 + 更新 YubiKey Challenge-Response - + YubiKey 挑戰應答 <p>If you own a <a href="https://www.yubico.com/">YubiKey</a>, you can use it for additional security.</p><p>The YubiKey requires one of its slots to be programmed as <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 Challenge-Response</a>.</p> - + <p>若您擁有<a href="https://www.yubico.com/">YubiKey</a>,您可以使用它以獲得額外保護。</p><p>YubiKey 要求將其中一個插槽編程為 <a href="https://www.yubico.com/products/services-software/personalization-tools/challenge-response/">HMAC-SHA1 挑戰應答</a>。</p> No YubiKey detected, please ensure it's plugged in. - + 未偵測到 YubiKey,請確認是否插入裝置。 No YubiKey inserted. - + YubiKey 尚未接入。 + + + Refresh hardware tokens + 更新硬體令牌 + + + Hardware key slot selection + 硬體金鑰插槽選擇 \ No newline at end of file