From a3020b67870fee43d559099f5db9af9342f0d91f Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Tue, 20 Jun 2017 23:12:57 -0400 Subject: [PATCH 1/5] Bumped version to 2.2.0 and populated CHANGELOG --- CHANGELOG | 33 +++++++++++++++++++++++++++++++++ CMakeLists.txt | 4 ++-- snapcraft.yaml | 5 ++++- 3 files changed, 39 insertions(+), 3 deletions(-) diff --git a/CHANGELOG b/CHANGELOG index a29371598..6c2cc9dfa 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -1,3 +1,36 @@ +2.2.0 (2017-06-23) +========================= + +- Added YubiKey 2FA integration for unlocking databases [#127] +- Added TOTP support [#519] +- Added CSV import tool [#146, #490] +- Added KeePassXC CLI tool [#254] +- Added diceware password generator [#373] +- Added support for entry references [#370, #378] +- Added support for Twofish encryption [#167] +- Enabled DEP and ASLR for in-memory protection [#371] +- Enabled single instance mode [#510] +- Enabled portable mode [#645] +- Enabled database lock on screensaver and session lock [#545] +- Redesigned welcome screen with common features and recent databases [#292] +- Multiple updates to search behavior [#168, #213, #374, #471, #603, #654] +- Added auto-type fields {CLEARFIELD}, {SPACE}, {{}, {}} [#267, #427, #480] +- Fixed auto-type errors on Linux [#550] +- Prompt user prior to executing a cmd:// URL [#235] +- Entry attributes can be protected (hidden) [#220] +- Added extended ascii to password generator [#538] +- Added new database icon to toolbar [#289] +- Added context menu entry to empty recycle bin in databases [#520] +- Added "apply" button to entry and group edit windows [#624] +- Added macOS tray icon and enabled minimize on close [#583] +- Fixed issues with unclean shutdowns [#170, #580] +- Changed keyboard shortcut to create new database to CTRL+SHIFT+N [#515] +- Compare window title to entry URLs [#556] +- Implemented inline error messages [#162] +- Ignore group expansion and other minor changes when making database "dirty" [#464] +- Updated license and copyright information on souce files [#632] +- Added contributors list to about dialog [#629] + 2.1.4 (2017-04-09) ========================= diff --git a/CMakeLists.txt b/CMakeLists.txt index 2f3677d68..627676105 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -48,8 +48,8 @@ option(WITH_XC_YUBIKEY "Include YubiKey support." OFF) set(CMAKE_AUTOUIC ON) set(KEEPASSXC_VERSION_MAJOR "2") -set(KEEPASSXC_VERSION_MINOR "1") -set(KEEPASSXC_VERSION_PATCH "4") +set(KEEPASSXC_VERSION_MINOR "2") +set(KEEPASSXC_VERSION_PATCH "0") set(KEEPASSXC_VERSION "${KEEPASSXC_VERSION_MAJOR}.${KEEPASSXC_VERSION_MINOR}.${KEEPASSXC_VERSION_PATCH}") if("${CMAKE_C_COMPILER}" MATCHES "clang$" OR "${CMAKE_C_COMPILER_ID}" STREQUAL "Clang") diff --git a/snapcraft.yaml b/snapcraft.yaml index aa5ab38fb..0832ef48a 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -1,5 +1,5 @@ name: keepassxc -version: 2.1.4 +version: 2.2.0 grade: stable summary: community driven port of the windows application “Keepass Password Safe” description: | @@ -22,6 +22,7 @@ parts: - -DWITH_TESTS=OFF - -DWITH_XC_AUTOTYPE=ON - -DWITH_XC_HTTP=ON + - -DWITH_XC_YUBIKEY=ON build-packages: - g++ - libgcrypt20-dev @@ -32,4 +33,6 @@ parts: - zlib1g-dev - libxi-dev - libxtst-dev + - libyubikey-dev + - libykpers-1-dev after: [desktop-qt5] From 719323e9c37ce509fd734c8a8b88dc09177ee744 Mon Sep 17 00:00:00 2001 From: Weslly Date: Tue, 20 Jun 2017 16:54:13 -0300 Subject: [PATCH 2/5] Add option to limit search to current group --- src/core/Config.cpp | 1 + src/gui/DatabaseWidget.cpp | 11 ++++++++++- src/gui/DatabaseWidget.h | 2 ++ src/gui/SearchWidget.cpp | 21 +++++++++++++++++++++ src/gui/SearchWidget.h | 4 ++++ tests/gui/TestGui.cpp | 5 +++++ 6 files changed, 43 insertions(+), 1 deletion(-) diff --git a/src/core/Config.cpp b/src/core/Config.cpp index 013d148d7..5afbfcceb 100644 --- a/src/core/Config.cpp +++ b/src/core/Config.cpp @@ -114,6 +114,7 @@ void Config::init(const QString& fileName) m_defaults.insert("AutoReloadOnChange", true); m_defaults.insert("AutoSaveOnExit", false); m_defaults.insert("ShowToolbar", true); + m_defaults.insert("SearchLimitGroup", false); m_defaults.insert("MinimizeOnCopy", false); m_defaults.insert("UseGroupIconOnEntryCreation", false); m_defaults.insert("AutoTypeEntryTitleMatch", true); diff --git a/src/gui/DatabaseWidget.cpp b/src/gui/DatabaseWidget.cpp index b8e4f0535..4b9e85009 100644 --- a/src/gui/DatabaseWidget.cpp +++ b/src/gui/DatabaseWidget.cpp @@ -186,6 +186,7 @@ DatabaseWidget::DatabaseWidget(Database* db, QWidget* parent) m_ignoreAutoReload = false; m_searchCaseSensitive = false; + m_searchLimitGroup = config()->get("SearchLimitGroup", false).toBool(); setCurrentWidget(m_mainWidget); } @@ -963,7 +964,9 @@ void DatabaseWidget::search(const QString& searchtext) Qt::CaseSensitivity caseSensitive = m_searchCaseSensitive ? Qt::CaseSensitive : Qt::CaseInsensitive; - QList searchResult = EntrySearcher().search(searchtext, currentGroup(), caseSensitive); + Group* searchGroup = m_searchLimitGroup ? currentGroup() : m_db->rootGroup(); + + QList searchResult = EntrySearcher().search(searchtext, searchGroup, caseSensitive); m_entryView->setEntryList(searchResult); m_lastSearchText = searchtext; @@ -987,6 +990,12 @@ void DatabaseWidget::setSearchCaseSensitive(bool state) refreshSearch(); } +void DatabaseWidget::setSearchLimitGroup(bool state) +{ + m_searchLimitGroup = state; + refreshSearch(); +} + void DatabaseWidget::onGroupChanged(Group* group) { // Intercept group changes if in search mode diff --git a/src/gui/DatabaseWidget.h b/src/gui/DatabaseWidget.h index 73bc21224..734e979e7 100644 --- a/src/gui/DatabaseWidget.h +++ b/src/gui/DatabaseWidget.h @@ -163,6 +163,7 @@ public slots: // Search related slots void search(const QString& searchtext); void setSearchCaseSensitive(bool state); + void setSearchLimitGroup(bool state); void endSearch(); void showMessage(const QString& text, MessageWidget::MessageType type); @@ -221,6 +222,7 @@ private: // Search state QString m_lastSearchText; bool m_searchCaseSensitive; + bool m_searchLimitGroup; // Autoreload QFileSystemWatcher m_fileWatcher; diff --git a/src/gui/SearchWidget.cpp b/src/gui/SearchWidget.cpp index 3e987df99..7aa5f2901 100644 --- a/src/gui/SearchWidget.cpp +++ b/src/gui/SearchWidget.cpp @@ -24,6 +24,7 @@ #include #include +#include "core/Config.h" #include "core/FilePath.h" SearchWidget::SearchWidget(QWidget* parent) @@ -50,6 +51,11 @@ SearchWidget::SearchWidget(QWidget* parent) m_actionCaseSensitive->setObjectName("actionSearchCaseSensitive"); m_actionCaseSensitive->setCheckable(true); + m_actionLimitGroup = searchMenu->addAction(tr("Limit search to selected group"), this, SLOT(updateLimitGroup())); + m_actionLimitGroup->setObjectName("actionSearchLimitGroup"); + m_actionLimitGroup->setCheckable(true); + m_actionLimitGroup->setChecked(config()->get("SearchLimitGroup", false).toBool()); + m_ui->searchIcon->setIcon(filePath()->icon("actions", "system-search")); m_ui->searchIcon->setMenu(searchMenu); m_ui->searchEdit->addAction(m_ui->searchIcon, QLineEdit::LeadingPosition); @@ -102,6 +108,7 @@ void SearchWidget::connectSignals(SignalMultiplexer& mx) { mx.connect(this, SIGNAL(search(QString)), SLOT(search(QString))); mx.connect(this, SIGNAL(caseSensitiveChanged(bool)), SLOT(setSearchCaseSensitive(bool))); + mx.connect(this, SIGNAL(limitGroupChanged(bool)), SLOT(setSearchLimitGroup(bool))); mx.connect(this, SIGNAL(copyPressed()), SLOT(copyPassword())); mx.connect(this, SIGNAL(downPressed()), SLOT(setFocus())); mx.connect(m_ui->searchEdit, SIGNAL(returnPressed()), SLOT(switchToEntryEdit())); @@ -115,6 +122,7 @@ void SearchWidget::databaseChanged(DatabaseWidget* dbWidget) // Enforce search policy emit caseSensitiveChanged(m_actionCaseSensitive->isChecked()); + emit limitGroupChanged(m_actionLimitGroup->isChecked()); } else { m_ui->searchEdit->clear(); } @@ -151,6 +159,19 @@ void SearchWidget::setCaseSensitive(bool state) updateCaseSensitive(); } +void SearchWidget::updateLimitGroup() +{ + config()->set("SearchLimitGroup", m_actionLimitGroup->isChecked()); + emit limitGroupChanged(m_actionLimitGroup->isChecked()); +} + +void SearchWidget::setLimitGroup(bool state) +{ + m_actionLimitGroup->setChecked(state); + updateLimitGroup(); +} + + void SearchWidget::searchFocus() { m_ui->searchEdit->setFocus(); diff --git a/src/gui/SearchWidget.h b/src/gui/SearchWidget.h index 9f0e0d11c..2441ef60b 100644 --- a/src/gui/SearchWidget.h +++ b/src/gui/SearchWidget.h @@ -39,6 +39,7 @@ public: void connectSignals(SignalMultiplexer& mx); void setCaseSensitive(bool state); + void setLimitGroup(bool state); protected: bool eventFilter(QObject* obj, QEvent* event); @@ -46,6 +47,7 @@ protected: signals: void search(const QString& text); void caseSensitiveChanged(bool state); + void limitGroupChanged(bool state); void escapePressed(); void copyPressed(); void downPressed(); @@ -58,12 +60,14 @@ private slots: void startSearchTimer(); void startSearch(); void updateCaseSensitive(); + void updateLimitGroup(); void searchFocus(); private: const QScopedPointer m_ui; QTimer* m_searchTimer; QAction* m_actionCaseSensitive; + QAction* m_actionLimitGroup; Q_DISABLE_COPY(SearchWidget) }; diff --git a/tests/gui/TestGui.cpp b/tests/gui/TestGui.cpp index 5f969b038..9abe31f38 100644 --- a/tests/gui/TestGui.cpp +++ b/tests/gui/TestGui.cpp @@ -577,7 +577,12 @@ void TestGui::testSearch() QModelIndex rootGroupIndex = groupView->model()->index(0, 0); clickIndex(groupView->model()->index(0, 0, rootGroupIndex), groupView, Qt::LeftButton); QCOMPARE(groupView->currentGroup()->name(), QString("General")); + + searchWidget->setLimitGroup(false); + QTRY_COMPARE(entryView->model()->rowCount(), 2); + searchWidget->setLimitGroup(true); QTRY_COMPARE(entryView->model()->rowCount(), 0); + // reset clickIndex(rootGroupIndex, groupView, Qt::LeftButton); QCOMPARE(groupView->currentGroup(), m_db->rootGroup()); From b8028ff318d0bfbc6ad7a2c3a14c856aff31eb60 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sat, 24 Jun 2017 11:24:41 -0400 Subject: [PATCH 3/5] Updated snapcraft file to compile on Ubuntu 17.04 --- snapcraft.yaml | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/snapcraft.yaml b/snapcraft.yaml index 0832ef48a..c05ad2aab 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -36,3 +36,15 @@ parts: - libyubikey-dev - libykpers-1-dev after: [desktop-qt5] + desktop-qt5: + # Redefine stage packages to work with Ubuntu 17.04 + stage-packages: + - libxkbcommon0 + - ttf-ubuntu-font-family + - dmz-cursor-theme + - light-themes + - shared-mime-info + - libqt5gui5 + - libgdk-pixbuf2.0-0 + - libqt5svg5 # for loading icon themes which are svg + - locales-all From 836c996544d13154cef8cbaf2d6cfe510edb1144 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sun, 25 Jun 2017 17:15:20 -0400 Subject: [PATCH 4/5] Cleanup before release * Cleanup cpack commands * Add default config for portable install * Force translation downloads * Reduce translation download threshold to 40% --- share/keepassxc.ini | 57 ++++++++++++++++++++++++++++++++++++ share/translations/update.sh | 2 +- src/CMakeLists.txt | 9 +++++- 3 files changed, 66 insertions(+), 2 deletions(-) create mode 100644 share/keepassxc.ini diff --git a/share/keepassxc.ini b/share/keepassxc.ini new file mode 100644 index 000000000..f7ff52cbc --- /dev/null +++ b/share/keepassxc.ini @@ -0,0 +1,57 @@ +[General] +ShowToolbar=true +RememberLastDatabases=true +RememberLastKeyFiles=true +OpenPreviousDatabasesOnStartup=true +AutoSaveAfterEveryChange=false +AutoSaveOnExit=false +AutoReloadOnChange=true +MinimizeOnCopy=false +UseGroupIconOnEntryCreation=true +IgnoreGroupExpansion=false +AutoTypeEntryTitleMatch=true +GlobalAutoTypeKey=0 +GlobalAutoTypeModifiers=0 +LastOpenedDatabases=@Invalid() + +[GUI] +Language=system +ShowTrayIcon=false +MinimizeToTray=false +MinimizeOnClose=false +MinimizeOnStartup=false +MainWindowGeometry="@ByteArray(\x1\xd9\xd0\xcb\0\x2\0\0\0\0\x2(\0\0\0\xbd\0\0\x5W\0\0\x3;\0\0\x2\x30\0\0\0\xdc\0\0\x5O\0\0\x3\x33\0\0\0\0\0\0\0\0\a\x80)" +SplitterState=@Invalid() +EntryListColumnSizes=@Invalid() +EntrySearchColumnSizes=@Invalid() + +[security] +autotypeask=true +clearclipboard=true +clearclipboardtimeout=10 +lockdatabaseidle=false +lockdatabaseidlesec=240 +lockdatabaseminimize=false +lockdatabasescreenlock=true +passwordscleartext=false +passwordsrepeat=false + +[Http] +Enabled=false +ShowNotification=true +BestMatchOnly=false +UnlockDatabase=true +MatchUrlScheme=true +SortByUsername=false +Port=19455 +AlwaysAllowAccess=false +AlwaysAllowUpdate=false +SearchInAllDatabases=false +SupportKphFields=true +generator\LowerCase=true +generator\UpperCase=true +generator\Numbers=true +generator\SpecialChars=false +generator\ExcludeAlike=true +generator\EnsureEvery=true +generator\Length=16 diff --git a/share/translations/update.sh b/share/translations/update.sh index 7e8069e0d..eaa1179d4 100755 --- a/share/translations/update.sh +++ b/share/translations/update.sh @@ -14,4 +14,4 @@ tx push -s echo echo Pulling translations from Transifex -tx pull -a --minimum-perc=80 +tx pull -af --minimum-perc=40 diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index cc9334842..791685576 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -290,7 +290,12 @@ if(APPLE AND WITH_APP_BUNDLE) endif() if(MINGW) - string(REPLACE "AMD" "Win" OUTPUT_FILE_POSTFIX "${CMAKE_HOST_SYSTEM_PROCESSOR}") + if(${CMAKE_SIZEOF_VOID_P} EQUAL "8") + set(OUTPUT_FILE_POSTFIX "Win64") + else() + set(OUTPUT_FILE_POSTFIX "Win32") + endif() + set(CPACK_GENERATOR "ZIP;NSIS") set(CPACK_STRIP_FILES ON) set(CPACK_PACKAGE_FILE_NAME "${PROGNAME}-${KEEPASSXC_VERSION}-${OUTPUT_FILE_POSTFIX}") @@ -299,6 +304,7 @@ if(MINGW) set(CPACK_PACKAGE_VENDOR "${PROGNAME} Team") string(REGEX REPLACE "/" "\\\\\\\\" CPACK_PACKAGE_ICON "${CMAKE_SOURCE_DIR}/share/windows/installer-header.bmp") set(CPACK_RESOURCE_FILE_LICENSE "${CMAKE_SOURCE_DIR}/LICENSE.GPL-2") + set(CPACK_NSIS_ENABLE_UNINSTALL_BEFORE_INSTALL ON) set(CPACK_NSIS_MUI_ICON "${CMAKE_SOURCE_DIR}/share/windows/keepassxc.ico") set(CPACK_NSIS_MUI_UNIICON "${CPACK_NSIS_MUI_ICON}") set(CPACK_NSIS_INSTALLED_ICON_NAME "\\\\${PROGNAME}.exe") @@ -307,6 +313,7 @@ if(MINGW) set(CPACK_NSIS_CREATE_ICONS_EXTRA "CreateShortCut '$SMPROGRAMS\\\\$STARTMENU_FOLDER\\\\${PROGNAME}.lnk' '$INSTDIR\\\\${PROGNAME}.exe'") set(CPACK_NSIS_DELETE_ICONS_EXTRA "Delete '$SMPROGRAMS\\\\$START_MENU\\\\${PROGNAME}.lnk'") set(CPACK_NSIS_URL_INFO_ABOUT "https://keepassxc.org") + set(CPACK_NSIS_DISPLAY_NAME ${PROGNAME}) set(CPACK_NSIS_PACKAGE_NAME "${PROGNAME} v${KEEPASSXC_VERSION}") set(CPACK_NSIS_MUI_FINISHPAGE_RUN "../${PROGNAME}.exe") include(CPack) From 9a6a78719118d9cd79232ec37ba6b8b8a0ef8d9a Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Sun, 25 Jun 2017 17:52:35 -0400 Subject: [PATCH 5/5] Update translations --- share/translations/keepassx_cs.ts | 881 ++++++++-- share/translations/keepassx_da.ts | 1662 ++++++++++++++---- share/translations/keepassx_de.ts | 877 ++++++++-- share/translations/keepassx_el.ts | 1664 ++++++++++++++---- share/translations/keepassx_en.ts | 833 +++++++-- share/translations/keepassx_es.ts | 885 ++++++++-- share/translations/keepassx_fi.ts | 2384 +++++++++++++++++++++++++ share/translations/keepassx_fr.ts | 887 ++++++++-- share/translations/keepassx_id.ts | 1662 ++++++++++++++---- share/translations/keepassx_it.ts | 885 ++++++++-- share/translations/keepassx_ja.ts | 1660 ++++++++++++++---- share/translations/keepassx_kk.ts | 2390 ++++++++++++++++++++++++++ share/translations/keepassx_ko.ts | 1660 ++++++++++++++---- share/translations/keepassx_lt.ts | 878 ++++++++-- share/translations/keepassx_nl_NL.ts | 883 ++++++++-- share/translations/keepassx_pl.ts | 887 ++++++++-- share/translations/keepassx_pt_BR.ts | 883 ++++++++-- share/translations/keepassx_pt_PT.ts | 881 ++++++++-- share/translations/keepassx_ru.ts | 991 ++++++++--- share/translations/keepassx_sl_SI.ts | 1665 ++++++++++++++---- share/translations/keepassx_sv.ts | 1660 ++++++++++++++---- share/translations/keepassx_uk.ts | 1665 ++++++++++++++---- share/translations/keepassx_zh_CN.ts | 879 ++++++++-- share/translations/keepassx_zh_TW.ts | 1669 ++++++++++++++---- 24 files changed, 26425 insertions(+), 4846 deletions(-) create mode 100644 share/translations/keepassx_fi.ts create mode 100644 share/translations/keepassx_kk.ts diff --git a/share/translations/keepassx_cs.ts b/share/translations/keepassx_cs.ts index f54a1db8e..cdd273667 100644 --- a/share/translations/keepassx_cs.ts +++ b/share/translations/keepassx_cs.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revize - - - Using: - S použitím: - About KeePassXC O aplikaci KeePassXC - Extensions: - - Rozšíření: - + About + O aplikaci - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC je šířeno pod GNU obecnou veřejnou licencí (GPL) verze 2 a (případně) 3. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Umožnit přístup? Create Key File... Vytvořit soubor s klíčem… - - Error - Chyba - Unable to create Key File : Nedaří se vytvořit soubor s klíčem: @@ -132,10 +208,6 @@ Umožnit přístup? Select a key file Vyberte soubor s klíčem - - Question - Dotaz - Do you really want to use an empty string as password? Opravdu ponechat bez hesla, tedy nechráněné? @@ -144,10 +216,6 @@ Umožnit přístup? Different passwords supplied. Nepodařilo se vám zadat heslo stejně do obou kolonek. - - Failed to set key file - Nepodařilo se nastavit soubor s klíčem - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Umožnit přístup? &Key file Soubor s &klíčem + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Chyba + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Chyba + + + Unable to calculate master key + Nedaří se spočítat hlavní klíč + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Umožnit přístup? Browse Procházet - - Error - Chyba - Unable to open the database. Databázi se nedaří otevřít. @@ -201,6 +422,14 @@ Umožnit přístup? Select key file Vyberte soubor s klíčem + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Nyní je možné ji uložit. Use recycle bin Namísto mazání přesouvat do Koše + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Nyní je možné ji uložit. Open database Otevřít databázi - - Warning - Varování - File not found! Soubor nebyl nalezen! @@ -330,10 +567,6 @@ Save changes? „%1“ bylo změněno. Uložit změny? - - Error - Chyba - Writing the database failed. Zápis do databáze se nezdařil. @@ -426,6 +659,14 @@ Chcete ji přesto otevřít? Open read-only Otevřít pouze pro čtení + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -465,10 +706,6 @@ Chcete ji přesto otevřít? Do you really want to delete the group "%1" for good? Opravdu chcete nenávratně smazat skupinu „%1“? - - Error - Chyba - Unable to calculate master key Nedaří se spočítat hlavní klíč @@ -529,14 +766,18 @@ Chcete ji přesto otevřít? The database file has changed and you have unsaved changes.Do you want to merge your changes? Soubor s databází byl změněn a vaše změny do něj nejsou uloženy. Přejete si své změny začlenit? - - Autoreload Failed - Automatické opětovné načtení se nezdařilo - Could not open the new database file while attempting to autoreload this database. Nepodařilo se otevřít nový soubor s databází během pokusu o opětovné načtení této. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -576,10 +817,6 @@ Chcete ji přesto otevřít? Edit entry Upravit záznam - - Error - Chyba - Different passwords supplied. Nepodařilo se vám zadat heslo stejně do obou kolonek. @@ -622,6 +859,22 @@ Chcete ji přesto otevřít? 1 year 1 rok + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -633,10 +886,6 @@ Chcete ji přesto otevřít? Add Přidat - - Edit - Upravit - Remove Odebrat @@ -653,6 +902,18 @@ Chcete ji přesto otevřít? Open Otevřít + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -688,6 +949,10 @@ Chcete ji přesto otevřít? Set custo&m sequence: Nastavit vlastní posloupnost: + + Window Associations + + EditEntryWidgetHistory @@ -797,16 +1062,16 @@ Chcete ji přesto otevřít? Hledat - Auto-type + Auto-Type Automatické vyplňování - Use default auto-type sequence of parent group - Použít výchozí posloupnost automatického vyplňování od nadřazené skupiny + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Nastavit výchozí posloupnost automatického vyplňování + Set default Auto-Type se&quence + @@ -831,10 +1096,6 @@ Chcete ji přesto otevřít? Select Image Vyberte obrázek - - Can't delete icon! - Ikonu nelze smazat! - Error Chyba @@ -851,10 +1112,6 @@ Chcete ji přesto otevřít? Can't read icon Ikonu se nedaří načíst - - Can't delete icon. Still used by %1 items. - Ikonu nelze smazat, protože je používaná ještě %1 dalšími záznamy. - &Use default icon Po&užít výchozí ikonu @@ -863,6 +1120,14 @@ Chcete ji přesto otevřít? Use custo&m icon Použít svou vlastní ikonu + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -934,6 +1199,11 @@ Chcete ji přesto otevřít? URL URL adresa + + Ref: + Reference abbreviation + + Group @@ -992,9 +1262,16 @@ Chcete ji přesto otevřít? Ensure that the password contains characters from every group Zajistit aby heslo obsahovalo znaky ze všech zvolených skupin znaků + + + KMessageWidget - Accept - Přijmout + &Close + + + + Close message + @@ -1003,10 +1280,6 @@ Chcete ji přesto otevřít? Import KeePass1 database Importovat databázi ve formátu KeePass verze 1 - - Error - Chyba - Unable to open the database. Databázi se nedaří otevřít. @@ -1071,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Můžete ho importovat pomocí Databáze → Importovat databázi ve formátu KeePass 1. Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otevřít ve staré verzi KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -1082,13 +1359,17 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev KeePassXC - Error KeePassXC – chyba + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Databáze - Open database Otevřít databázi @@ -1121,10 +1402,6 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Toggle window Zobrazit/skrýt okno - - Tools - Nástroje - KeePass 2 Database Databáze ve formátu KeePass 2 @@ -1137,10 +1414,6 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Save repaired database Uložit opravenou databázi - - Error - Chyba - Writing the database failed. Zápis do databáze se nezdařil. @@ -1233,14 +1506,26 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Database settings Nastavení &databáze - - &Import KeePass 1 database - &Importovat databázi ve formátu KeePass 1 - &Clone entry Klonovat záznam + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find Najít @@ -1293,6 +1578,46 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Password Generator Generátor hesel + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importovat databázi aplikace KeePass verze 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1308,12 +1633,6 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Sh&ow a notification when credentials are requested Z&obrazit oznámení když jsou požadovány přihlašovací údaje - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Odpovídající schémata URL adres -Je odpovídáno pouze záznamy se stejným schématem (http://, https://, ftp://, atp.) - Sort matching entries by &username Seřadit odpovídající záznamy dle &uživatelského jména @@ -1322,10 +1641,6 @@ Je odpovídáno pouze záznamy se stejným schématem (http://, https://, ftp:// Re&move all stored permissions from entries in active database Z právě otevřené databáze odebrat veškerá uložená oprávnění - - Password generator - Generátor hesel - Advanced Pokročilé @@ -1342,10 +1657,6 @@ Je odpovídáno pouze záznamy se stejným schématem (http://, https://, ftp:// Searc&h in all opened databases for matching entries Vy&hledat odpovídající záznamy ve všech otevřených databázích - - Only the selected database has to be connected with a client! - Je třeba, aby ke klientovi byly připojené pouze vybrané databáze! - HTTP Port: HTTP port: @@ -1362,12 +1673,6 @@ Je odpovídáno pouze záznamy se stejným schématem (http://, https://, ftp:// Sort &matching entries by title Seřadit odpovídající záznamy dle názvu - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Zapnout protokol KeePassXC HTTP -Toto je zapotřebí pro přístup do databáze z doplňku ChromeIPass nebo PassIFox pro webové prohlížeče - KeePassXC will listen to this port on 127.0.0.1 KeePassXC bude očekávat spojení na tomto portu na adrese 127.0.0.1 (localhost) @@ -1381,21 +1686,11 @@ Toto je zapotřebí pro přístup do databáze z doplňku ChromeIPass nebo PassI Using default port 19455. Není možné navázat na porty s číslem nižším, než 1024! Náhradně bude použit port 19455. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - Odpovědět pouze záznamy, které nejlépe odpovídají dané -URL ad&rese namísto záznamů pro celou doménu R&emove all shared encryption keys from active database Z právě otevřené databáze od&ebrat veškeré sdílené šifrovací klíče - - The following options can be dangerous. Change them only if you know what you are doing. - Následující předvolby mohou být nebezpečné. Měňte je pouze pokud víte, co děláte! - &Return advanced string fields which start with "KPH: " Odpovědět také kolonkami pok&ročilých textových řetězců které začínají na „KPH:“ @@ -1404,6 +1699,43 @@ URL ad&rese namísto záznamů pro celou doménu Automatically creating or updating string fields is not supported. Automatická vytváření nebo aktualizace nejsou u textových kolonek podporované! + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Generátor hesel + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1495,12 +1827,101 @@ URL ad&rese namísto záznamů pro celou doménu Excellent Skvělé + + Password + Heslo + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Skupina + + + Title + Titulek + + + Username + Uživatelské jméno + + + Password + Heslo + + + URL + URL adresa + + + Notes + Poznámky + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1547,14 +1968,18 @@ URL ad&rese namísto záznamů pro celou doménu Search Hledat - - Find - Najít - Clear Vyčistit + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2086,10 @@ jedinečný název pro identifikaci a potvrďte ho. Security Zabezpečení + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ jedinečný název pro identifikaci a potvrďte ho. Global Auto-Type shortcut Klávesová zkratka pro všeobecné automatické vyplňování - - Use entry title to match windows for global auto-type - Všeobecné automatické vyplňování provádět na základě shody titulku záznamu s titulkem okna. - Language Jazyk @@ -1704,10 +2129,6 @@ jedinečný název pro identifikaci a potvrďte ho. Hide window to system tray when minimized Minimalizovat okno aplikace do oznamovací oblasti systémového panelu - - Remember last key files - Pamatovat si nedávno otevřené soubory s klíči - Load previous databases on startup Při spouštění aplikace načíst minule otevřené databáze @@ -1724,6 +2145,30 @@ jedinečný název pro identifikaci a potvrďte ho. Minimize window at application startup Spouštět aplikaci s minimalizovaným oknem + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Automatické vyplňování + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2188,6 @@ jedinečný název pro identifikaci a potvrďte ho. Show passwords in cleartext by default Hesla vždy viditelná (nezakrývat hvězdičkami) - - Always ask before performing auto-type - Před provedením automatického vyplnění se vždy dotázat - Lock databases after minimizing the window Při minimalizaci okna uzamknout databáze @@ -1755,6 +2196,80 @@ jedinečný název pro identifikaci a potvrďte ho. Don't require password repeat when it is visible Pokud je viditelné, nevyžadovat zopakování zadání hesla + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sek. + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2281,32 @@ jedinečný název pro identifikaci a potvrďte ho. WelcomeWidget - Welcome! - Vítejte! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Nedávno otevřené databáze @@ -1792,5 +2331,69 @@ jedinečný název pro identifikaci a potvrďte ho. filenames of the password databases to open (*.kdbx) soubory s databázemi hesel k otevření (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_da.ts b/share/translations/keepassx_da.ts index 3828f05eb..0e2f63c33 100644 --- a/share/translations/keepassx_da.ts +++ b/share/translations/keepassx_da.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - Om KeePassX + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX distribueres under betingelserne i GNU General Public License (GPL) version 2 eller (efter eget valg) version 3. + About + Om - Revision - Revision + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - Bruger: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - Auto-indsæt - KeePassX - Couldn't find an entry that matches the window title: Kunne ikke finde en post, der matcher vinduets titel: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - Auto-indsæt - KeePassX - Select entry to Auto-Type: Vælg post til Auto-Indsæt: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Gentag kodeord - - Key file - Nøglefil - Browse Gennemse @@ -93,10 +199,6 @@ Create Key File... Opret Nøglefil... - - Error - Fejl - Unable to create Key File : Kan ikke oprette Nøglefil : @@ -105,10 +207,6 @@ Select a key file Vælg en nøglefil - - Question - Spørgsmål - Do you really want to use an empty string as password? Vil du virkelig bruge en tom streng som kodeord? @@ -117,16 +215,173 @@ Different passwords supplied. Andre kodeord leveret. - - Failed to set key file - Kan ikke sætte nøglefil - Failed to set %1 as the Key file: %2 Kunne ikke sætte %1 som Nøglefil: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Fejl + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Fejl + + + Unable to calculate master key + Kan ikke beregne hovednøgle + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse Gennemse - - Error - Fejl - Unable to open the database. Kan ikke åbne databasen. @@ -170,6 +421,14 @@ Select key file Vælg nøglefil + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -226,10 +485,6 @@ Du kan gemme den nu. Default username: Standard brugernavn: - - Use recycle bin: - Brug skraldespand: - MiB MB @@ -246,6 +501,22 @@ Du kan gemme den nu. Max. history size: Maks. historikstørrelse: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -265,10 +536,6 @@ Du kan gemme den nu. Open database Åben database - - Warning - Advarsel - File not found! Filen blev ikke fundet! @@ -299,10 +566,6 @@ Save changes? "%1" blev ændret. Gem disse ændringer? - - Error - Fejl - Writing the database failed. Kan ikke skrive til databasen. @@ -319,12 +582,6 @@ Gem disse ændringer? locked låst - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Den database, du prøver at åbne er låst af en anden forekomst af KeePassX. -Vil du åbne den alligevel? Alternativt åbnes databasen skrivebeskyttet. - Lock database Lås database @@ -368,13 +625,42 @@ Kassér ændringer og luk alligevel? Kan ikke skrive til CSV-fil. - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - Databasen som du prøver at gemme er låst af en anden instans af KeePassX. -Vil du alligevel gemme? + Unable to open the database. + Kan ikke åbne databasen. - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -416,14 +702,6 @@ Vil du alligevel gemme? Do you really want to delete the group "%1" for good? Ønsker du at slette gruppen "%1" permanent? - - Current group - Nuværende gruppe - - - Error - Fejl - Unable to calculate master key Kan ikke beregne hovednøgle @@ -436,6 +714,66 @@ Vil du alligevel gemme? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -475,10 +813,6 @@ Vil du alligevel gemme? Edit entry Rediger post - - Error - Fejl - Different passwords supplied. Andre kodeord leveret. @@ -520,6 +854,22 @@ Vil du alligevel gemme? 1 year Et år + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -531,10 +881,6 @@ Vil du alligevel gemme? Add Tilføj - - Edit - Rediger - Remove Fjern @@ -551,6 +897,18 @@ Vil du alligevel gemme? Open Åben + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -558,14 +916,6 @@ Vil du alligevel gemme? Enable Auto-Type for this entry Aktivér Auto-Indsæt for denne post - - Inherit default Auto-Type sequence from the group - Nedarv standard Auto-Indsæt sekvens fra gruppe - - - Use custom Auto-Type sequence: - Brug brugerdefineret Auto-indsæt sekvens: - + + @@ -579,12 +929,24 @@ Vil du alligevel gemme? Vinduestitel: - Use default sequence - Brug standardsekvens + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Definér brugervalgt sekvens: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -624,10 +986,6 @@ Vil du alligevel gemme? Repeat: Gentag: - - Gen. - Generer - URL: URL: @@ -699,28 +1057,20 @@ Vil du alligevel gemme? Søg - Auto-type - Auto-indsæt + Auto-Type + Auto-Indsæt - Use default auto-type sequence of parent group - Brug standard Auto-Indsæt sekvens fra forældregruppe + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Definér standard auto-indsæt sekvens + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Brug standardikon - - - Use custom icon - Brug brugerbestemt ikon - Add custom icon Tilføj brugerbestemt ikon @@ -742,19 +1092,35 @@ Vil du alligevel gemme? Vælg Billede - Can't delete icon! - Kan ikke slette ikon! - - - Can't delete icon. Still used by %n item(s). - Kan ikke slette ikonet. Det anvendes stadig af %n element.Kan ikke slette ikonet. Det anvendes stadig af %n elementer. + Error + Fejl - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -777,6 +1143,13 @@ Vil du alligevel gemme? Uuid: + + Entry + + - Clone + + + EntryAttributesModel @@ -821,6 +1194,11 @@ Vil du alligevel gemme? URL URL + + Ref: + Reference abbreviation + + Group @@ -829,16 +1207,74 @@ Vil du alligevel gemme? Skraldespand + + HttpPasswordGeneratorWidget + + Length: + Længde: + + + Character Types + Tegntyper + + + Upper Case Letters + Store Bogstaver + + + A-Z + + + + Lower Case Letters + Små Bogstaver + + + a-z + + + + Numbers + Numre + + + 0-9 + + + + Special Characters + Specialtegn + + + /*_& ... + + + + Exclude look-alike characters + Udeluk lool-alike tegn + + + Ensure that the password contains characters from every group + Vær sikker på at dit kodeord indeholder tegn fra alle grupper + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Importér KeePass1 database - - Error - Fejl - Unable to open the database. Kan ikke åbne databasen. @@ -872,7 +1308,7 @@ Vil du alligevel gemme? Wrong key or database file is corrupt. - + Forkert nøgle eller databasefil er korrupt. @@ -903,6 +1339,10 @@ This is a one-way migration. You won't be able to open the imported databas 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. + + Unable to issue challenge-response. + + Main @@ -911,112 +1351,28 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Fatal fejl ved test af kryptografiske funktioner. - KeePassX - Error - KeePassX - Fejl + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Database - - - Recent databases - Seneste databaser - - - Help - Hjælp - - - Entries - Poster - - - Copy attribute to clipboard - Kopiér attribut til udklipsholder - - - Groups - Grupper - - - View - Vis - - - Quit - Afslut - - - About - Om - Open database Åben database - - Save database - Gem database - - - Close database - Luk databasen - - - New database - Ny database - - - Add new entry - Tilføj ny post - - - View/Edit entry - Vis/Rediger post - - - Delete entry - Slet post - - - Add new group - Tilføj ny gruppe - - - Edit group - Rediger gruppe - - - Delete group - Slet gruppe - - - Save database as - Gem database som - - - Change master key - Skift hovednøgle - Database settings Databaseindstillinger - - Import KeePass 1 database - Importér KeePass 1 database - - - Clone entry - Klon post - - - Find - Find - Copy username to clipboard Kopiér brugernavn til udklipsholder @@ -1029,30 +1385,6 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Settings Indstillinger - - Perform Auto-Type - Udfør Auto-indsæt - - - Open URL - Åben URL - - - Lock databases - Lås databaser - - - Title - Titel - - - URL - URL - - - Notes - Noter - Show toolbar Vis værktøjslinie @@ -1065,26 +1397,6 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Toggle window Skift vindue - - Tools - Værktøj - - - Copy username - Kopiér brugernavn - - - Copy password - Kopiér kodeord - - - Export to CSV file - Eksportér til CSV-fil - - - Repair database - Reparer database - KeePass 2 Database KeePass 2 Database @@ -1097,14 +1409,327 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Save repaired database Gem repareret database - - Error - Fejl - Writing the database failed. Skrivning til database fejler. + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importér KeePass 1 database + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Generelt + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Avanceret + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1112,10 +1737,6 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Password: Kodeord: - - Length: - Længde: - Character Types Tegntyper @@ -1140,71 +1761,161 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Exclude look-alike characters Udeluk lool-alike tegn - - Ensure that the password contains characters from every group - Vær sikker på at dit kodeord indeholder tegn fra alle grupper - Accept Acceptér - - - QCommandLineParser - Displays version information. - Vis versionsinformation + %p% + - Displays this help. - Vis denne hjælp. + strength + - Unknown option '%1'. - Ukendt valgmulighed '%1'. + entropy + - Unknown options: %1. - Ukendt valgmuligheder '%1'. + &Length: + - Missing value after '%1'. - Manglende værdi efter '%1'. + Pick characters from every group + - Unexpected value after '%1'. - Uventet værdi efter '%1'. + Generate + - [options] - [Valgmuligheder] + Close + - Usage: %1 - Brug: %1 + Apply + - Options: - Muligheder: + Entropy: %1 bit + - Arguments: - Argumenter: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Kodeord + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Eksisterende fil %1 er ikke skrivbar + NULL device + - Writing canceled by application - Skrivning afbrudt af programmet + error reading from device + - Partial write. Partition full? - Delvis gemt. Diskafsnit fyldt op? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Gruppe + + + Title + Titel + + + Username + Brugernavn + + + Password + Kodeord + + + URL + URL + + + Notes + Noter + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1244,20 +1955,111 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo SearchWidget - Find: - Find: + Case Sensitive + - Case sensitive - Versalfølsom + Search + Søg - Current group - Nuværende gruppe + Clear + - Root group - Rodgruppe + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1274,6 +2076,10 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Security Sikkerhed + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1281,10 +2087,6 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Remember last databases Husk seneste databaser - - Open previous databases on startup - Åben foregående databaser ved opstart - Automatically save on exit Gem automatisk ved afslutning @@ -1305,10 +2107,6 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Global Auto-Type shortcut Global Auto-Indsæt genvej - - Use entry title to match windows for global auto-type - Brug titel på post til at matche global aito-indsæt - Language Sprog @@ -1322,15 +2120,43 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Skjul vindue i systembakken når det er minimeret - Remember last key files - Husk de sidste nøglefiler - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-Indsæt + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1353,8 +2179,86 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Vis kodeord i klartekst som standard - Always ask before performing auto-type - Spørg altid før auto-indsæt + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sek + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1367,20 +2271,36 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo WelcomeWidget - Welcome! - Velkommen! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Seneste databaser main - - KeePassX - cross-platform password manager - KeePassX - cross-platform password manager - - - filename of the password database to open (*.kdbx) - filnavn på databasen der skal åbnes (* .kdbx) - path to a custom config file sti til brugerdefineret indstillingsfil @@ -1389,5 +2309,81 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo key file of the database databasens nøglefil + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_de.ts b/share/translations/keepassx_de.ts index 30d5330d7..f885b6484 100644 --- a/share/translations/keepassx_de.ts +++ b/share/translations/keepassx_de.ts @@ -1,27 +1,110 @@ AboutDialog - - Revision - Revision - - - Using: - Verwendet: - About KeePassXC Über KeePassXC - Extensions: + About + Über + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + Debug-Info + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + In Zwischenablage kopieren + + + Version %1 - Erweiterungen: + Version %1 - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC wird unter den Bedingungen der GNU General Public License (GPL) Version 2 oder Version 3 (je nach Ihrer Auswahl) vertrieben. + Revision: %1 + Revision: %1 + + + Libraries: + Bibliotheken: + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + Betriebssystem: %1 +CPU-Architektur: %2 +Kernel: %3 %4 + + + Enabled extensions: + Aktivierte Erweiterungen: @@ -120,10 +203,6 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Create Key File... Erzeuge eine Schlüsseldatei... - - Error - Fehler - Unable to create Key File : Erzeugen der Schlüsseldatei nicht möglich: @@ -132,10 +211,6 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Select a key file Schlüsseldatei auswählen - - Question - Frage - Do you really want to use an empty string as password? Wollen Sie wirklich eine leere Zeichenkette als Passwort verwenden? @@ -144,10 +219,6 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Different passwords supplied. Unterschiedliche Passwörter eingegeben. - - Failed to set key file - Festlegen der Schlüsseldatei nicht möglich. - Failed to set %1 as the Key file: %2 @@ -157,6 +228,163 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. &Key file &Schlüsseldatei + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Fehler + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Fehler + + + Unable to calculate master key + Berechnung des "master keys" gescheitert + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -176,10 +404,6 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Browse Durchsuchen - - Error - Fehler - Unable to open the database. Öffnen der Datenbank nicht möglich. @@ -200,6 +424,14 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Select key file Schlüsseldatei auswählen + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -276,6 +508,18 @@ sie kann nun gespeichert werden. Use recycle bin Papierkorb verwenden + + AES: 256 Bit (default) + AES: 256 Bit (Standard) + + + Twofish: 256 Bit + Twofish: 256 Bit + + + Algorithm: + Algorithmus: + DatabaseTabWidget @@ -295,10 +539,6 @@ sie kann nun gespeichert werden. Open database Datenbank öffnen - - Warning - Warnung - File not found! Datei nicht gefunden! @@ -329,10 +569,6 @@ Save changes? "%1" wurde geändert. Änderungen speichern? - - Error - Fehler - Writing the database failed. Schreiben der Datenbank fehlgeschlagen. @@ -425,6 +661,14 @@ Möchten Sie diese dennoch öffnen? Open read-only Schreibgeschützt öffnen + + File opened in read only mode. + Datei ist schreibgeschützt + + + Open CSV file + + DatabaseWidget @@ -464,10 +708,6 @@ Möchten Sie diese dennoch öffnen? Do you really want to delete the group "%1" for good? Wollen Sie die Gruppe "%1" wirklich löschen? - - Error - Fehler - Unable to calculate master key Berechnung des "master keys" gescheitert @@ -528,14 +768,18 @@ Möchten Sie diese dennoch öffnen? The database file has changed and you have unsaved changes.Do you want to merge your changes? Die Datenbankdatei wurde geändert und Sie haben noch nicht gespeicherte Änderungen. Wollen Sie Ihre Änderungen zusammenführen? - - Autoreload Failed - Autoreload fehlgeschlagen - Could not open the new database file while attempting to autoreload this database. Die neue Datenbankdatei konnte nicht geöffnet werden, während versucht wurde, diese neu zu laden. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -575,10 +819,6 @@ Möchten Sie diese dennoch öffnen? Edit entry Eintrag bearbeiten - - Error - Fehler - Different passwords supplied. Unterschiedliche Passwörter eingegeben. @@ -620,6 +860,22 @@ Möchten Sie diese dennoch öffnen? 1 year 1 Jahr + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -631,10 +887,6 @@ Möchten Sie diese dennoch öffnen? Add Hinzufügen - - Edit - Bearbeiten - Remove Entfernen @@ -651,6 +903,18 @@ Möchten Sie diese dennoch öffnen? Open Offen + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -686,6 +950,10 @@ Möchten Sie diese dennoch öffnen? Set custo&m sequence: B&enutzerdefinierte Sequenz: + + Window Associations + Fenster-Einstellungen + EditEntryWidgetHistory @@ -795,15 +1063,15 @@ Möchten Sie diese dennoch öffnen? Suche - Auto-type + Auto-Type Auto-Type - Use default auto-type sequence of parent group + &Use default Auto-Type sequence of parent group Verwende Standard-A&uto-Type-Sequenz der übergeordneten Gruppe - Set default auto-type sequence + Set default Auto-Type se&quence Standard-Auto-Type-Se&quenz setzen @@ -829,10 +1097,6 @@ Möchten Sie diese dennoch öffnen? Select Image Bild auswählen - - Can't delete icon! - Symbol kann nicht gelöscht werden! - Error Fehler @@ -849,10 +1113,6 @@ Möchten Sie diese dennoch öffnen? Can't read icon Icon kann nicht gelesen werden - - Can't delete icon. Still used by %1 items. - Icon kann nicht gelöscht werden. Es wird noch von %1 Einträgen verwendet. - &Use default icon &Standardsymbol verwenden @@ -861,6 +1121,14 @@ Möchten Sie diese dennoch öffnen? Use custo&m icon B&enutzerdefiniertes Symbol verwenden + + Confirm Delete + Löschen bestätigen + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + Dieses Icon wird noch von %1 Einträgen verwendet und würde mit dem Standard-Icon ersetzt. Sind Sie sicher, dass die fortfahren wollen? + EditWidgetProperties @@ -932,6 +1200,11 @@ Möchten Sie diese dennoch öffnen? URL URL + + Ref: + Reference abbreviation + + Group @@ -990,9 +1263,16 @@ Möchten Sie diese dennoch öffnen? Ensure that the password contains characters from every group Sicherstellen, dass das Passwort Zeichen aus allen Gruppen enthält. + + + KMessageWidget - Accept - Akzeptieren + &Close + S&chließen + + + Close message + Meldung schließen @@ -1001,10 +1281,6 @@ Möchten Sie diese dennoch öffnen? Import KeePass1 database KeePass 1 Datenbank importieren - - Error - Fehler - Unable to open the database. Öffnen der Datenbank nicht möglich. @@ -1069,6 +1345,10 @@ This is a one-way migration. You won't be able to open the imported databas Zum Importieren gehen Sie auf Datenbank > 'KeePass 1 Datenbank importieren'. Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann später nicht mehr mit der alten KeePassX Version 0.4 geöffnet werden. + + Unable to issue challenge-response. + + Main @@ -1080,13 +1360,17 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann KeePassXC - Error KeePassXC - Fehler + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Datenbank - Open database Datenbank öffnen @@ -1119,10 +1403,6 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Toggle window Fenster zeigen/verstecken - - Tools - Tools - KeePass 2 Database KeePass 2 Datenbank @@ -1135,10 +1415,6 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Save repaired database Reparierte Datenbank speichern - - Error - Fehler - Writing the database failed. Schreiben der Datenbank fehlgeschlagen. @@ -1231,14 +1507,26 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann &Database settings &Datenbankeinstellungen - - &Import KeePass 1 database - &KeePass 1 Datenbank importieren - &Clone entry Eintrag &klonen + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Suchen @@ -1291,6 +1579,46 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Password Generator Passwortgenerator + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + KeePass 1 Datenbank importieren + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1306,12 +1634,6 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Sh&ow a notification when credentials are requested Zeig&e eine Benachrichtigung, wenn Anmeldedaten angefordert werden. - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - Passendes URL Schema -Nur Einträge mit dem gleichen Schema (http://, https://, ftp://, ...) werden angezeigt - Sort matching entries by &username Sortiere gefundene Einträge nach &Benutzername @@ -1320,10 +1642,6 @@ Nur Einträge mit dem gleichen Schema (http://, https://, ftp://, ...) werden an Re&move all stored permissions from entries in active database Entferne alle gespeicherten Berechtigungen für Einträge in der aktiven Datenbank - - Password generator - Passwortgenerator - Advanced Fortgeschritten @@ -1340,10 +1658,6 @@ Nur Einträge mit dem gleichen Schema (http://, https://, ftp://, ...) werden an Searc&h in all opened databases for matching entries Suche in allen offenen Datenbanken nach übereinstimmenden Einträgen - - Only the selected database has to be connected with a client! - Nur die ausgewählte Datenbank muss mit dem Client verbunden sein. - HTTP Port: HTTP-Port: @@ -1360,12 +1674,6 @@ Nur Einträge mit dem gleichen Schema (http://, https://, ftp://, ...) werden an Sort &matching entries by title Sortiere gefundene Einträge nach Titel - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - KeepassXC-HTTP-Protokoll aktivieren -Dies ist für den Zugriff auf Ihre Datenbanken von ChromeIPass oder Passifox notwendig. - KeePassXC will listen to this port on 127.0.0.1 KeePassXC überwacht diesen Port auf 127.0.0.1 @@ -1380,20 +1688,10 @@ Using default port 19455. Privilegierte Ports unterhalb von 1024 können nicht überwacht werden. Es wird der Standard-Port 19455 verwendet. - - &Return only best matching entries for a URL instead -of all entries for the whole domain - Zeige nur die am besten passenden Einträge für eine URL anstatt aller Einträge der ganzen Domäne. - R&emove all shared encryption keys from active database &Entferne alle freigegebenen Chiffrierschlüssel aus der aktiven Datenbank - - The following options can be dangerous. Change them only if you know what you are doing. - Die folgenden Optionen können gefährlich sein! -Ändern Sie diese nur, wenn Sie wissen, was Sie tun. - &Return advanced string fields which start with "KPH: " Zeige auch erweiterte Zeichenfelder, welche mit "KPH: " beginnen @@ -1402,6 +1700,44 @@ of all entries for the whole domain Automatically creating or updating string fields is not supported. Automatisches Erstellen und Aktualisieren von Zeichenfeldern wird nicht unterstützt! + + This is required for accessing your databases from ChromeIPass or PassIFox + Dies wird benötigt, um auf Ihre Datenbanken in ChromeIPass oder PassIFox zuzugreifen. + + + Enable KeePassHTTP server + KeePassHTTP-Server aktivieren + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + Zeige nur die am besten passenden Einträge für eine URL anstatt aller Einträge der ganzen Domäne. + + + &Return only best matching entries + Nur beste Treffer anzeigen + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + Nur Einträge mit dem gleichen Schema (http://, https://, ftp://, …) anzeigen + + + &Match URL schemes + URL-Schema verwenden + + + Password Generator + Passwortgenerator + + + Only the selected database has to be connected with a client. + Nur die ausgewählte Datenbank muss mit dem Client verbunden sein. + + + The following options can be dangerous! +Change them only if you know what you are doing. + Die folgenden Optionen können gefährlich sein! +Ändern Sie diese nur, wenn Sie wissen, was Sie tun. + PasswordGeneratorWidget @@ -1493,12 +1829,101 @@ of all entries for the whole domain Excellent Ausgezeichnet + + Password + Passwort + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Gruppe + + + Title + Titel + + + Username + Benutzername + + + Password + Passwort + + + URL + URL + + + Notes + Notizen + + + Browser Integration + Browser-Integration + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1545,14 +1970,18 @@ of all entries for the whole domain Search Suche - - Find - Suchen - Clear Löschen + + Search... + + + + Limit search to selected group + + Service @@ -1660,6 +2089,10 @@ Namen und akzeptieren Sie. Security Sicherheit + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1687,10 +2120,6 @@ Namen und akzeptieren Sie. Global Auto-Type shortcut Globale Tastenkombination für Auto-Type - - Use entry title to match windows for global auto-type - Verwende Eintragstitel, um entsprechende Fenster für globales Auto-Type zu finden - Language Sprache @@ -1703,10 +2132,6 @@ Namen und akzeptieren Sie. Hide window to system tray when minimized Fenster verstecken wenn minimiert - - Remember last key files - Letzte Schlüsseldateien merken - Load previous databases on startup Letzte Datenbank beim Starten laden @@ -1723,6 +2148,30 @@ Namen und akzeptieren Sie. Minimize window at application startup Fenster beim Programmstart minimieren + + Basic Settings + Grundeinstellungen + + + Remember last key files and security dongles + Letzte Schlüsseldateien und Sicherheits-Dongles merken + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-Type + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + Immer vor einem Auto-Type fragen + SettingsWidgetSecurity @@ -1742,10 +2191,6 @@ Namen und akzeptieren Sie. Show passwords in cleartext by default Passwörter standardmäßig in Klartext anzeigen - - Always ask before performing auto-type - Immer vor einem Auto-Type fragen - Lock databases after minimizing the window Datenbank sperren nach dem Minimieren des Fensters @@ -1754,6 +2199,80 @@ Namen und akzeptieren Sie. Don't require password repeat when it is visible Keine erneute Passworteingabe verlangen wenn das Passwort sichtbar ist. + + Timeouts + Timeouts + + + Convenience + Komfort + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sek + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1765,8 +2284,32 @@ Namen und akzeptieren Sie. WelcomeWidget - Welcome! - Willkommen! + Welcome to KeePassXC + Willkommen bei KeePassXC + + + Start storing your passwords securely in a KeePassXC database + Speichern Sie Ihre Passwörter sicher in einer KeePassXC-Datenbank + + + Create new database + Neue Datenbank erstellen + + + Open existing database + Existierende Datenbank öffnen + + + Import from KeePass 1 + Aus KeePass 1 importieren + + + Import from CSV + + + + Recent databases + Zuletzt verwendete Datenbanken @@ -1791,5 +2334,69 @@ Namen und akzeptieren Sie. filenames of the password databases to open (*.kdbx) Dateinamen der zu öffnenden Datenbanken (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_el.ts b/share/translations/keepassx_el.ts index 4e554df9e..ffd6131bc 100644 --- a/share/translations/keepassx_el.ts +++ b/share/translations/keepassx_el.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - Σχετικά με το KeepPassX + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX διανέμεται υπό τον όρο από το GNU γενικής δημόσιας άδειας (GPL) έκδοση 2 ή (κατ ' επιλογή σας) έκδοση 3. + About + Σχετικά - Revision - Αναθεώρηση + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - Χρήση: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - Αυτόματη-Γραφή - KeePassX - Couldn't find an entry that matches the window title: Αποτυχία να βρεθεί μια καταχώρηση που να ταιριάζει με τον τίτλο του παραθύρου: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -37,23 +147,23 @@ Sequence - Ακολουθεία + Ακολουθία Default sequence - Προεπιλεγμένη ακολουθεία + Προεπιλεγμένη ακολουθία AutoTypeSelectDialog - - Auto-Type - KeePassX - Αυτόματη-Γραφή - KeePassX - Select entry to Auto-Type: Επιλέξτε καταχώρηση για αυτόματη γραφή: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Επαναλάβετε τον κωδικό: - - Key file - Αρχείο κλειδί - Browse Αναζήτηση @@ -93,10 +199,6 @@ Create Key File... Δημιουργεία αρχείου κλειδιού... - - Error - Σφάλμα - Unable to create Key File : Αποτυχία δημιουργεία αρχείου κλειδιού: @@ -105,10 +207,6 @@ Select a key file Επιλέξτε ένα αρχείο κλειδί - - Question - Ερώτηση - Do you really want to use an empty string as password? Θέλετε στα αλήθεια να χρησιμοποιήσετε μια άδεια σειρά σαν κωδικό; @@ -117,15 +215,172 @@ Different passwords supplied. Έχετε εισάγει διαφορετικούς κωδικούς. - - Failed to set key file - Αποτυχία ορισμού αρχείου κλειδιού - Failed to set %1 as the Key file: %2 Αποτυχία ορισμού του %1 ως αρχείου κλειδιού + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Σφάλμα + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Σφάλμα + + + Unable to calculate master key + Σε θέση να υπολογίσει το κύριο κλειδί + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -145,10 +400,6 @@ Browse Αναζήτηση - - Error - Σφάλμα - Unable to open the database. Αδύνατο να ανοιχτεί η βάση δεδομένων. @@ -169,6 +420,14 @@ Select key file Επιλέξτε αρχείο κλειδί + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -224,10 +483,6 @@ You can now save it. Default username: Προεπιλεγμένο όνομα χρήστη: - - Use recycle bin: - Χρήση καλαθιού αχρήστων: - MiB MiB @@ -244,6 +499,22 @@ You can now save it. Max. history size: Μέγιστο μέγεθος ιστορικού: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -263,10 +534,6 @@ You can now save it. Open database Άνοιγμα βάσης δεδομένων - - Warning - Προειδοποίηση - File not found! Αρχείο δεν βρέθηκε! @@ -297,10 +564,6 @@ Save changes? "%1" έχει τροποποιηθή. Αποθήκευση αλλαγών; - - Error - Σφάλμα - Writing the database failed. Εγγραφή της βάσης δεδομένων απέτυχε. @@ -317,12 +580,6 @@ Save changes? locked κλειδωμένο - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Η βάση δεδομένω που προσπαθείται να ανοίξετε ειναι κλειδωμένη από μια άλλη διεργασία του KeePassX. -Θέλετε να την ανοίξετε ούτως η άλλως; Αλλίως η βαση δεδομένων θα ανοιχτή μόνο για ανάγνωση. - Lock database Κλείδωμα βάσης δεδομένων @@ -365,16 +622,45 @@ Discard changes and close anyway? Writing the CSV file failed. Γράψιμο στο αρχείο CSV απέτυχε. - - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - Η βάση δεδομένων που πρασπαθείται να αποθηκεύσετε είναι κλειδωμένη από μία άλλη διεργασία KeePassX. -Θέλετε να την αποθηκεύσετε ούτως η άλλως; - Unable to open the database. Δεν είναι δυνατό να ανοίξει τη βάση δεδομένων. + + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -414,14 +700,6 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? Θέλετε στα αλήθεια να διαγράψετε την ομάδα "%1" μόνιμα; - - Current group - Τρέχων ομάδα - - - Error - Σφάλμα - Unable to calculate master key Σε θέση να υπολογίσει το κύριο κλειδί @@ -434,6 +712,66 @@ Do you want to save it anyway? Do you really want to move entry "%1" to the recycle bin? Θέλετε πραγματικά να κινηθεί εισόδου "%1" στον κάδο ανακύκλωσης; + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -473,10 +811,6 @@ Do you want to save it anyway? Edit entry Επεξεργασία καταχώρησης - - Error - Σφάλμα - Different passwords supplied. Παρέχονται διαφορετικοί κωδικοί. @@ -519,6 +853,22 @@ Do you want to save it anyway? 1 year 1 χρόνο + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -530,10 +880,6 @@ Do you want to save it anyway? Add Πρόσθεση - - Edit - Επεξεργασία - Remove Αφαίρεση @@ -550,6 +896,18 @@ Do you want to save it anyway? Open Άνοιγμα + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -557,14 +915,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry Ενεργοποίηση Αυτόματης-Γραφής για αυτήν την καταχώρηση - - Inherit default Auto-Type sequence from the group - Χρησιμοποίηση προεπιλεγμένης ακολουθείας Αυτόματης-Γραφής απο την ομάδα - - - Use custom Auto-Type sequence: - Χρησιμοποίηση προσαρμοσμένης ακολουθείας Αυτόματης Γραφής: - + + @@ -578,12 +928,24 @@ Do you want to save it anyway? Τίτλος Παραθύρου: - Use default sequence - Χρησιμοποίηση προεπιλεγμένης ακολουθείας + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Ορισμός προσαρμοσμένης ακολουθείας: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -623,10 +985,6 @@ Do you want to save it anyway? Repeat: Επαναλάβετε: - - Gen. - - URL: URL: @@ -698,28 +1056,20 @@ Do you want to save it anyway? Αναζήτηση - Auto-type - Αυτόματη-γραφή + Auto-Type + Αυτόματη-Γραφή - Use default auto-type sequence of parent group - Χρησιμοποίηση προεπιλεγμένης ακολουθείας αυτόματης γραφής της μητρικής ομάδας + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Ορισμός προεπιλεγμένης ακολουθείας αυτόματης-γραφής + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Χρήση προεπιλεγμένου εικονιδίου - - - Use custom icon - Χρήση προσαρμοσμένου εικονιδίου - Add custom icon Πρόσθεση προσαρμοσμένου εικονιδίου @@ -740,21 +1090,37 @@ Do you want to save it anyway? Select Image Επιλογή εικόνας - - Can't delete icon! - Αποτυχία διαγραφής εικονίδιου! - - - Can't delete icon. Still used by %n item(s). - - Error Σφάλμα - Can't read icon: - Δεν μπορεί να διαβάσει το εικονίδιο: + Download favicon + + + + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + @@ -776,6 +1142,13 @@ Do you want to save it anyway? UUID: + + Entry + + - Clone + + + EntryAttributesModel @@ -820,6 +1193,11 @@ Do you want to save it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -828,16 +1206,74 @@ Do you want to save it anyway? Καλάθι ανακύκλωσης + + HttpPasswordGeneratorWidget + + Length: + Μήκος: + + + Character Types + Τύποι χαρακτήρων + + + Upper Case Letters + Κεφαλαία γράμματα + + + A-Z + + + + Lower Case Letters + Πεζά γράμματα + + + a-z + + + + Numbers + Αριθμοί + + + 0-9 + + + + Special Characters + Ειδικοί χαρακτήρες + + + /*_& ... + + + + Exclude look-alike characters + Εξαίρεση χαρακτήρων που μοίαζουν + + + Ensure that the password contains characters from every group + Βεβαιωθείται οτι ο κωδικός περιέχει χαρακτήρες απο κάθε ομάδα + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Εισαγωγή βάσης δεδομένων KeePass1 - - Error - Σφάλμα - Unable to open the database. Αποτυχία ανοίγματος βάσης δεδομένων. @@ -899,6 +1335,10 @@ 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. + + Unable to issue challenge-response. + + Main @@ -907,112 +1347,28 @@ This is a one-way migration. You won't be able to open the imported databas Ανεπανόρθωτο σφάλμα κατά τον έλεγχο των κρυπτογραφικών λειτουργιών. - KeePassX - Error - KeePassX - Σφάλμα + KeePassXC - Error + KeePassXC - Σφάλμα + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Βάση Δεδομένων - - - Recent databases - Πρόσφατες βάσεις δεδομένων - - - Help - Βοήθεια - - - Entries - Καταχωρήσεις - - - Copy attribute to clipboard - Αντιγραφή χαρακτηριστικού στο πρόχειρο - - - Groups - Ομάδες - - - View - Προβολή - - - Quit - Έξοδος - - - About - Σχετικά - Open database Άνοιγμα Βάσης Δεδομένων - - Save database - Αποθήκευση Βάσης Δεδομένων - - - Close database - Κλείσιμο Βάσης Δεδομένων - - - New database - Νέα Βάση Δεδομένων - - - Add new entry - Πρόσθεση νέα καταχώρησης - - - View/Edit entry - Προβολή/επεξεργασία καταχώρησης - - - Delete entry - Διαγραφή Καταχώρησης - - - Add new group - Πρόσθεση νέας ομάδας - - - Edit group - Επεξεργασία Ομάδας - - - Delete group - Διαγραφή ομάδας - - - Save database as - Αποθήκευση βάσης δεδομένων ως - - - Change master key - Αλλαγή πρωτεύοντος κλειδιού - Database settings Ρυθμίσεις βάσης δεδομένων - - Import KeePass 1 database - Εισαγωγή βάσης δεδομένων KeePass1 - - - Clone entry - Κλωνοποίηση Καταχώρησης - - - Find - Εύρεση - Copy username to clipboard Αντιγραφή όνομα χρήστη στο πρόχειρο @@ -1025,30 +1381,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings Ρύθμίσεις - - Perform Auto-Type - Εκτέλεση Αυτόματης-Γραφής - - - Open URL - Άνοιγμα ιστοσελίδας - - - Lock databases - Κλείδωμα βάσεων δεδομένων - - - Title - Τίτλος - - - URL - URL - - - Notes - Σημειώσεις - Show toolbar Εμφάνιση γραμμής εργαλείων @@ -1061,29 +1393,9 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window Εναλλαγή παραθύρων - - Tools - Εργαλεία - - - Copy username - Αντιγραφή όνομα χρήστη - - - Copy password - Αντιγραφή κωδικού - - - Export to CSV file - Εξαγωγή σε αρχείο CSV - - - Repair database - Επισκευή βάσης δεδομένων - KeePass 2 Database - + Βάση Δεδομένων KeePass 2 All files @@ -1093,14 +1405,327 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database Αποθήκευση επιδιορθωμένη βάση δεδομένων - - Error - Σφάλμα - Writing the database failed. Εγγραφή της βάσης δεδομένων απέτυχε. + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Εισαγωγή βάσης δεδομένων KeePass1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Γενικά + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Για προχωρημένους + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1108,10 +1733,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: Κωδικός: - - Length: - Μήκος: - Character Types Τύποι χαρακτήρων @@ -1136,70 +1757,160 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters Εξαίρεση χαρακτήρων που μοίαζουν - - Ensure that the password contains characters from every group - Βεβαιωθείται οτι ο κωδικός περιέχει χαρακτήρες απο κάθε ομάδα - Accept Αποδοχή - - - QCommandLineParser - Displays version information. - Προβολή πληροφοριών έκδοσης. + %p% + - Displays this help. - Δείχνει αυτήν την βοήθεια. + strength + - Unknown option '%1'. - Άγνωστη επιλογή '%1'. + entropy + - Unknown options: %1. - Άγνωστο επιλογές: %1. + &Length: + - Missing value after '%1'. - Τιμή που λείπει μετά από '%1'. + Pick characters from every group + - Unexpected value after '%1'. - Μη αναμενόμενη τιμή μετά από '%1'. + Generate + - [options] - [επιλογές] + Close + - Usage: %1 - Χρήση: %1 + Apply + - Options: - Επιλογές: + Entropy: %1 bit + - Arguments: - Επιχειρήματα: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Κωδικός + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Υπάρχον αρχείο %1 δεν είναι εγγράψιμο + NULL device + - Writing canceled by application - Γράψιμο ακυρώθηκε από την εφαρμογή + error reading from device + - Partial write. Partition full? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Όμαδα + + + Title + Τίτλος + + + Username + Όνομα χρήστη + + + Password + Κωδικός + + + URL + URL + + + Notes + Σημειώσεις + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive @@ -1240,20 +1951,111 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - Εύρεση + Case Sensitive + - Case sensitive - Διάκριση πεζών-κεφαλαίων + Search + Αναζήτηση - Current group - Τρέχων ομάδα + Clear + - Root group - Ομάδα ρίζα + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1270,6 +2072,10 @@ This is a one-way migration. You won't be able to open the imported databas Security Ασφάλεια + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1277,10 +2083,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases Θυμηθείτε την τελευταία βάσεις δεδομένων - - Open previous databases on startup - Άνοιγμα προηγούμενων βάσεω δεδομένων κατα την εκκίνηση - Automatically save on exit Αυτόματη αποθήκευση κατα την έξοδο @@ -1301,10 +2103,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut - - Use entry title to match windows for global auto-type - Χρησιμοποιήστε εγγραφή τίτλου ώστε να ταιριάζει με windows για παγκόσμια αυτόματος-τύπο - Language Γλώσσα @@ -1318,15 +2116,43 @@ This is a one-way migration. You won't be able to open the imported databas - Remember last key files + Load previous databases on startup - Hide window to system tray instead of App Exit + Automatically reload the database when modified externally - Hide window to system tray on App start + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Αυτόματη-Γραφή + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1349,8 +2175,86 @@ This is a one-way migration. You won't be able to open the imported databas - Always ask before performing auto-type - Πάντα να ρωτάτε πριν να εκτελείται η αυτόματη γραφή + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + δευτερόλεπτα + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1363,20 +2267,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - Καλως ήρθατε! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Πρόσφατες βάσεις δεδομένων main - - KeePassX - cross-platform password manager - - - - filename of the password database to open (*.kdbx) - Όνομα της βάσης δεδομένων κωδικών για άνοιγμα (*.kdbx) - path to a custom config file @@ -1385,5 +2305,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database Αρχείο κλειδί της βάσεως δεδομένων + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_en.ts b/share/translations/keepassx_en.ts index 2fbe1d3be..7b014b632 100644 --- a/share/translations/keepassx_en.ts +++ b/share/translations/keepassx_en.ts @@ -3,25 +3,106 @@ AboutDialog - - Revision - - - - Using: - - About KeePassXC - Extensions: + About + + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: @@ -120,10 +201,6 @@ Please select whether you want to allow access. Create Key File... - - Error - - Unable to create Key File : @@ -132,10 +209,6 @@ Please select whether you want to allow access. Select a key file - - Question - - Do you really want to use an empty string as password? @@ -144,10 +217,6 @@ Please select whether you want to allow access. Different passwords supplied. - - Failed to set key file - - Failed to set %1 as the Key file: %2 @@ -157,6 +226,163 @@ Please select whether you want to allow access. &Key file + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + + + + Unable to calculate master key + + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -176,10 +402,6 @@ Please select whether you want to allow access. Browse - - Error - - Unable to open the database. @@ -200,6 +422,14 @@ Please select whether you want to allow access. Select key file + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -275,6 +505,18 @@ You can now save it. Use recycle bin + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -294,10 +536,6 @@ You can now save it. Open database - - Warning - - File not found! @@ -327,10 +565,6 @@ You can now save it. Save changes? - - Error - - Writing the database failed. @@ -415,6 +649,14 @@ Do you want to open it anyway? Open read-only + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -457,10 +699,6 @@ Do you want to open it anyway? Do you really want to delete the group "%1" for good? - - Error - - Unable to calculate master key @@ -522,11 +760,15 @@ Do you want to open it anyway? - Autoreload Failed + Could not open the new database file while attempting to autoreload this database. - Could not open the new database file while attempting to autoreload this database. + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? @@ -568,10 +810,6 @@ Do you want to open it anyway? Edit entry - - Error - - Different passwords supplied. @@ -619,6 +857,22 @@ Do you want to open it anyway? 1 year + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -630,10 +884,6 @@ Do you want to open it anyway? Add - - Edit - - Remove @@ -650,6 +900,18 @@ Do you want to open it anyway? Open + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -685,6 +947,10 @@ Do you want to open it anyway? Set custo&m sequence: + + Window Associations + + EditEntryWidgetHistory @@ -794,15 +1060,15 @@ Do you want to open it anyway? - Auto-type + Auto-Type - Use default auto-type sequence of parent group + &Use default Auto-Type sequence of parent group - Set default auto-type sequence + Set default Auto-Type se&quence @@ -828,10 +1094,6 @@ Do you want to open it anyway? Select Image - - Can't delete icon! - - Error @@ -848,10 +1110,6 @@ Do you want to open it anyway? Can't read icon - - Can't delete icon. Still used by %1 items. - - &Use default icon @@ -860,6 +1118,14 @@ Do you want to open it anyway? Use custo&m icon + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -931,6 +1197,11 @@ Do you want to open it anyway? URL + + Ref: + Reference abbreviation + + Group @@ -989,8 +1260,15 @@ Do you want to open it anyway? Ensure that the password contains characters from every group + + + KMessageWidget - Accept + &Close + + + + Close message @@ -1000,10 +1278,6 @@ Do you want to open it anyway? Import KeePass1 database - - Error - - Unable to open the database. @@ -1065,6 +1339,10 @@ You can import it by clicking on Database > 'Import KeePass 1 database&a This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. + + Unable to issue challenge-response. + + Main @@ -1076,13 +1354,17 @@ This is a one-way migration. You won't be able to open the imported databas KeePassXC - Error + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - - Open database @@ -1115,10 +1397,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window - - Tools - - KeePass 2 Database @@ -1131,10 +1409,6 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database - - Error - - Writing the database failed. @@ -1227,10 +1501,6 @@ This is a one-way migration. You won't be able to open the imported databas &Database settings - - &Import KeePass 1 database - - &Clone entry @@ -1307,6 +1577,42 @@ This is a one-way migration. You won't be able to open the imported databas Clear history + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1322,11 +1628,6 @@ This is a one-way migration. You won't be able to open the imported databas Sh&ow a notification when credentials are requested - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - - Sort matching entries by &username @@ -1335,10 +1636,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Re&move all stored permissions from entries in active database - - Password generator - - Advanced @@ -1355,10 +1652,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Searc&h in all opened databases for matching entries - - Only the selected database has to be connected with a client! - - HTTP Port: @@ -1375,11 +1668,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Sort &matching entries by title - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - - KeePassXC will listen to this port on 127.0.0.1 @@ -1393,19 +1681,10 @@ This is required for accessing your databases from ChromeIPass or PassIFox - - &Return only best matching entries for a URL instead -of all entries for the whole domain - - R&emove all shared encryption keys from active database - - The following options can be dangerous. Change them only if you know what you are doing. - - &Return advanced string fields which start with "KPH: " @@ -1414,6 +1693,43 @@ of all entries for the whole domain Automatically creating or updating string fields is not supported. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1505,11 +1821,100 @@ of all entries for the whole domain Excellent + + Password + + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + + + + Title + + + + Username + + + + Password + + + + URL + + + + Notes + + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive @@ -1558,11 +1963,15 @@ of all entries for the whole domain - Find + Clear - Clear + Search... + + + + Limit search to selected group @@ -1667,6 +2076,10 @@ give it a unique name to identify and accept it. Security + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1694,10 +2107,6 @@ give it a unique name to identify and accept it. Global Auto-Type shortcut - - Use entry title to match windows for global auto-type - - Language @@ -1710,10 +2119,6 @@ give it a unique name to identify and accept it. Hide window to system tray when minimized - - Remember last key files - - Load previous databases on startup @@ -1730,6 +2135,30 @@ give it a unique name to identify and accept it. Minimize window at application startup + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1749,10 +2178,6 @@ give it a unique name to identify and accept it. Show passwords in cleartext by default - - Always ask before performing auto-type - - Lock databases after minimizing the window @@ -1761,6 +2186,80 @@ give it a unique name to identify and accept it. Don't require password repeat when it is visible + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1772,7 +2271,31 @@ give it a unique name to identify and accept it. WelcomeWidget - Welcome! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases @@ -1798,5 +2321,69 @@ give it a unique name to identify and accept it. filenames of the password databases to open (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + diff --git a/share/translations/keepassx_es.ts b/share/translations/keepassx_es.ts index 4a9a46c38..16138ecf2 100644 --- a/share/translations/keepassx_es.ts +++ b/share/translations/keepassx_es.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revisión - - - Using: - Usando: - About KeePassXC Acerca de KeePassXC - Extensions: - - Extensiones: - + About + Acerca de - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC se distribuye bajo la Licencia Pública General de GNU (GPL) versión 2 o versión 3 (si así lo prefiere). + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Por favor seleccione si desea autorizar su acceso. Create Key File... Crear un Archivo Llave .... - - Error - Error - Unable to create Key File : No se puede crear el Archivo Llave: @@ -132,10 +208,6 @@ Por favor seleccione si desea autorizar su acceso. Select a key file Seleccione un archivo llave - - Question - Pregunta - Do you really want to use an empty string as password? ¿Realmente desea usar una cadena vacía como contraseña? @@ -144,10 +216,6 @@ Por favor seleccione si desea autorizar su acceso. Different passwords supplied. Las contraseñas ingresadas son distintas. - - Failed to set key file - No se pudo establecer el archivo llave. - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Por favor seleccione si desea autorizar su acceso. &Key file &Archivo llave + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Error + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Error + + + Unable to calculate master key + No se puede calcular la clave maestra + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Por favor seleccione si desea autorizar su acceso. Browse Navegar - - Error - Error - Unable to open the database. Incapaz de abrir la base de datos. @@ -201,6 +422,14 @@ Por favor seleccione si desea autorizar su acceso. Select key file Seleccionar archivo llave + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Ahora puede guardarla. Use recycle bin Usar papelera de reciclaje + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Ahora puede guardarla. Open database Abrir base de datos - - Warning - Advertencia - File not found! ¡Archivo no encontrado! @@ -330,10 +567,6 @@ Save changes? "%1" ha sido modificado. ¿Guardar cambios? - - Error - Error - Writing the database failed. La escritura de la base de datos falló. @@ -425,6 +658,14 @@ Do you want to open it anyway? Open read-only Abrir como sólo lectura + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -464,10 +705,6 @@ Do you want to open it anyway? Do you really want to delete the group "%1" for good? ¿Realmente quiere eliminar el grupo "%1" de forma definitiva? - - Error - Error - Unable to calculate master key No se puede calcular la llave maestra @@ -528,14 +765,18 @@ Do you want to open it anyway? 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? - - Autoreload Failed - La recarga automática falló - Could not open the new database file while attempting to autoreload this database. No se pudo abrir el nuevo archivo de la base de datos mientras se intentaba recargar la base de datos actual. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -575,10 +816,6 @@ Do you want to open it anyway? Edit entry Editar entrada - - Error - Error - Different passwords supplied. Las contraseñas ingresadas son distintas. @@ -621,6 +858,22 @@ Do you want to open it anyway? 1 year 1 año + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -632,10 +885,6 @@ Do you want to open it anyway? Add Añadir - - Edit - Editar - Remove Eliminar @@ -652,6 +901,18 @@ Do you want to open it anyway? Open Abrir + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -687,6 +948,10 @@ Do you want to open it anyway? Set custo&m sequence: Definir secuencia personalizada: + + Window Associations + + EditEntryWidgetHistory @@ -796,16 +1061,16 @@ Do you want to open it anyway? Buscar - Auto-type - Auto-escritura + Auto-Type + Auto-Escritura - Use default auto-type sequence of parent group - Usar secuencia de auto-escritura por defecto del grupo padre + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Definir secuencia de Auto-Escritura por defecto + Set default Auto-Type se&quence + @@ -830,10 +1095,6 @@ Do you want to open it anyway? Select Image Seleccionar imagen - - Can't delete icon! - ¡No se puede eliminar el ícono! - Error Error @@ -850,10 +1111,6 @@ Do you want to open it anyway? Can't read icon No se puede leer el ícono - - Can't delete icon. Still used by %1 items. - No se puede eliminar el icono. Utilizado aún en %1 elementos - &Use default icon &Usar icono por defecto @@ -862,6 +1119,14 @@ Do you want to open it anyway? Use custo&m icon Usar icono &personalizado + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -933,6 +1198,11 @@ Do you want to open it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -991,9 +1261,16 @@ Do you want to open it anyway? Ensure that the password contains characters from every group Asegurar que la contraseña contiene caracteres de todos los grupos + + + KMessageWidget - Accept - Aceptar + &Close + + + + Close message + @@ -1002,10 +1279,6 @@ Do you want to open it anyway? Import KeePass1 database Importar base de datos KeePass1 - - Error - Error - Unable to open the database. Incapaz de abrir la base de datos. @@ -1070,6 +1343,10 @@ This is a one-way migration. You won't be able to open the imported databas Puede importarla haciendo click en 'Base de datos' > 'Importar base de datos de Keepass 1'. Esta migración es en un único sentido. No podrá abrir la base importada con la vieja versión 0.4 de KeePassX. + + Unable to issue challenge-response. + + Main @@ -1081,13 +1358,17 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l KeePassXC - Error KeePassXC - Error + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Base de datos - Open database Abrir base de datos @@ -1120,10 +1401,6 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l Toggle window Cambiar a ventana - - Tools - Herramientas - KeePass 2 Database Base de datos de KeePass 2 @@ -1136,10 +1413,6 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l Save repaired database Guardar base de datos reparada - - Error - Error - Writing the database failed. Fallo al escribir la base de datos. @@ -1232,14 +1505,26 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l &Database settings Configuración de la base de &datos - - &Import KeePass 1 database - &Importar base de datos KeePass 1 - &Clone entry &Clonar entrada + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Buscar @@ -1292,6 +1577,46 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l Password Generator Generador de contraseñas + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importar base de datos KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1307,12 +1632,6 @@ Esta migración es en un único sentido. No podrá abrir la base importada con l Sh&ow a notification when credentials are requested M&ostrar una notificación cuando se pidan credenciales - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Coincidir esquemas URL -Solo se muestran entradas con el mismo esquema (http://, https://, ftp://, ...) - Sort matching entries by &username Ordenar entradas por nombre de &usuario @@ -1321,10 +1640,6 @@ Solo se muestran entradas con el mismo esquema (http://, https://, ftp://, ...)< Re&move all stored permissions from entries in active database Eli&minar todos los permisos guardados de las entradas de la base de datos activa - - Password generator - Generador de contraseñas - Advanced Avanzado @@ -1341,10 +1656,6 @@ Solo se muestran entradas con el mismo esquema (http://, https://, ftp://, ...)< Searc&h in all opened databases for matching entries Buscar entradas que coincidan en todas las bases de datos abiertas - - Only the selected database has to be connected with a client! - ¡Solo la base de datos seleccionada necesita conectarse con un cliente! - HTTP Port: Puerto HTTP: @@ -1361,12 +1672,6 @@ Solo se muestran entradas con el mismo esquema (http://, https://, ftp://, ...)< Sort &matching entries by title Ordenar entradas por &título - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Habilitar el protocolo KeepassXC HTTP -Necesario para acceder a tus bases de datos desde ChromeIPass o PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC escuchará por este puerto en 127.0.0.1 @@ -1380,21 +1685,11 @@ Necesario para acceder a tus bases de datos desde ChromeIPass o PassIFox ¡No se puede asociar a puertos con privilegios debajo de 1024! Usando el puerto por defecto 19455 - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - Mostra&r solo las mejores coincidencias para una URL -en vez de todas las entradas para el dominio completo R&emove all shared encryption keys from active database &Eliminar todas las claves de cifrado compartidas de la base de datos activa - - The following options can be dangerous. Change them only if you know what you are doing. - Las siguientes opciones pueden ocasionar problemas. Cámbielas solo si sabe lo que está haciendo. - &Return advanced string fields which start with "KPH: " Mostra&r campos de caracteres avanzados que comiencen con "KPH: " @@ -1403,6 +1698,43 @@ en vez de todas las entradas para el dominio completo Automatically creating or updating string fields is not supported. No se permite crear o actualizar campos de caracteres automáticamente. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Generador de contraseñas + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1456,7 +1788,7 @@ en vez de todas las entradas para el dominio completo Pick characters from every group - Elige caracteres de todos los grupos + Elegir caracteres de todos los grupos Generate @@ -1494,12 +1826,101 @@ en vez de todas las entradas para el dominio completo Excellent Excelente + + Password + Contraseña + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupo + + + Title + Título + + + Username + Nombre de usuario: + + + Password + Contraseña + + + URL + URL + + + Notes + Notas + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1546,14 +1967,18 @@ en vez de todas las entradas para el dominio completo Search Buscar - - Find - Buscar - Clear Limpiar + + Search... + + + + Limit search to selected group + + Service @@ -1660,6 +2085,10 @@ asigne un nombre único para identificarla y acepte. Security Seguridad + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1687,10 +2116,6 @@ asigne un nombre único para identificarla y acepte. Global Auto-Type shortcut Atajo global de Auto-Escritura - - Use entry title to match windows for global auto-type - Usar el título de la entrada para coincidir con la ventana para la auto-escritura global - Language Idioma @@ -1703,10 +2128,6 @@ asigne un nombre único para identificarla y acepte. Hide window to system tray when minimized Ocultar la ventana a la bandeja del sistema cuando se minimiza - - Remember last key files - Recordar últimos archivos llave - Load previous databases on startup Abrir base de datos anterior al inicio @@ -1723,6 +2144,30 @@ asigne un nombre único para identificarla y acepte. Minimize window at application startup Minimizar la ventana al iniciar + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-Escritura + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1742,10 +2187,6 @@ asigne un nombre único para identificarla y acepte. Show passwords in cleartext by default Mostrar contraseñas en texto claro por defecto - - Always ask before performing auto-type - Preguntar siempre antes de realizar auto-escritura - Lock databases after minimizing the window Bloquear base de datos al minimizar la ventana @@ -1754,6 +2195,80 @@ asigne un nombre único para identificarla y acepte. Don't require password repeat when it is visible No pedir repetición de la contraseña cuando está visible + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + segundos + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1765,8 +2280,32 @@ asigne un nombre único para identificarla y acepte. WelcomeWidget - Welcome! - ¡Bienvenid@! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Bases de datos recientes @@ -1791,5 +2330,69 @@ asigne un nombre único para identificarla y acepte. filenames of the password databases to open (*.kdbx) nombre de archivo de la base de datos de contraseñas a abrir (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_fi.ts b/share/translations/keepassx_fi.ts new file mode 100644 index 000000000..aefa69b1d --- /dev/null +++ b/share/translations/keepassx_fi.ts @@ -0,0 +1,2384 @@ + + + AboutDialog + + About KeePassXC + Tietoja ohjelmasta KeePassXC + + + About + + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + Muista tämä valinta + + + Allow + Salli + + + Deny + Estä + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + %1 pyytää pääsyä seuraavien alkioiden salasanoihin. +Ole hyvä ja valitse sallitaanko pääsy. + + + KeePassXC HTTP Confirm Access + + + + + AutoType + + Couldn't find an entry that matches the window title: + Ikkunan nimeä vastaavaa merkintää ei löytynyt: + + + Auto-Type - KeePassXC + Automaattitäydennys - KeePassXC + + + + AutoTypeAssociationsModel + + Window + Ikkuna + + + Sequence + Sekvenssi + + + Default sequence + Oletussekvenssi + + + + AutoTypeSelectDialog + + Select entry to Auto-Type: + Valitse merkintä automaattitäydennystä varten: + + + Auto-Type - KeePassXC + Automaattitäydennys - KeePassXC + + + + ChangeMasterKeyWidget + + Password + Salasana + + + Enter password: + Syötä salasana: + + + Repeat password: + Toista salasana: + + + Browse + Selaa + + + Create + Luo + + + Key files + Avaintiedostot + + + All files + Kaikki tiedostot + + + Create Key File... + Luo avaintiedosto... + + + Unable to create Key File : + Avaintiedoston luonti ei onnistunut: + + + Select a key file + Valitse avaintiedosto + + + Do you really want to use an empty string as password? + Haluatko varmasti asettaa tyhjän merkkijonon salasanaksi? + + + Different passwords supplied. + Annetut salasanat eivät täsmää. + + + Failed to set %1 as the Key file: +%2 + + + + &Key file + Avaintiedosto + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Virhe + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Virhe + + + Unable to calculate master key + Pääavaimen laskeminen ei onnistu + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + + + + DatabaseOpenWidget + + Enter master key + Syötä pääsalasana + + + Key File: + Avaintiedosto: + + + Password: + Salasana + + + Browse + Selaa + + + Unable to open the database. + Tietokannan avaaminen ei onnistunut. + + + Can't open key file + Avaintiedostoa ei voitu avata + + + All files + Kaikki tiedostot + + + Key files + Avaintiedostot + + + Select key file + Valitse avaintiedosto + + + Refresh + + + + Challenge Response: + + + + + DatabaseRepairWidget + + Repair database + Korjaa tietokanta + + + Error + Virhe + + + Can't open key file + Avaintiedoston avaaminen epäonnistui + + + Database opened fine. Nothing to do. + Tietokannan avaaminen onnistui. Ei tehtävää. + + + Unable to open the database. + Tietokannan avaaminen epäonnistui. + + + Success + Onnistui! + + + The database has been successfully repaired +You can now save it. + Tietokanta korjattiin onnistuneesti. +Voit nyt tallentaa sen. + + + Unable to repair the database. + Tietokannan korjaus epäonnistui. + + + + DatabaseSettingsWidget + + Database name: + Tietokannan nimi: + + + Database description: + Tietokannan kuvaus: + + + Transform rounds: + Muunnoskierroksia: + + + Default username: + Oletuskäyttäjänimi: + + + MiB + MiB + + + Benchmark + Suorituskykytesti + + + Max. history items: + Maks. historia-alkioiden lukumäärä: + + + Max. history size: + Maks. historian koko: + + + Use recycle bin + Käytä roskakoria + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + + + + DatabaseTabWidget + + Root + Juuri + + + KeePass 2 Database + KeePass 2 -tietokanta + + + All files + Kaikki tiedostot + + + Open database + Avaa tietokanta + + + File not found! + Tiedostoa ei löytynyt! + + + Open KeePass 1 database + Avaa KeePass 1 -tietokanta + + + KeePass 1 database + KeePass 1 -tietokanta + + + All files (*) + Kaikki tiedostot(*) + + + Close? + Sulje? + + + Save changes? + Tallenna muutokset? + + + "%1" was modified. +Save changes? + + + + Writing the database failed. + Tietokannan kirjoitus levylle epäonnistui. + + + Save database as + Tallenna tietokanta nimellä + + + New database + Uusi tietokanta + + + locked + Lukittu + + + Lock database + Lukitse tietokanta + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Tietokantaa ei voida lukita, sillä se on muokkaustilassa. +Paina Peruuta jos haluat viimeistellä muutoksesi, muussa tapauksessa muutoksesi hylätään. + + + This database has never been saved. +You can save the database or stop locking it. + + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1" on muokkaustilassa. +Hylkää muutokset ja sulje? + + + Export database to CSV file + Vie tietokanta CSV-tiedostoon + + + CSV file + CSV-tiedosto + + + Writing the CSV file failed. + CSV-tiedoston kirjoitus levylle epäonnistui. + + + Unable to open the database. + Tietokannan avaaminen ei onnistunut. + + + Merge database + Yhdistä tietokanta + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + Tietokanta jota yrität avata on avoinna toisessa KeePassXC-ikkunassa. +Haluatko tallentaa tietokannan siitä huolimatta? + + + Passwords + Salasanat + + + Database already opened + Tietokanta on jo avattu + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + Avaa "vain luku"-tilassa + + + File opened in read only mode. + + + + Open CSV file + + + + + DatabaseWidget + + Change master key + Vaihda pääsalasana + + + Delete entry? + Poista merkintä? + + + Do you really want to delete the entry "%1" for good? + Haluatko varmasti poistaa merkinnän "%1", lopullisesti? + + + Delete entries? + Poista alkiot? + + + Do you really want to delete %1 entries for good? + Haluatko varmasti poistaa alkiot %1, lopullisesti? + + + Move entries to recycle bin? + Siirrä alkiot roskakoriin? + + + Do you really want to move %n entry(s) to the recycle bin? + Haluatko varmasti siirtää %n kappaletta alkioita roskakoriin?Haluatko varmasti siirtää %n merkintää roskakoriin? + + + Delete group? + Poista ryhmä? + + + Do you really want to delete the group "%1" for good? + Haluatko varmasti poistaa ryhmän "%1", lopullisesti? + + + Unable to calculate master key + Pääavaimen laskeminen ei onnistu + + + Move entry to recycle bin? + Siirrä merkintä roskakoriin? + + + Do you really want to move entry "%1" to the recycle bin? + + + + Searching... + Etsitään... + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + Etsinnän tulokset (%1) + + + No Results + Ei tuloksia. + + + Execute command? + Suorita komento? + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + Muista valintani + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + + + + EditEntryWidget + + Entry + Merkintä + + + Advanced + Lisäasetukset + + + Icon + Kuvake + + + Auto-Type + Automaattitäydennys + + + Properties + Ominaisuudet + + + History + Historia + + + Entry history + Alkioiden historia + + + Add entry + Lisää alkio + + + Edit entry + Muokkaa alkiota + + + Different passwords supplied. + Annetut salasanat eivät täsmää. + + + New attribute + Uusi attribuutti + + + Select file + Valitse tiedosto + + + Unable to open file + Tiedoston avaus ei onnistu + + + Save attachment + Tallenna liite + + + Unable to save the attachment: + + Liitteen tallentaminen ei onnistu: + + + + Tomorrow + Huomenna + + + %n week(s) + %n viikkoa%n viikkoa + + + %n month(s) + %n kuukautta%n kuukautta + + + 1 year + + + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + + + + EditEntryWidgetAdvanced + + Additional attributes + + + + Add + Lisää + + + Remove + Poista + + + Attachments + Liitteet + + + Save + Tallenna + + + Open + Avaa + + + Edit Name + + + + Protect + + + + Reveal + + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Salli automaattitäydennys tälle merkinnälle + + + + + + + + + - + - + + + Window title: + Ikkunan otsikko: + + + Inherit default Auto-Type sequence from the &group + Peri automaattitäydennyksen oletussekvenssi &ryhmältä + + + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + + + + + EditEntryWidgetHistory + + Show + Näytä + + + Restore + Palauta + + + Delete + Poista + + + Delete all + Poista kaikki + + + + EditEntryWidgetMain + + Title: + Otsikko: + + + Username: + Käyttäjänimi + + + Password: + Salasana + + + Repeat: + Toista: + + + URL: + URL: + + + Expires + Erääntyy + + + Presets + Esiasetus + + + Notes: + Muistiinpanot: + + + + EditGroupWidget + + Group + Ryhmä + + + Icon + Kuvake + + + Properties + Ominaisuudet + + + Add group + Lisää ryhmä + + + Edit group + Muokkaa ryhmää + + + Enable + Kytke päälle + + + Disable + Kytke pois päältä + + + Inherit from parent group (%1) + Peri ylemmältä ryhmältä (%1) + + + + EditGroupWidgetMain + + Name + Nimi + + + Notes + Muistiinpanot + + + Expires + Erääntyy + + + Search + Etsi + + + Auto-Type + Automaattitäydennys + + + &Use default Auto-Type sequence of parent group + + + + Set default Auto-Type se&quence + + + + + EditWidgetIcons + + Add custom icon + + + + Delete custom icon + + + + Images + Kuvat + + + All files + Kaikki tiedostot + + + Select Image + Valitse kuva + + + Error + Virhe + + + Download favicon + Lataa favicon + + + Unable to fetch favicon. + Faviconin noutaminen ei onnistu + + + Can't read icon + Kuvaketta ei voida lukea + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + + + + EditWidgetProperties + + Created: + Luotu: + + + Modified: + Muokattu: + + + Accessed: + Käytetty: + + + Uuid: + UUID: + + + + Entry + + - Clone + - Klooni + + + + EntryAttributesModel + + Name + Nimi + + + + EntryHistoryModel + + Last modified + Viimeksi muokattu + + + Title + Otsikko + + + Username + Käyttäjätunnus + + + URL + URL + + + + EntryModel + + Group + Ryhmä + + + Title + Otsikko + + + Username + Käyttäjätunnus + + + URL + URL + + + Ref: + Reference abbreviation + + + + + Group + + Recycle Bin + Roskakori + + + + HttpPasswordGeneratorWidget + + Length: + Pituus: + + + Character Types + Merkkityypit + + + Upper Case Letters + Isot kirjaimet + + + A-Z + A-Z + + + Lower Case Letters + Pienet kirjaimet + + + a-z + a-z + + + Numbers + Numerot + + + 0-9 + 0-9 + + + Special Characters + Erikoismerkit + + + /*_& ... + /*_& ... + + + Exclude look-alike characters + Poissulje samannäköiset merkit + + + Ensure that the password contains characters from every group + Varmista, että salasana sisältää merkkejä jokaisesta ryhmästä + + + + KMessageWidget + + &Close + + + + Close message + + + + + KeePass1OpenWidget + + Import KeePass1 database + Tuo KeePass 1 -tietokanta + + + Unable to open the database. + Tietokannan avaaminen ei onnistunut. + + + + KeePass1Reader + + Unable to read keyfile. + Avaintiedoston luku ei onnistu + + + Not a KeePass database. + Tiedosto ei ole KeePass-tietokanta + + + Unsupported encryption algorithm. + Tukematon salausalgoritmi. + + + Unsupported KeePass database version. + Tukematon KeePass-tietokantaversio + + + Root + Juuri + + + Unable to calculate master key + Pääavaimen laskeminen ei onnistu + + + Wrong key or database file is corrupt. + Väärä avain tai tietokanta on korruptoitunut. + + + + KeePass2Reader + + Not a KeePass database. + Tiedosto ei ole KeePass-tietokanta + + + Unsupported KeePass database version. + Tukematon KeePass-tietokantaversio + + + Wrong key or database file is corrupt. + Väärä avain tai tietokanta on korruptoitunut. + + + Unable to calculate master key + Pääavaimen laskeminen ei onnistu + + + 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. + + + + Unable to issue challenge-response. + + + + + Main + + Fatal error while testing the cryptographic functions. + + + + KeePassXC - Error + KeePassXC - Virhe + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + + + + MainWindow + + Open database + Avaa tietokanta + + + Database settings + Tietokannan asetukset + + + Copy username to clipboard + Kopioi käyttäjätunnus leikepöydälle + + + Copy password to clipboard + Kopioi salasana leikepöydälle + + + Settings + Asetukset + + + Show toolbar + Näytä työkalupalkki + + + read-only + vain-luku + + + Toggle window + + + + KeePass 2 Database + Keepass 2 -tietokanta + + + All files + Kaikki tiedostot + + + Save repaired database + Tallenna korjattu tietokanta + + + Writing the database failed. + Tietokannan kirjoitus levylle epäonnistui. + + + &Recent databases + Viimeisimmät tietokannat + + + He&lp + Apua + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + Ryhmät + + + &View + Näkymä + + + &Quit + Lopeta + + + &About + Tietoja + + + &Open database + Avaa tietokanta + + + &Save database + Tallenna tietokanta + + + &Close database + Sulje tietokanta + + + &New database + Uusi tietokanta + + + Merge from KeePassX database + + + + &Add new entry + Lisää merkintä + + + &View/Edit entry + Näytä/muokkaa merkintää + + + &Delete entry + Poista merkintä + + + &Add new group + Lisää uusi ryhmä + + + &Edit group + Muokkaa ryhmää + + + &Delete group + Poista ryhmä + + + Sa&ve database as + Tallenna tietokanta nimellä + + + Change &master key + Vaihda pääsalasana + + + &Database settings + Tietokannan asetukset + + + &Clone entry + Kloonaa merkintä + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + Etsi + + + Copy &username + Kopioi käyttäjätunnus + + + Cop&y password + Kopioi salasana + + + &Settings + Asetukset + + + &Perform Auto-Type + Suorita automaattitäydennys + + + &Open URL + Avaa URL + + + &Lock databases + Lukitse tietokannat + + + &Title + Otsikko + + + &URL + URL + + + &Notes + Muistiinpanot + + + &Export to CSV file + Vie CSV-tiedostoon + + + Re&pair database + Korjaa tietokanta + + + Password Generator + Salasanageneraattori + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + Dialogi + + + General + Yleistä + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Lisää.. + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + HTTP-portti: + + + Default port: 19455 + Oletusportti: 19455 + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Salasanageneraattori + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + + + + PasswordGeneratorWidget + + Password: + Salasana + + + Character Types + Merkkityypit + + + Upper Case Letters + Isot kirjaimet + + + Lower Case Letters + Pienet kirjaimet + + + Numbers + Numerot + + + Special Characters + Erikoismerkit + + + Exclude look-alike characters + Poissulje samannäköiset merkit + + + Accept + Hyväksy + + + %p% + + + + strength + + + + entropy + entropia + + + &Length: + + + + Pick characters from every group + + + + Generate + Generoi + + + Close + Sulje + + + Apply + + + + Entropy: %1 bit + + + + Password Quality: %1 + + + + Poor + Huono + + + Weak + Heikko + + + Good + Hyvä + + + Excellent + Erinomainen + + + Password + Salasana + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + + + + QObject + + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Ryhmä + + + Title + Otsikko + + + Username + Käyttäjätunnus + + + Password + Salasana + + + URL + URL + + + Notes + Muistiinpanot + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + + + + + QtIOCompressor + + Internal zlib error when compressing: + Sisäinen zlib virhe pakatessa: + + + Error writing to underlying device: + + + + Error opening underlying device: + + + + Error reading data from underlying device: + + + + Internal zlib error when decompressing: + + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + gzip-formaatti ei ole tuettu tässä zlib-versiossa. + + + Internal zlib error: + Sisäinen zlib-virhe: + + + + SearchWidget + + Case Sensitive + Kirjainkoko on merkitsevä + + + Search + Etsi + + + Clear + Tyhjennä + + + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + Keskeytä + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + + + + + SettingsWidget + + Application Settings + + + + General + Yleistä + + + Security + Turvallisuus + + + Access error for config file %1 + + + + + SettingsWidgetGeneral + + Remember last databases + Muista viimeisimmät tietokannat + + + Automatically save on exit + Tallenna automaattisesti suljettaessa + + + Automatically save after every change + Tallenna automaattisesti jokaisen muutoksen jälkeen + + + Minimize when copying to clipboard + Pienennä ikkuna kopioidessa leikepöydälle + + + Use group icon on entry creation + Käytä ryhmän kuvaketta merkintää luodessa + + + Global Auto-Type shortcut + Globaalin automaattitäydennyksen pikanäppäin + + + Language + Kieli + + + Show a system tray icon + Näytä ilmoitusalueen kuvake + + + Hide window to system tray when minimized + Piiloita pienennetty ikkuna ilmoitusalueelle + + + Load previous databases on startup + Lataa edelliset tietokannat käynnistäessä + + + Automatically reload the database when modified externally + Lataa tietokanta automaattisesti uudelleen jos tietokantaa muokattiin muualla + + + Hide window to system tray instead of app exit + Piiloita ikkuna ilmoitusalueelle sulkemisen sijaan + + + Minimize window at application startup + Pienennä ikkuna ohjelman käynnistyessä + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Automaattitäydennys + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + + + + SettingsWidgetSecurity + + Clear clipboard after + Tyhjennä leikepöytä kun on kulunut + + + sec + s. + + + Lock databases after inactivity of + Lukitse tietokannat jos on oltu joutilaana + + + Show passwords in cleartext by default + Näytä salasanat oletuksena selkokielisenä + + + Lock databases after minimizing the window + Lukitse tietokanta ikkunan pienennyksen jälkeen + + + Don't require password repeat when it is visible + Älä vaadi salasanan toistoa jos salasana on näkyvillä + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + s. + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + + + + UnlockDatabaseWidget + + Unlock database + Avaa tietokannan lukitus + + + + WelcomeWidget + + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + + + + + main + + path to a custom config file + + + + key file of the database + + + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + + + \ No newline at end of file diff --git a/share/translations/keepassx_fr.ts b/share/translations/keepassx_fr.ts index cccd183b5..7c14f5ef1 100644 --- a/share/translations/keepassx_fr.ts +++ b/share/translations/keepassx_fr.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Révision - - - Using: - Utilise : - About KeePassXC À propos de KeePassXC - Extensions: - - Extensions : - + About + À propos - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC est distribué suivant les termes de la GNU Licence Publique Générale (GNU GPL) version 2 ou version 3 de la licence (à votre gré). + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Create Key File... Créer un fichier-clé... - - Error - Erreur - Unable to create Key File : Impossible de créer un fichier-clé : @@ -132,10 +208,6 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Select a key file Choisir un fichier-clé - - Question - Question - Do you really want to use an empty string as password? Voulez-vous vraiment utiliser une chaîne vide comme mot de passe ? @@ -144,10 +216,6 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Different passwords supplied. Les mots de passe ne sont pas identiques. - - Failed to set key file - Impossible de définir le fichier-clé - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. &Key file Fichier-clé + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Erreur + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Erreur + + + Unable to calculate master key + Impossible de calculer la clé maître + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Browse Naviguer - - Error - Erreur - Unable to open the database. Impossible d'ouvrir la base de données. @@ -201,6 +422,14 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Select key file Choisissez un fichier-clé + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Vous pouvez maintenant la sauvegarder. Use recycle bin Utiliser la corbeille + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Vous pouvez maintenant la sauvegarder. Open database Ouvrir la base de données - - Warning - Attention - File not found! Fichier introuvable ! @@ -330,10 +567,6 @@ Save changes? "%1" a été modifié. Enregistrer les modifications ? - - Error - Erreur - Writing the database failed. Une erreur s'est produite lors de l'écriture de la base de données. @@ -426,6 +659,14 @@ Voulez vous l'ouvrir quand même ? Open read-only Ouvrir en lecture seule + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -465,10 +706,6 @@ Voulez vous l'ouvrir quand même ? Do you really want to delete the group "%1" for good? Voulez-vous supprimer le groupe "%1" définitivement ? - - Error - Erreur - Unable to calculate master key Impossible de calculer la clé maître @@ -529,14 +766,18 @@ Voulez vous l'ouvrir quand même ? 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 à changé et vous avez des modification non-enregistrés. Voulez-vous fusionner vos modifications? - - Autoreload Failed - Échec du rafraîchissement automatique - Could not open the new database file while attempting to autoreload this database. La nouvelle base de données ne peux être ouverte pendant qu'un rafraîchissement automatique de l'actuelle est en cours. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -576,10 +817,6 @@ Voulez vous l'ouvrir quand même ? Edit entry Modifier l'entrée - - Error - Erreur - Different passwords supplied. Les mots de passe ne sont pas identiques. @@ -622,6 +859,22 @@ Voulez vous l'ouvrir quand même ? 1 year 1 an + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -633,10 +886,6 @@ Voulez vous l'ouvrir quand même ? Add Ajouter - - Edit - Modifier - Remove Supprimer @@ -653,6 +902,18 @@ Voulez vous l'ouvrir quand même ? Open Ouvrir + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -688,6 +949,10 @@ Voulez vous l'ouvrir quand même ? Set custo&m sequence: Définir une séquence personnalisée : + + Window Associations + + EditEntryWidgetHistory @@ -797,16 +1062,16 @@ Voulez vous l'ouvrir quand même ? Chercher - Auto-type + Auto-Type Remplissage automatique - Use default auto-type sequence of parent group - Utiliser la séquence de remplissage automatique par défaut du groupe parent + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Définir une séquence de remplissage automatique par défaut + Set default Auto-Type se&quence + @@ -831,10 +1096,6 @@ Voulez vous l'ouvrir quand même ? Select Image Choisir une image - - Can't delete icon! - Impossible de supprimer l'icône ! - Error Erreur @@ -851,10 +1112,6 @@ Voulez vous l'ouvrir quand même ? Can't read icon Impossible de lire l'icône - - Can't delete icon. Still used by %1 items. - Impossible de supprimer l'icône. Encore utilisée par 1% éléments. - &Use default icon Utiliser l'icône par défaut @@ -863,6 +1120,14 @@ Voulez vous l'ouvrir quand même ? Use custo&m icon Utiliser une icône personnalisée + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -934,6 +1199,11 @@ Voulez vous l'ouvrir quand même ? URL URL + + Ref: + Reference abbreviation + + Group @@ -992,9 +1262,16 @@ Voulez vous l'ouvrir quand même ? Ensure that the password contains characters from every group S'assurer que le mot de passe contienne des caractères de chaque groupe + + + KMessageWidget - Accept - Accepter + &Close + + + + Close message + @@ -1003,10 +1280,6 @@ Voulez vous l'ouvrir quand même ? Import KeePass1 database Importer une base de données au format KeePass1 - - Error - Erreur - Unable to open the database. Impossible d'ouvrir la base de données. @@ -1071,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Vous pouvez l'importer en cliquant sur "Base de données" > "Importer une base de données KeePass 1". Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvrir la base de données importée avec l'ancienne version KeePassX version 0.4. + + Unable to issue challenge-response. + + Main @@ -1082,13 +1359,17 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri KeePassXC - Error KeePassXC - Erreur + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Base de données - Open database Ouvrir une base de données @@ -1121,10 +1402,6 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri Toggle window Basculer de fenêtre - - Tools - Outils - KeePass 2 Database Base de données KeePass 2 @@ -1137,10 +1414,6 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri Save repaired database Sauvegarder la base de données réparée - - Error - Erreur - Writing the database failed. Une erreur s'est produite lors de l'écriture de la base de données. @@ -1175,7 +1448,7 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri &About - &A propos + &À propos &Open database @@ -1233,14 +1506,26 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri &Database settings Paramètre de la base de &données - - &Import KeePass 1 database - &Importer 1 base de données KeePass - &Clone entry Cloner l'entrée + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find Trouver @@ -1293,6 +1578,46 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri Password Generator Générateur de mot de passe + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importer une base de données KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1308,12 +1633,6 @@ Ceci est une migration à sens unique. Vous ne serez plus en mesure d'ouvri Sh&ow a notification when credentials are requested Montrer une notification quand les références sont demandées - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - & Cible des types d'URL -Seules les entrées de même type (http://, https://, ftp://, ...) sont retournées - Sort matching entries by &username Trier les entrées correspondantes par nom d'&utilisateur @@ -1322,10 +1641,6 @@ Seules les entrées de même type (http://, https://, ftp://, ...) sont retourn Re&move all stored permissions from entries in active database Supprimer toutes les permissions enregistrées des entrées de la base de données active - - Password generator - Générateur de mots de passe - Advanced Avancé @@ -1342,10 +1657,6 @@ Seules les entrées de même type (http://, https://, ftp://, ...) sont retourn Searc&h in all opened databases for matching entries Cherc&her dans toutes les bases de données ouvertes les entrées correspondantes - - Only the selected database has to be connected with a client! - Seule la base de données sélectionnée doit être connectée à un client ! - HTTP Port: Port HTTP: @@ -1356,18 +1667,12 @@ Seules les entrées de même type (http://, https://, ftp://, ...) sont retourn Re&quest to unlock the database if it is locked - Demander de déverrouiller la base de données lorsque celle-ci est verrouiller + Demander de déverrouiller la base de données lorsque celle-ci est verrouillée Sort &matching entries by title Trier les entrées correspondantes par titre - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Activer le protocole HTTP de KeePassXC -Ce protocole est nécessaire si vous souhaitez accéder à vos bases de données avec ChromeIPas ou PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeepassXC va écouter ce port sur 127.0.0.1 @@ -1381,21 +1686,11 @@ Ce protocole est nécessaire si vous souhaitez accéder à vos bases de données Using default port 19455. Liaison impossible avec les ports privilégiés, ceux avant 1024 ! Restauration du port 19455 par défaut. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - & Retourne seulement les meilleures entrées correspondantes pour une URL, -au lieu de toutes pour le domaine entier R&emove all shared encryption keys from active database Supprimer toutes les clés de chiffrement partagées de la base de données active - - The following options can be dangerous. Change them only if you know what you are doing. - La modification de ces préférences peuvent entrainer des problèmes de sécurité. Ne continuez que si vous savez ce que vous faites ! - &Return advanced string fields which start with "KPH: " & Retourne les champs avancés de type chaîne qui commencent par "KPH:" @@ -1404,6 +1699,43 @@ au lieu de toutes pour le domaine entier Automatically creating or updating string fields is not supported. La création ou la mise a jour automatique ne sont pas pris en charge pour les champs de chaines de caractères ! + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Générateur de mot de passe + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1495,12 +1827,101 @@ au lieu de toutes pour le domaine entier Excellent Excellent + + Password + Mot de passe + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Groupe + + + Title + Titre + + + Username + Nom d'utilisateur + + + Password + Mot de passe + + + URL + URL + + + Notes + Notes + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1547,14 +1968,18 @@ au lieu de toutes pour le domaine entier Search Chercher - - Find - Trouver - Clear Effacer + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2086,10 @@ attribuez lui un nom unique pour l'identifier et acceptez la. Security Sécurité + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ attribuez lui un nom unique pour l'identifier et acceptez la. Global Auto-Type shortcut Raccourci de remplissage automatique global - - Use entry title to match windows for global auto-type - Utiliser le titre d’entrée pour correspondre à windows pour auto-type global - Language Langue @@ -1704,17 +2129,13 @@ attribuez lui un nom unique pour l'identifier et acceptez la. Hide window to system tray when minimized Réduire la fenêtre vers la zone de notification lors de sa réduction - - Remember last key files - Se rappeler les derniers fichiers-clés ouverts - Load previous databases on startup Charger les bases de données précédentes au démarrage Automatically reload the database when modified externally - Recharger automatiquement la base de données quand celle-ci est modifier depuis l'extérieur + Recharger automatiquement la base de données quand celle-ci est modifiée depuis l'extérieur Hide window to system tray instead of app exit @@ -1724,6 +2145,30 @@ attribuez lui un nom unique pour l'identifier et acceptez la. Minimize window at application startup Minimiser la fenêtre lors du démarrage de l'application + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Remplissage automatique + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2188,6 @@ attribuez lui un nom unique pour l'identifier et acceptez la. Show passwords in cleartext by default Afficher les mots de passe en clair par défaut - - Always ask before performing auto-type - Toujours demander avant d'effectuer un remplissage automatique - Lock databases after minimizing the window Verrouiller la base de données lorsque la fenêtre est minimisée @@ -1755,6 +2196,80 @@ attribuez lui un nom unique pour l'identifier et acceptez la. 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 + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + s + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2281,32 @@ attribuez lui un nom unique pour l'identifier et acceptez la. WelcomeWidget - Welcome! - Bienvenue ! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Bases de données récentes @@ -1792,5 +2331,69 @@ attribuez lui un nom unique pour l'identifier et acceptez la. filenames of the password databases to open (*.kdbx) noms de fichiers des bases de données de mot de passe à ouvrir (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_id.ts b/share/translations/keepassx_id.ts index 25cc301ec..cddd1b6ee 100644 --- a/share/translations/keepassx_id.ts +++ b/share/translations/keepassx_id.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - Tentang KeePassX + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX disebarluaskan dibawah ketentuan dari Lisensi Publik Umum GNU (GPL) versi 2 atau (sesuai pilihan Anda) versi 3. + About + Tentang - Revision - Revisi + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - Menggunakan: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - Ketik-Otomatis - KeePassX - Couldn't find an entry that matches the window title: Tidak bisa menemukan entri yang cocok dengan judul jendela: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - Ketik-Otomatis - KeePassX - Select entry to Auto-Type: Pilih entri untuk Ketik-Otomatis: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Ulangi sandi: - - Key file - Berkas kunci - Browse Telusuri @@ -93,10 +199,6 @@ Create Key File... Buat Berkas Kunci... - - Error - Galat - Unable to create Key File : Tidak bisa membuat Berkas Kunci : @@ -105,10 +207,6 @@ Select a key file Pilih berkas kunci - - Question - Pertanyaan - Do you really want to use an empty string as password? Apakah Anda benar-benar ingin menggunakan lema kosong sebagai sandi? @@ -117,16 +215,173 @@ Different passwords supplied. Sandi berbeda. - - Failed to set key file - Gagal menetapkan berkas kunci - Failed to set %1 as the Key file: %2 Gagal menetapkan %1 sebagai berkas Kunci: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Galat + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Galat + + + Unable to calculate master key + Tidak bisa mengkalkulasi kunci utama + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse Telusuri - - Error - Galat - Unable to open the database. Tidak bisa membuka basis data. @@ -170,6 +421,14 @@ Select key file Pilih berkas kunci + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -226,10 +485,6 @@ Anda bisa menyimpannya sekarang. Default username: Nama pengguna baku: - - Use recycle bin: - Gunakan tong sampah: - MiB MiB @@ -246,6 +501,22 @@ Anda bisa menyimpannya sekarang. Max. history size: Maks. ukuran riwayat: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -265,10 +536,6 @@ Anda bisa menyimpannya sekarang. Open database Buka basis data - - Warning - Peringatan - File not found! Berkas tidak ditemukan! @@ -299,10 +566,6 @@ Save changes? "%1" telah dimodifikasi. Simpan perubahan? - - Error - Galat - Writing the database failed. Gagal membuat basis data. @@ -319,12 +582,6 @@ Simpan perubahan? locked terkunci - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Basis data yang Anda coba buka terkunci oleh KeePassX lain yang sedang berjalan. -Apakah Anda tetap ingin membukanya? Alternatif lain buka basis data baca-saja. - Lock database Kunci basis data @@ -368,13 +625,42 @@ Tetap buang ubahan dan tutup? Gagal membuat berkas CSV. - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - Basis data yang Anda coba buka terkunci oleh KeePassX lain yang sedang berjalan. -Apakah Anda tetap ingin menyimpannya? + Unable to open the database. + Tidak bisa membuka basis data. - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -416,14 +702,6 @@ Apakah Anda tetap ingin menyimpannya? Do you really want to delete the group "%1" for good? Apakah Anda benar-benar ingin menghapus grup "%1" untuk selamanya? - - Current group - Grup saat ini - - - Error - Galat - Unable to calculate master key Tidak bisa mengkalkulasi kunci utama @@ -436,6 +714,66 @@ Apakah Anda tetap ingin menyimpannya? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -475,10 +813,6 @@ Apakah Anda tetap ingin menyimpannya? Edit entry Sunting entri - - Error - Galat - Different passwords supplied. Sandi berbeda. @@ -521,6 +855,22 @@ Apakah Anda tetap ingin menyimpannya? 1 year 1 tahun + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -532,10 +882,6 @@ Apakah Anda tetap ingin menyimpannya? Add Tambah - - Edit - Sunting - Remove Buang @@ -552,6 +898,18 @@ Apakah Anda tetap ingin menyimpannya? Open Buka + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -559,14 +917,6 @@ Apakah Anda tetap ingin menyimpannya? Enable Auto-Type for this entry Aktifkan Ketik-Otomatis untuk entri ini - - Inherit default Auto-Type sequence from the group - Mengikuti urutan Ketik-Otomatis baku grup - - - Use custom Auto-Type sequence: - Gunakan urutan Ketik-Otomatis ubahsuai: - + + @@ -580,12 +930,24 @@ Apakah Anda tetap ingin menyimpannya? Judul jendela: - Use default sequence - Gunakan urutan baku + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Tetapkan urutan ubahsuai: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -625,10 +987,6 @@ Apakah Anda tetap ingin menyimpannya? Repeat: Ulangi: - - Gen. - Gen. - URL: URL: @@ -700,28 +1058,20 @@ Apakah Anda tetap ingin menyimpannya? Cari - Auto-type - Ketik-otomatis + Auto-Type + Ketik-Otomatis - Use default auto-type sequence of parent group - Gunakan urutan ketik-otomatis baku grup induk + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Tetapkan urutan ketik-otomatis baku + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Gunakan ikon baku - - - Use custom icon - Gunakan ikon ubahsuai - Add custom icon Tambah ikon ubahsuai @@ -743,19 +1093,35 @@ Apakah Anda tetap ingin menyimpannya? Pilih gambar - Can't delete icon! - Tidak bisa menghapus ikon! - - - Can't delete icon. Still used by %n item(s). - Tidak bisa menghapus ikon. Masih digunakan oleh %n item. + Error + Galat - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -778,6 +1144,13 @@ Apakah Anda tetap ingin menyimpannya? Uuid: + + Entry + + - Clone + + + EntryAttributesModel @@ -822,6 +1195,11 @@ Apakah Anda tetap ingin menyimpannya? URL URL + + Ref: + Reference abbreviation + + Group @@ -830,16 +1208,74 @@ Apakah Anda tetap ingin menyimpannya? Tong Sampah + + HttpPasswordGeneratorWidget + + Length: + Panjang: + + + Character Types + Tipe Karakter + + + Upper Case Letters + Huruf Besar + + + A-Z + + + + Lower Case Letters + Huruf Kecil + + + a-z + + + + Numbers + Angka + + + 0-9 + + + + Special Characters + Karakter Spesial + + + /*_& ... + + + + Exclude look-alike characters + Kecualikan karakter mirip + + + Ensure that the password contains characters from every group + Pastikan sandi berisi karakter dari setiap grup + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Impor basis data KeePass1 - - Error - Galat - Unable to open the database. Tidak bisa membuka basis data. @@ -873,7 +1309,7 @@ Apakah Anda tetap ingin menyimpannya? Wrong key or database file is corrupt. - + Kunci salah atau berkas basis data rusak. @@ -904,6 +1340,10 @@ This is a one-way migration. You won't be able to open the imported databas Anda bisa mengimpornya dengan mengklik Basis Data > 'Impor basis data KeePass 1'. Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang diimpor dengan versi lama KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -912,112 +1352,28 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Galat saat menguji fungsi kriptografi. - KeePassX - Error - KeePassX - Galat + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Basis data - - - Recent databases - Basis data baru-baru ini - - - Help - Bantuan - - - Entries - Entri - - - Copy attribute to clipboard - Salin atribut ke papan klip - - - Groups - Grup - - - View - Lihat - - - Quit - Keluar - - - About - Tentang - Open database Buka basis data - - Save database - Simpan basis data - - - Close database - Tutup basis data - - - New database - Basis data baru - - - Add new entry - Tambah entri baru - - - View/Edit entry - Lihat/Sunting entri - - - Delete entry - Hapus entri - - - Add new group - Tambah grup baru - - - Edit group - Sunting grup - - - Delete group - Hapus grup - - - Save database as - Simpan basis data sebagai - - - Change master key - Ubah kunci utama - Database settings Pengaturan basis data - - Import KeePass 1 database - Impor basis data KeePass 1 - - - Clone entry - Duplikat entri - - - Find - Temukan - Copy username to clipboard Salin nama pengguna ke papan klip @@ -1030,30 +1386,6 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Settings Pengaturan - - Perform Auto-Type - Lakukan Ketik-Otomatis - - - Open URL - Buka URL - - - Lock databases - Kunci basis data - - - Title - Judul - - - URL - URL - - - Notes - Catatan - Show toolbar Tampilkan bilah alat @@ -1066,26 +1398,6 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Toggle window Jungkit jendela - - Tools - Perkakas - - - Copy username - Salin nama pengguna - - - Copy password - Salin sandi - - - Export to CSV file - Ekspor ke berkas CSV - - - Repair database - Perbaiki basis data - KeePass 2 Database Basis Data KeePass 2 @@ -1098,14 +1410,327 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Save repaired database Simpan basis data yang sudah diperbaiki - - Error - Galat - Writing the database failed. Gagal menyimpan basis data. + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Impor basis data KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Umum + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Tingkat Lanjut + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1113,10 +1738,6 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Password: Sandi: - - Length: - Panjang: - Character Types Tipe Karakter @@ -1141,71 +1762,161 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Exclude look-alike characters Kecualikan karakter mirip - - Ensure that the password contains characters from every group - Pastikan sandi berisi karakter dari setiap grup - Accept Terima - - - QCommandLineParser - Displays version information. - Tampilkan informasi versi. + %p% + - Displays this help. - Tampilkan bantuan ini. + strength + - Unknown option '%1'. - Opsi tidak diketahui '%1'. + entropy + - Unknown options: %1. - Opsi tidak diketahui: %1. + &Length: + - Missing value after '%1'. - Nilai hilang setelah '%1'. + Pick characters from every group + - Unexpected value after '%1'. - Nilai tidak terduga setelah '%1'. + Generate + - [options] - [opsi] + Close + - Usage: %1 - Penggunaan: %1 + Apply + - Options: - Opsi: + Entropy: %1 bit + - Arguments: - Argumen: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Sandi + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Berkas yang ada %1 tidak bisa ditulis + NULL device + - Writing canceled by application - Penulisan dibatalkan oleh aplikasi + error reading from device + - Partial write. Partition full? - Penulisan parsial. Partisi penuh? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grup + + + Title + Judul + + + Username + Nama pengguna + + + Password + Sandi + + + URL + URL + + + Notes + Catatan + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1245,20 +1956,111 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang SearchWidget - Find: - Temukan: + Case Sensitive + - Case sensitive - Sensitif besar kecil huruf + Search + Cari - Current group - Grup saat ini + Clear + - Root group - Grup root + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1275,6 +2077,10 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Security Keamanan + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1282,10 +2088,6 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Remember last databases Ingat basis data terakhir - - Open previous databases on startup - Buka basis data sebelumnya saat mulai - Automatically save on exit Otomatis simpan ketika keluar @@ -1306,10 +2108,6 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Global Auto-Type shortcut Pintasan global Ketik-Otomatis - - Use entry title to match windows for global auto-type - Gunakan judul entri untuk mencocokkan jendela untuk ketik-otomatis global - Language Bahasa @@ -1323,15 +2121,43 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Sembunyikan jendela ke baki sistem ketika diminimalkan - Remember last key files - Ingat berkas kunci terakhir - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Ketik-Otomatis + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1354,8 +2180,86 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang Tampilkan teks sandi secara baku - Always ask before performing auto-type - Selalu tanya sebelum melakukan ketik-otomatis + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + det + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1368,20 +2272,36 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang WelcomeWidget - Welcome! - Selamat datang! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Basis data baru-baru ini main - - KeePassX - cross-platform password manager - KeePassX - pengelola sandi lintas platform - - - filename of the password database to open (*.kdbx) - nama berkas dari basis data sandi untuk dibuka (*.kdbx) - path to a custom config file jalur ke berkas konfig ubahsuai @@ -1390,5 +2310,81 @@ Ini adalah migrasi satu arah. Anda tidak akan bisa lagi membuka basis data yang key file of the database berkas kunci dari basis data + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_it.ts b/share/translations/keepassx_it.ts index 791942838..f5f7fede3 100644 --- a/share/translations/keepassx_it.ts +++ b/share/translations/keepassx_it.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revisione - - - Using: - Utilizzare: - About KeePassXC A proposito di KeePassXC - Extensions: - - Estensioni: - + About + Informazioni - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC è distribuito sotto i termini della licenza GNU General Public License (GPL) versione 2 o (come opzione) versione 3. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Perfavore seleziona se vuoi consentire l'accesso. Create Key File... Crea file chiave... - - Error - Errore - Unable to create Key File : Impossibile creare file chiave: @@ -132,10 +208,6 @@ Perfavore seleziona se vuoi consentire l'accesso. Select a key file Seleziona il file chiave - - Question - Domanda - Do you really want to use an empty string as password? Vuoi veramente usare una stringa vuota come password? @@ -144,10 +216,6 @@ Perfavore seleziona se vuoi consentire l'accesso. Different passwords supplied. Sono state fornite password differenti. - - Failed to set key file - Fallimento a impostare il file chiave - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Perfavore seleziona se vuoi consentire l'accesso. &Key file &File chiave + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Errore + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Errore + + + Unable to calculate master key + Impossibile calcolare la chiave principale + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Perfavore seleziona se vuoi consentire l'accesso. Browse Sfoglia - - Error - Errore - Unable to open the database. Impossibile aprire il database. @@ -201,6 +422,14 @@ Perfavore seleziona se vuoi consentire l'accesso. Select key file Seleziona file chiave + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Adesso puoi salvarlo. Use recycle bin Usa il cestino + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Adesso puoi salvarlo. Open database Apri database - - Warning - Attenzione - File not found! File non trovato! @@ -330,10 +567,6 @@ Save changes? "%1" è stata modificato. Salvare le modifiche? - - Error - Errore - Writing the database failed. Scrittura del database non riuscita. @@ -425,6 +658,14 @@ Vuoi aprilo comunque? Open read-only Aperto in sola lettura + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -464,10 +705,6 @@ Vuoi aprilo comunque? Do you really want to delete the group "%1" for good? Vuoi veramente eliminare il gruppo "%1"? - - Error - Errore - Unable to calculate master key Impossibile calcolare la chiave principale @@ -528,14 +765,18 @@ Vuoi aprilo comunque? The database file has changed and you have unsaved changes.Do you want to merge your changes? Il file del database è cambiato e ci sono delle modifiche non salvate. Vuoi unire i tuoi cambiamenti. - - Autoreload Failed - Aggiornamento fallito - Could not open the new database file while attempting to autoreload this database. Non è stato possibile aprire il nuovo database mentre si tentava il caricamento automatico di questo database. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -575,10 +816,6 @@ Vuoi aprilo comunque? Edit entry Modificare voce - - Error - Errore - Different passwords supplied. Sono state immesse password differenti. @@ -621,6 +858,22 @@ Vuoi aprilo comunque? 1 year Un anno + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -632,10 +885,6 @@ Vuoi aprilo comunque? Add Aggiungi - - Edit - Modifica - Remove Rimuovi @@ -652,6 +901,18 @@ Vuoi aprilo comunque? Open Apri + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -687,6 +948,10 @@ Vuoi aprilo comunque? Set custo&m sequence: Imposta sequenza &personalizzata: + + Window Associations + + EditEntryWidgetHistory @@ -796,16 +1061,16 @@ Vuoi aprilo comunque? Cerca - Auto-type + Auto-Type Auto-Type - Use default auto-type sequence of parent group - Usa la sequenza auto-type del gruppo genitore + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Imposta la sequenza auto-type + Set default Auto-Type se&quence + @@ -830,10 +1095,6 @@ Vuoi aprilo comunque? Select Image Seleziona immagine - - Can't delete icon! - Non puoi eliminare l'icona! - Error Errore @@ -850,10 +1111,6 @@ Vuoi aprilo comunque? Can't read icon Impossibile leggere l'icona - - Can't delete icon. Still used by %1 items. - Non puoi eliminare l'icona. Utilizzata da %1 voce. - &Use default icon &Usa icona predefinita @@ -862,6 +1119,14 @@ Vuoi aprilo comunque? Use custo&m icon Usa &icona personalizzata + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -933,6 +1198,11 @@ Vuoi aprilo comunque? URL URL + + Ref: + Reference abbreviation + + Group @@ -991,9 +1261,16 @@ Vuoi aprilo comunque? Ensure that the password contains characters from every group Verifica che la password contenga caratteri di ogni gruppo + + + KMessageWidget - Accept - Accetta + &Close + + + + Close message + @@ -1002,10 +1279,6 @@ Vuoi aprilo comunque? Import KeePass1 database Importa database KeePass1 - - Error - Errore - Unable to open the database. Impossibile aprire il database. @@ -1070,6 +1343,10 @@ This is a one-way migration. You won't be able to open the imported databas Puoi importarlo facendo clic su Database > 'Importa database KeePass 1'. Questa è una migrazione in una sola direzione. Non potrai aprire il database importato con la vecchia versione 0.4 di KeePassX. + + Unable to issue challenge-response. + + Main @@ -1081,13 +1358,17 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im KeePassXC - Error KeePassXC - Errore + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Database - Open database Apri database @@ -1120,10 +1401,6 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im Toggle window Cambia finestra - - Tools - Strumenti - KeePass 2 Database Database KeePass 2 @@ -1136,10 +1413,6 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im Save repaired database Salva il database riparato - - Error - Errore - Writing the database failed. Scrittura del database non riuscita. @@ -1232,14 +1505,26 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im &Database settings Impostazioni &Database - - &Import KeePass 1 database - &Importa database KeePass 1 - &Clone entry &Clona elemento + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Trova @@ -1292,6 +1577,46 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im Password Generator Generatore Password + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importa database KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1307,12 +1632,6 @@ Questa è una migrazione in una sola direzione. Non potrai aprire il database im Sh&ow a notification when credentials are requested M&ostra una notifica quando sono richeste le credenziali - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Schema URL -Solo le voci con lo stesso schema (http://, https://, ftp://, ...) sono selezionate - Sort matching entries by &username Ordina le voci trovate per &nome utente @@ -1321,10 +1640,6 @@ Solo le voci con lo stesso schema (http://, https://, ftp://, ...) sono selezion Re&move all stored permissions from entries in active database R&imuovi tutti i permessi presenti dalle voci nel database attivo - - Password generator - Generatore di password - Advanced Avanzate @@ -1341,10 +1656,6 @@ Solo le voci con lo stesso schema (http://, https://, ftp://, ...) sono selezion Searc&h in all opened databases for matching entries Cerc&a in tutti i database aperti per la ricerca delle voci - - Only the selected database has to be connected with a client! - Solo i database selezionati sono connessi con il client! - HTTP Port: Porta HTTP: @@ -1361,12 +1672,6 @@ Solo le voci con lo stesso schema (http://, https://, ftp://, ...) sono selezion Sort &matching entries by title Ordina le voci per &titolo - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Abilita il protocollo KeePassXC HTTP -Richiesto per accedere al tuo database da ChromeIPass o PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC rimarrà in ascolto su questa porta su 127.0.0.1 @@ -1380,20 +1685,10 @@ Richiesto per accedere al tuo database da ChromeIPass o PassIFox Using default port 19455. Non è possibile collegarsi a porte sotto la 1024! Utilizza la porta predefinita 19455. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Ritorna solo solo le voci più idonee alla URL invece -di tutte le voci del dominio R&emove all shared encryption keys from active database - R&imuovi tutte le chiavi di condivisione criptate dal database attivo - - - The following options can be dangerous. Change them only if you know what you are doing. - Le opzioni seguenti sono pericolose. Cambia solo se sai cosa stai facendo. + R&imuovi tutte le chiavi condivise di cifratura dal database attivo &Return advanced string fields which start with "KPH: " @@ -1401,7 +1696,44 @@ di tutte le voci del dominio Automatically creating or updating string fields is not supported. - Crea automaticamente o aggiorna i campi stringa non supportati. + La creazione o l'aggiornamento automatico dei campi stringa non è supportato. + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Generatore Password + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + @@ -1494,12 +1826,101 @@ di tutte le voci del dominio Excellent Eccellente + + Password + Password + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Gruppo + + + Title + Titolo + + + Username + Nome utente + + + Password + Password + + + URL + URL + + + Notes + Note + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1546,14 +1967,18 @@ di tutte le voci del dominio Search Cerca - - Find - Trova - Clear Pulisci + + Search... + + + + Limit search to selected group + + Service @@ -1660,6 +2085,10 @@ imposta un nome unico per identificarla ed accettarla. Security Sicurezza + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1687,10 +2116,6 @@ imposta un nome unico per identificarla ed accettarla. Global Auto-Type shortcut Scorciatoia Auto-Type globale - - Use entry title to match windows for global auto-type - Usa il titolo delle voci per trovare le finestre per l'auto-type globale - Language Lingua @@ -1703,10 +2128,6 @@ imposta un nome unico per identificarla ed accettarla. Hide window to system tray when minimized Nascondi la finestra nell'area di notifica del sistema quando viene minimizzata - - Remember last key files - Ricorda l'ultimo file chiave - Load previous databases on startup Carica i database precedenti all'avvio @@ -1723,6 +2144,30 @@ imposta un nome unico per identificarla ed accettarla. Minimize window at application startup Minimizza la finestra all'avvio della applicazione + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-Type + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1742,10 +2187,6 @@ imposta un nome unico per identificarla ed accettarla. Show passwords in cleartext by default Mostra la password in chiaro in maniera predefinita - - Always ask before performing auto-type - Chiedi sempre di di effettuare auto-type - Lock databases after minimizing the window Blocca il database dopo la minimizzazione della finestra @@ -1754,6 +2195,80 @@ imposta un nome unico per identificarla ed accettarla. Don't require password repeat when it is visible Non richiedere di ripetere la password quando è visibile + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sec + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1765,8 +2280,32 @@ imposta un nome unico per identificarla ed accettarla. WelcomeWidget - Welcome! - Benvenuto! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Database recenti @@ -1791,5 +2330,69 @@ imposta un nome unico per identificarla ed accettarla. filenames of the password databases to open (*.kdbx) i nomi dei file dei database delle password da aprire (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_ja.ts b/share/translations/keepassx_ja.ts index 182ed9948..c134fb923 100644 --- a/share/translations/keepassx_ja.ts +++ b/share/translations/keepassx_ja.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - KeePassX について + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXはGNU General Public License (GPL) version 2 または version 3 (どちらかを選択)の条件で配布されます。 + About + このソフトウェアについて - Revision - リビジョン + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - 利用中: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - 自動入力 - KeePassX - Couldn't find an entry that matches the window title: ウィンドウタイトルに一致するエントリーが見つかりませんでした: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - 自動入力 - KeePassX - Select entry to Auto-Type: 自動入力するエントリーを選択してください: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: パスワードを再入力: - - Key file - キーファイル - Browse 参照 @@ -93,10 +199,6 @@ Create Key File... キーファイルを作成... - - Error - エラー - Unable to create Key File : キーファイルを作成できませんでした: @@ -105,10 +207,6 @@ Select a key file キーファイルを選択 - - Question - 質問 - Do you really want to use an empty string as password? 本当に空のパスワード文字列で使いますか? @@ -117,16 +215,173 @@ Different passwords supplied. 異なるパスワードが入力されました。 - - Failed to set key file - キーファイルのセットに失敗しました - Failed to set %1 as the Key file: %2 %1 をキーファイルとしてセットできませんでした: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + エラー + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + エラー + + + Unable to calculate master key + マスターキーを計算できません + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse 参照 - - Error - エラー - Unable to open the database. データベースを開けませんでした。 @@ -170,6 +421,14 @@ Select key file キーファイルを選択 + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -226,10 +485,6 @@ You can now save it. Default username: ユーザー名の初期値: - - Use recycle bin: - ゴミ箱を使う: - MiB MiB @@ -246,6 +501,22 @@ You can now save it. Max. history size: 最大履歴データサイズ: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -265,10 +536,6 @@ You can now save it. Open database データベースを開く - - Warning - 警告 - File not found! ファイルが見つかりません! @@ -299,10 +566,6 @@ Save changes? "%1" は編集されています。 変更を保存しますか? - - Error - エラー - Writing the database failed. データベースが保存できませんでした。 @@ -319,12 +582,6 @@ Save changes? locked ロック済み - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - 開こうとしたデータベースは別のKeePassXプログラムからロックされています。 -とにかく開きますか? データベースを読み取り専用で開きます。 - Lock database データベースをロックする @@ -368,13 +625,42 @@ Discard changes and close anyway? CSVファイルの書き込みに失敗しました。 - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - 保存しようとしたデータベースは別のKeePassXプログラムからロックされています。 -とにかく保存しますか? + Unable to open the database. + データベースを開けませんでした。 - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -416,14 +702,6 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? グループ "%1" を完全に削除しますがよろしいですか? - - Current group - 現在のグループ - - - Error - エラー - Unable to calculate master key マスターキーを計算できませんでした @@ -436,6 +714,66 @@ Do you want to save it anyway? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -475,10 +813,6 @@ Do you want to save it anyway? Edit entry エントリーを編集 - - Error - エラー - Different passwords supplied. 異なるパスワードが入力されました。 @@ -521,6 +855,22 @@ Do you want to save it anyway? 1 year 1年 + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -532,10 +882,6 @@ Do you want to save it anyway? Add 追加 - - Edit - 編集 - Remove 削除 @@ -552,6 +898,18 @@ Do you want to save it anyway? Open 開く + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -559,14 +917,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry エントリーの自動入力を有効にする - - Inherit default Auto-Type sequence from the group - 自動入力手順をグループから引き継ぐ - - - Use custom Auto-Type sequence: - カスタムの自動入力手順を使う: - + + @@ -580,12 +930,24 @@ Do you want to save it anyway? ウインドウタイトル: - Use default sequence - デフォルトの手順を使う + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - カスタムの手順を入力: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -625,10 +987,6 @@ Do you want to save it anyway? Repeat: パスワード確認: - - Gen. - 生成 - URL: URL: @@ -700,28 +1058,20 @@ Do you want to save it anyway? 検索 - Auto-type + Auto-Type 自動入力 - Use default auto-type sequence of parent group - 親グループのデフォルトの自動入力手順を使う + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - デフォルトの自動入力手順をセット + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - デフォルトアイコンから選択 - - - Use custom icon - カスタムアイコンから選択 - Add custom icon カスタムアイコンを追加 @@ -743,19 +1093,35 @@ Do you want to save it anyway? 画像を選択 - Can't delete icon! - アイコンを削除できません! - - - Can't delete icon. Still used by %n item(s). - %n個のアイテムから使われているので、アイコンを削除できません。 + Error + エラー - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -778,6 +1144,13 @@ Do you want to save it anyway? UUID: + + Entry + + - Clone + + + EntryAttributesModel @@ -822,6 +1195,11 @@ Do you want to save it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -830,16 +1208,74 @@ Do you want to save it anyway? ゴミ箱 + + HttpPasswordGeneratorWidget + + Length: + 文字数: + + + Character Types + 文字種 + + + Upper Case Letters + 大文字 + + + A-Z + + + + Lower Case Letters + 小文字 + + + a-z + + + + Numbers + 数字 + + + 0-9 + + + + Special Characters + 特殊な文字 + + + /*_& ... + + + + Exclude look-alike characters + よく似た文字を除外する + + + Ensure that the password contains characters from every group + 使用する文字種の文字が必ず含まれるようにする + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database KeePass1 データベースをインポートする - - Error - エラー - Unable to open the database. データベースを開けませんでした。 @@ -873,7 +1309,7 @@ Do you want to save it anyway? Wrong key or database file is corrupt. - + キーが間違っているかデータベースファイルが破損しています。 @@ -904,6 +1340,10 @@ This is a one-way migration. You won't be able to open the imported databas データベース > 'KeePass 1 データベースをインポート' をクリックすることでインポートできます。 これは一方向の移行操作であり、インポートされたデータベースは古い KeePassX 0.4 のバージョンでは開くことはできません。 + + Unable to issue challenge-response. + + Main @@ -912,112 +1352,28 @@ This is a one-way migration. You won't be able to open the imported databas 暗号化機能のテスト中に致命的なエラーが発生しました。 - KeePassX - Error - KeePassX - エラー + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - データベース - - - Recent databases - 最近使ったデータベース - - - Help - ヘルプ - - - Entries - エントリー - - - Copy attribute to clipboard - クリップボードにコピーする - - - Groups - グループ - - - View - 表示 - - - Quit - 終了 - - - About - このソフトウェアについて - Open database データベースを開く - - Save database - データベースを保存 - - - Close database - データベースを閉じる - - - New database - 新規データベース - - - Add new entry - 新規エントリーの追加 - - - View/Edit entry - エントリーの表示/編集 - - - Delete entry - エントリーの削除 - - - Add new group - 新規グループの追加 - - - Edit group - グループの編集 - - - Delete group - グループの削除 - - - Save database as - ファイル名をつけてデータベースを保存 - - - Change master key - マスターキーを変更 - Database settings データベースの設定 - - Import KeePass 1 database - KeePass1 データベースをインポートする - - - Clone entry - エントリーの複製 - - - Find - 検索 - Copy username to clipboard ユーザー名をコピー @@ -1030,30 +1386,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings 設定 - - Perform Auto-Type - 自動入力の実行 - - - Open URL - URLを開く - - - Lock databases - データベースをロック - - - Title - タイトル - - - URL - URL - - - Notes - メモ - Show toolbar ツールバーを表示 @@ -1066,26 +1398,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window ウィンドウ切替 - - Tools - ツール - - - Copy username - ユーザ名をコピー - - - Copy password - パスワードをコピー - - - Export to CSV file - CSVファイルへエクスポート - - - Repair database - データベースを修復する - KeePass 2 Database KeePass 2 データベース @@ -1098,14 +1410,327 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database 修復されたデータベースを保存する - - Error - エラー - Writing the database failed. データベースの書き込みに失敗しました。 + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + KeePass1 データベースをインポートする + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + 一般 + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + 詳細設定 + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1113,10 +1738,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: パスワード: - - Length: - 文字数: - Character Types 文字種 @@ -1141,71 +1762,161 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters よく似た文字を除外する - - Ensure that the password contains characters from every group - 使用する文字種の文字が必ず含まれるようにする - Accept 適用 - - - QCommandLineParser - Displays version information. - バージョン情報を表示する。 + %p% + - Displays this help. - このヘルプを表示する。 + strength + - Unknown option '%1'. - '%1' は不明なオプションです。 + entropy + - Unknown options: %1. - %1 は不明なオプションです。 + &Length: + - Missing value after '%1'. - '%1' の後に値が見つかりません。 + Pick characters from every group + - Unexpected value after '%1'. - '%1' の後に予期しない値があります。 + Generate + - [options] - [オプション] + Close + - Usage: %1 - 使い方: %1 + Apply + - Options: - オプション: + Entropy: %1 bit + - Arguments: - 引数: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + パスワード + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - 存在するファイル %1 は書き込みできません + NULL device + - Writing canceled by application - アプリケーションにより書き込みがキャンセルされました + error reading from device + - Partial write. Partition full? - 一部しか書き込めませんでした。パーティションがいっぱいかも? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + グループ + + + Title + タイトル + + + Username + ユーザー名 + + + Password + パスワード + + + URL + URL + + + Notes + メモ + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1245,20 +1956,111 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - 検索: + Case Sensitive + - Case sensitive - 大文字と小文字を区別 + Search + 検索 - Current group - 現在のグループ + Clear + - Root group - 全て + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1275,6 +2077,10 @@ This is a one-way migration. You won't be able to open the imported databas Security セキュリティ + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1282,10 +2088,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases 最近使用したデータベースを記憶する - - Open previous databases on startup - KeePassX起動時に前回使用したデータベースを開く - Automatically save on exit 終了時に自動的に保存する @@ -1306,10 +2108,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut 全体の自動入力ショートカット - - Use entry title to match windows for global auto-type - グローバル自動入力の際に、エントリーのタイトルとウィンドウのマッチングを行う - Language 言語 @@ -1323,15 +2121,43 @@ This is a one-way migration. You won't be able to open the imported databas 最小化された際にシステムトレイへ格納する - Remember last key files - 最後のキーファイルを記憶 - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + 自動入力 + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1354,8 +2180,86 @@ This is a one-way migration. You won't be able to open the imported databas パスワードはデフォルトで平文表示にする - Always ask before performing auto-type - 自動入力の実行前に常に確認する + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1368,20 +2272,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - ようこそ! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + 最近使ったデータベース main - - KeePassX - cross-platform password manager - KeePassX - クロスプラットフォーム パスワードマネージャー - - - filename of the password database to open (*.kdbx) - 開くパスワードデータベースのファイル名 (*.kdbx) - path to a custom config file カスタム設定ファイルへのパス @@ -1390,5 +2310,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database データベースのキーファイル + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_kk.ts b/share/translations/keepassx_kk.ts new file mode 100644 index 000000000..0ceda8971 --- /dev/null +++ b/share/translations/keepassx_kk.ts @@ -0,0 +1,2390 @@ + + + AboutDialog + + About KeePassXC + + + + About + + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + + + + + AutoType + + Couldn't find an entry that matches the window title: + Терезе атауына сай келетін жазбаны табу мүмкін емес: + + + Auto-Type - KeePassXC + + + + + AutoTypeAssociationsModel + + Window + Терезе + + + Sequence + Тізбек + + + Default sequence + Үнсіз келісім тізбегі + + + + AutoTypeSelectDialog + + Select entry to Auto-Type: + Автотеру үшін жазбаны таңдаңыз: + + + Auto-Type - KeePassXC + + + + + ChangeMasterKeyWidget + + Password + Пароль + + + Enter password: + Парольді енгізіңіз: + + + Repeat password: + Парольді қайталаңыз: + + + Browse + Шолу + + + Create + Жасау + + + Key files + Кілттер файлдары + + + All files + Барлық файлдар + + + Create Key File... + Кілттер файлын жасау... + + + Unable to create Key File : + Кілттер файлын жасау мүмкін емес: + + + Select a key file + Кілттер файлын таңдаңыз + + + Do you really want to use an empty string as password? + Пароль ретінде бос жолды қолдануды шынымен қалайсыз ба? + + + Different passwords supplied. + Әр түрлі парольдер көрсетілді. + + + Failed to set %1 as the Key file: +%2 + %1 файлын кілттер файлы ретінде орнату қатесі: +%2 + + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Қате + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Қате + + + Unable to calculate master key + Басты парольді есептеу мүмкін емес + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + + + + DatabaseOpenWidget + + Enter master key + Басты парольді енгізіңіз: + + + Key File: + Кілттер файлы: + + + Password: + Пароль: + + + Browse + Шолу + + + Unable to open the database. + Дерекқорды ашу мүмкін емес. + + + Can't open key file + Кілттер файлын ашу мүмкін емес + + + All files + Барлық файлдар + + + Key files + Кілттер файлдары + + + Select key file + Кілттер файлын таңдаңыз + + + Refresh + + + + Challenge Response: + + + + + DatabaseRepairWidget + + Repair database + Дерекқорды жөндеу + + + Error + Қате + + + Can't open key file + Кілттер файлын ашу мүмкін емес + + + Database opened fine. Nothing to do. + Дерекқор сәтті ашылды. Басқа орындайтын әрекеттер жоқ. + + + Unable to open the database. + Дерекқорды ашу мүмкін емес. + + + Success + Сәтті + + + The database has been successfully repaired +You can now save it. + Дерекқор қалпына сәтті келтірілді. +Енді оны сақтауыңызға болады. + + + Unable to repair the database. + Дерекқорды жөндеу мүмкін емес. + + + + DatabaseSettingsWidget + + Database name: + Дерекқор аты: + + + Database description: + Дерекқор сипаттамасы: + + + Transform rounds: + Түрлендірулер саны: + + + Default username: + Үнсіз келісім пайдаланушы аты: + + + MiB + МиБ + + + Benchmark + Сынау + + + Max. history items: + Макс. тарих саны: + + + Max. history size: + Макс. тарих өлшемі: + + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + + + + DatabaseTabWidget + + Root + Түбір + + + KeePass 2 Database + KeePass 2 дерекқоры + + + All files + Барлық файлдар + + + Open database + Дерекқорды ашу + + + File not found! + Файл табылмады! + + + Open KeePass 1 database + KeePass 1 дерекқорын ашу + + + KeePass 1 database + KeePass 1 дерекқоры + + + All files (*) + Барлық файлдар (*) + + + Close? + Жабу керек пе? + + + Save changes? + Өзгерістерді сақтау керек пе? + + + "%1" was modified. +Save changes? + "%1" өзгертілген. +Өзгерістерді сақтау керек пе? + + + Writing the database failed. + Дерекқорға жазу сәтсіз аяқталды. + + + Save database as + Дерекқорды қалайша сақтау + + + New database + Жаңа дерекқор + + + locked + блокталған + + + Lock database + Дерекқорды блоктау + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Дерекқорды блоктау мүмкін емес, өйткені сіз оны қазір түзетудесіз. +Өзгерістерді аяқтау үшін бас тартуды басыңыз, немесе оларды елемеңіз. + + + This database has never been saved. +You can save the database or stop locking it. + Дерекқор ешқашан сақталмаған. +Сіз дерекқорды сақтай аласыз, немесе оның блокауын алып тастай аласыз. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + Дерекқор өзгертілген. +Оны блоктау алдында өзгерістерді сақтау керек пе? +Сақтамасаңыз, өзгерістер жоғалады. + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1" қазір түзету режимінде. +Оған қарамастан, өзгерістерді елемей, оны жабу керек пе? + + + Export database to CSV file + Дерекқорды CSV файлына экспорттау + + + CSV file + CSV файлы + + + Writing the CSV file failed. + CSV файлына жазу сәтсіз аяқталды. + + + Unable to open the database. + Дерекқорды ашу мүмкін емес. + + + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file + + + + + DatabaseWidget + + Change master key + Басты парольді өзгерту + + + Delete entry? + Жазбаны өшіру керек пе? + + + Do you really want to delete the entry "%1" for good? + "%1" жазбасын өшіруді шынымен қалайсыз ба? + + + Delete entries? + Жазбаларды өшіру керек пе? + + + Do you really want to delete %1 entries for good? + %1 жазбаны өшіруді шынымен қалайсыз ба? + + + Move entries to recycle bin? + Жазбаларды қоқыс шелегіне тастау керек пе? + + + Do you really want to move %n entry(s) to the recycle bin? + %n жазбаны қоқыс шелегіне тастауды шынымен қалайсыз ба? + + + Delete group? + Топты өшіру керек пе? + + + Do you really want to delete the group "%1" for good? + "%1" тобын өшіруді шынымен қалайсыз ба? + + + Unable to calculate master key + Басты парольді есептеу мүмкін емес + + + Move entry to recycle bin? + Жазбаны қоқыс шелегіне тастау керек пе? + + + Do you really want to move entry "%1" to the recycle bin? + "%1" жазбасын қоқыс шелегіне тастауды шынымен қалайсыз ба? + + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + + + + EditEntryWidget + + Entry + Жазба + + + Advanced + Кеңейтілген + + + Icon + Таңбаша + + + Auto-Type + Автотеру + + + Properties + Қасиеттері + + + History + Тарихы + + + Entry history + Жазба тарихы + + + Add entry + Жазбаны қосу + + + Edit entry + Жазбаны түзету + + + Different passwords supplied. + Әр түрлі парольдер көрсетілді. + + + New attribute + Жаңа атрибут + + + Select file + Файлды таңдау + + + Unable to open file + Файлды ашу мүмкін емес + + + Save attachment + Салынымды сақтау + + + Unable to save the attachment: + + Салынымды сақтау мүмкін емес: + + + + Tomorrow + Ертең + + + %n week(s) + %n апта + + + %n month(s) + %n ай + + + 1 year + 1 жыл + + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + + + + EditEntryWidgetAdvanced + + Additional attributes + Қосымша атрибуттар + + + Add + Қосу + + + Remove + Өшіру + + + Attachments + Салынымдар + + + Save + Сақтау + + + Open + Ашу + + + Edit Name + + + + Protect + + + + Reveal + + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Бұл жазба үшін автотеруді іске қосу + + + + + + + + + - + - + + + Window title: + Терезе атауы: + + + Inherit default Auto-Type sequence from the &group + + + + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + + + + + EditEntryWidgetHistory + + Show + Көрсету + + + Restore + Қалпына келтіру + + + Delete + Өшіру + + + Delete all + Барлығын өшіру + + + + EditEntryWidgetMain + + Title: + Атауы: + + + Username: + Пайдаланушы аты: + + + Password: + Пароль: + + + Repeat: + Қайталау: + + + URL: + URL: + + + Expires + Мерзімі аяқталады + + + Presets + Сақталған баптаулар + + + Notes: + Естеліктер: + + + + EditGroupWidget + + Group + Топ + + + Icon + Таңбаша + + + Properties + Қасиеттері + + + Add group + Топты қосу + + + Edit group + Топты түзету + + + Enable + Іске қосу + + + Disable + Сөндіру + + + Inherit from parent group (%1) + Аталық топтан мұралау (%1) + + + + EditGroupWidgetMain + + Name + Аты + + + Notes + Естеліктер + + + Expires + Мерзімі аяқталады + + + Search + Іздеу + + + Auto-Type + Автотеру + + + &Use default Auto-Type sequence of parent group + + + + Set default Auto-Type se&quence + + + + + EditWidgetIcons + + Add custom icon + Таңдауыңызша таңбашаны қосу + + + Delete custom icon + Таңдауыңызша таңбашаны өшіру + + + Images + Суреттер + + + All files + Барлық файлдар + + + Select Image + Суретті таңдау + + + Error + Қате + + + Download favicon + + + + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + + + + EditWidgetProperties + + Created: + Жасалған: + + + Modified: + Өзгертілген: + + + Accessed: + Қатынаған: + + + Uuid: + Uuid: + + + + Entry + + - Clone + + + + + EntryAttributesModel + + Name + Аты + + + + EntryHistoryModel + + Last modified + Соңғы өзгертілген + + + Title + Атауы + + + Username + Пайдаланушы аты + + + URL + URL + + + + EntryModel + + Group + Топ + + + Title + Атауы + + + Username + Пайдаланушы аты + + + URL + URL + + + Ref: + Reference abbreviation + + + + + Group + + Recycle Bin + Қоқыс шелегі + + + + HttpPasswordGeneratorWidget + + Length: + + + + Character Types + Таңбалар түрлері + + + Upper Case Letters + Бас әріптер + + + A-Z + + + + Lower Case Letters + Кіші әріптер + + + a-z + + + + Numbers + Сандар + + + 0-9 + + + + Special Characters + Арнайы таңбалар + + + /*_& ... + + + + Exclude look-alike characters + Ұқсайтын таңбаларға жол бермеу + + + Ensure that the password contains characters from every group + + + + + KMessageWidget + + &Close + + + + Close message + + + + + KeePass1OpenWidget + + Import KeePass1 database + KeePass1 дерекқорын импорттау + + + Unable to open the database. + Дерекқорды ашу мүмкін емес. + + + + KeePass1Reader + + Unable to read keyfile. + Кілттер файлын оқу мүмкін емес. + + + Not a KeePass database. + KeePass дерекқоры емес. + + + Unsupported encryption algorithm. + Шифрлеу алгоритміне қолдау жоқ. + + + Unsupported KeePass database version. + KeePass дерекқоры нұсқасына қолдау жоқ. + + + Root + Түбір + + + Unable to calculate master key + Басты парольді есептеу мүмкін емес + + + Wrong key or database file is corrupt. + Пароль қате, немесе дерекқор файлы зақымдалған. + + + + KeePass2Reader + + Not a KeePass database. + KeePass дерекқоры емес. + + + Unsupported KeePass database version. + KeePass дерекқоры нұсқасына қолдау жоқ. + + + Wrong key or database file is corrupt. + Пароль қате, немесе дерекқор файлы зақымдалған. + + + Unable to calculate master key + Басты парольді есептеу мүмкін емес + + + 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. + Таңдалған файл ескі KeePass 1 дерекқоры (.kdb) болып табылады. + +Оны Дерекқор > 'KeePass 1 дерекқорын импорттау' арқылы импорттай аласыз. +Бұл - бір жақты миграция. Одан кейін сіз импортталған дерекқорды ескі KeePassX 0.4 нұсқасымен аша алмайтын боласыз. + + + Unable to issue challenge-response. + + + + + Main + + Fatal error while testing the cryptographic functions. + Криптографиялық функцияларды сынау кезіндегі қатаң қате орын алды. + + + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + + + + MainWindow + + Open database + Дерекқорды ашу + + + Database settings + Дерекқор баптаулары + + + Copy username to clipboard + Пайдаланушы атын алмасу буферіне көшіріп алу + + + Copy password to clipboard + Парольді алмасу буферіне көшіріп алу + + + Settings + Баптаулар + + + Show toolbar + Саймандар панелін көрсету + + + read-only + тек оқу + + + Toggle window + Терезені көрсету/жасыру + + + KeePass 2 Database + KeePass 2 дерекқоры + + + All files + Барлық файлдар + + + Save repaired database + Жөнделген дерекқорды сақтау + + + Writing the database failed. + Дерекқорды жазу сәтсіз аяқталды. + + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Жалпы + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Кеңейтілген + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + + + + PasswordGeneratorWidget + + Password: + Пароль: + + + Character Types + Таңбалар түрлері + + + Upper Case Letters + Бас әріптер + + + Lower Case Letters + Кіші әріптер + + + Numbers + Сандар + + + Special Characters + Арнайы таңбалар + + + Exclude look-alike characters + Ұқсайтын таңбаларға жол бермеу + + + Accept + Қабылдау + + + %p% + + + + strength + + + + entropy + + + + &Length: + + + + Pick characters from every group + + + + Generate + + + + Close + + + + Apply + + + + Entropy: %1 bit + + + + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Пароль + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + + + + QObject + + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Топ + + + Title + Атауы + + + Username + Пайдаланушы аты + + + Password + Пароль + + + URL + URL + + + Notes + Естеліктер + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + + + + + QtIOCompressor + + Internal zlib error when compressing: + Сығу кезінде zlib ішкі қатесі орын алған: + + + Error writing to underlying device: + Астындағы құрылғыға жазу қатесі: + + + Error opening underlying device: + Астындағы құрылғыны ашу қатесі: + + + Error reading data from underlying device: + Астындағы құрылғыдан деректерді оқу қатесі: + + + Internal zlib error when decompressing: + Тарқату кезінде zlib ішкі қатесі орын алған: + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + zlib-тің бұл нұсқасы gzip пішімін қолдамайды. + + + Internal zlib error: + Ішкі zlib қатесі: + + + + SearchWidget + + Case Sensitive + + + + Search + Іздеу + + + Clear + + + + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + + + + + SettingsWidget + + Application Settings + Қолданба баптаулары + + + General + Жалпы + + + Security + Қауіпсіздік + + + Access error for config file %1 + + + + + SettingsWidgetGeneral + + Remember last databases + Соңғы дерекқорларды есте сақтау: + + + Automatically save on exit + Шығу кезінде автосақтау + + + Automatically save after every change + Әр өзгерістен кейін автосақтау + + + Minimize when copying to clipboard + Алмасу буферіне көшіру кезінде қолданбаны қайыру + + + Use group icon on entry creation + Жазбаны жасау кезінде топ таңбашасын қолдану + + + Global Auto-Type shortcut + Глобалды автотеру жарлығы + + + Language + Тіл + + + Show a system tray icon + Жүйелік трей таңбашасын қолдану + + + Hide window to system tray when minimized + Қолданба қайырылған кезде терезені жүйелік трейге жасыру + + + Load previous databases on startup + + + + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Автотеру + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + + + + SettingsWidgetSecurity + + Clear clipboard after + Алмасу буферін тазалау алдындағы кідіріс + + + sec + сек + + + Lock databases after inactivity of + Дерекқорларды белсенділік жоқ кезде блоктау алдындағы кідіріс + + + Show passwords in cleartext by default + Парольдерді үнсіз келісім бойынша ашық мәтінмен көрсету + + + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + сек + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + + + + UnlockDatabaseWidget + + Unlock database + Дерекқорды блоктаудан босату + + + + WelcomeWidget + + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + + + + + main + + path to a custom config file + таңдауыңызша баптаулар файлына дейінгі жол + + + key file of the database + дерекқордың кілттер файлы + + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + + + \ No newline at end of file diff --git a/share/translations/keepassx_ko.ts b/share/translations/keepassx_ko.ts index 208c92a09..f89dc32db 100644 --- a/share/translations/keepassx_ko.ts +++ b/share/translations/keepassx_ko.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - KeePassX 정보 + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX는 GNU General Public License(GPL) 버전 2 혹은 버전 3(선택적)으로 배포됩니다. + About + 정보 - Revision - 리비전 + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - 사용: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - 자동 입력 - KeePassX - Couldn't find an entry that matches the window title: 창 제목과 일치하는 항목을 찾을 수 없습니다: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - 자동 입력 - KeePassX - Select entry to Auto-Type: 자동으로 입력할 항목 선택: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: 암호 확인: - - Key file - 키 파일 - Browse 찾아보기 @@ -93,10 +199,6 @@ Create Key File... 키 파일 만들기... - - Error - 오류 - Unable to create Key File : 키 파일을 만들 수 없습니다: @@ -105,10 +207,6 @@ Select a key file 키 파일 선택 - - Question - 질문 - Do you really want to use an empty string as password? 빈 문자열을 암호로 사용하시겠습니까? @@ -117,15 +215,172 @@ Different passwords supplied. 다른 암호를 입력하였습니다. - - Failed to set key file - 키 파일을 설정할 수 없음 - Failed to set %1 as the Key file: %2 %1을(를) 키 파일로 설정할 수 없습니다: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + 오류 + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + 오류 + + + Unable to calculate master key + 마스터 키를 계산할 수 없습니다 + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -145,10 +400,6 @@ Browse 찾아보기 - - Error - 오류 - Unable to open the database. 데이터베이스를 열 수 없습니다. @@ -169,6 +420,14 @@ Select key file 키 파일 선택 + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -225,10 +484,6 @@ You can now save it. Default username: 기본 사용자 이름: - - Use recycle bin: - 휴지통 사용: - MiB MiB @@ -245,6 +500,22 @@ You can now save it. Max. history size: 최대 과거 항목 크기: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -264,10 +535,6 @@ You can now save it. Open database 데이터베이스 열기 - - Warning - 경고 - File not found! 파일을 찾을 수 없습니다! @@ -297,10 +564,6 @@ You can now save it. Save changes? "%1"이(가) 변경되었습니다. 저장하시겠습니까? - - Error - 오류 - Writing the database failed. 데이터베이스에 쓸 수 없습니다. @@ -317,12 +580,6 @@ Save changes? locked 잠김 - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - 열려고 하는 데이터베이스를 다른 KeePassX 인스턴스에서 잠갔습니다. -그래도 여시겠습니까? 읽기 전용으로 열 수도 있습니다. - Lock database 데이터베이스 잠금 @@ -366,13 +623,42 @@ Discard changes and close anyway? CSV 파일에 기록할 수 없습니다. - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - 저장하려고 하는 데이터베이스를 다른 KeePassX 인스턴스에서 잠갔습니다. -그래도 저장하시겠습니까? + Unable to open the database. + 데이터베이스를 열 수 없습니다. - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -414,14 +700,6 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? 정말 그룹 "%1"을(를) 삭제하시겠습니까? - - Current group - 현재 그룹 - - - Error - 오류 - Unable to calculate master key 마스터 키를 계산할 수 없음 @@ -434,6 +712,66 @@ Do you want to save it anyway? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -473,10 +811,6 @@ Do you want to save it anyway? Edit entry 항목 편집 - - Error - 오류 - Different passwords supplied. 다른 암호를 입력하였습니다. @@ -518,6 +852,22 @@ Do you want to save it anyway? 1 year 1년 + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -529,10 +879,6 @@ Do you want to save it anyway? Add 추가 - - Edit - 편집 - Remove 삭제 @@ -549,6 +895,18 @@ Do you want to save it anyway? Open 열기 + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -556,14 +914,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry 이 항목 자동 입력 사용 - - Inherit default Auto-Type sequence from the group - 그룹의 기본 자동 입력 시퀀스 사용 - - - Use custom Auto-Type sequence: - 사용자 정의 자동 입력 시퀀스 사용: - + + @@ -577,12 +927,24 @@ Do you want to save it anyway? 창 제목: - Use default sequence - 기본 시퀀스 사용 + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - 사용자 정의 시퀀스 설정: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -622,10 +984,6 @@ Do you want to save it anyway? Repeat: 암호 확인: - - Gen. - 생성 - URL: URL: @@ -697,28 +1055,20 @@ Do you want to save it anyway? 찾기 - Auto-type + Auto-Type 자동 입력 - Use default auto-type sequence of parent group - 부모 그룹의 기본 자동 입력 시퀀스 사용 + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - 기본 자동 입력 시퀀스 설정 + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - 기본 아이콘 사용 - - - Use custom icon - 사용자 정의 아이콘 사용 - Add custom icon 사용자 정의 아이콘 추가 @@ -740,19 +1090,35 @@ Do you want to save it anyway? 그림 선택 - Can't delete icon! - 아이콘을 삭제할 수 없습니다! - - - Can't delete icon. Still used by %n item(s). - 아이콘을 삭제할 수 없습니다. 항목 %n개에서 사용 중입니다. + Error + 오류 - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -775,6 +1141,13 @@ Do you want to save it anyway? UUID: + + Entry + + - Clone + + + EntryAttributesModel @@ -819,6 +1192,11 @@ Do you want to save it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -827,16 +1205,74 @@ Do you want to save it anyway? 휴지통 + + HttpPasswordGeneratorWidget + + Length: + 길이: + + + Character Types + 문자 종류 + + + Upper Case Letters + 대문자 + + + A-Z + + + + Lower Case Letters + 소문자 + + + a-z + + + + Numbers + 숫자 + + + 0-9 + + + + Special Characters + 특수 문자 + + + /*_& ... + + + + Exclude look-alike characters + 비슷하게 생긴 문자 제외 + + + Ensure that the password contains characters from every group + 모든 그룹에서 최소 1글자 이상 포함 + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database KeePass1 데이터베이스 가져오기 - - Error - 오류 - Unable to open the database. 데이터베이스를 열 수 없습니다. @@ -870,7 +1306,7 @@ Do you want to save it anyway? Wrong key or database file is corrupt. - + 키가 잘못되었거나 데이터베이스가 손상되었습니다. @@ -901,6 +1337,10 @@ This is a one-way migration. You won't be able to open the imported databas 데이터베이스 > 'KeePass 1 데이터베이스 가져오기' 항목을 선택해서 변환해야 합니다. 변환은 한 방향으로만 이루어지며, 가져온 데이터베이스는 KeePassX 0.4 버전으로 더 이상 열 수 없습니다. + + Unable to issue challenge-response. + + Main @@ -909,112 +1349,28 @@ This is a one-way migration. You won't be able to open the imported databas 암호화 함수를 시험하는 중 오류가 발생하였습니다. - KeePassX - Error - KeePassX - 오류 + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - 데이터베이스 - - - Recent databases - 최근 데이터베이스 - - - Help - 도움말 - - - Entries - 항목 - - - Copy attribute to clipboard - 클립보드에 속성 복사 - - - Groups - 그룹 - - - View - 보기 - - - Quit - 끝내기 - - - About - 정보 - Open database 데이터베이스 열기 - - Save database - 데이터베이스 저장 - - - Close database - 데이터베이스 닫기 - - - New database - 새 데이터베이스 - - - Add new entry - 새 항목 추가 - - - View/Edit entry - 항목 보기/편집 - - - Delete entry - 항목 삭제 - - - Add new group - 새 그룹 추가 - - - Edit group - 그룹 편집 - - - Delete group - 그룹 삭제 - - - Save database as - 다른 이름으로 데이터베이스 저장 - - - Change master key - 마스터 키 변경 - Database settings 데이터베이스 설정 - - Import KeePass 1 database - KeePass 1 데이터베이스 가져오기 - - - Clone entry - 항목 복제 - - - Find - 찾기 - Copy username to clipboard 클립보드에 사용자 이름 복사 @@ -1027,30 +1383,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings 설정 - - Perform Auto-Type - 자동 입력 실행 - - - Open URL - URL 열기 - - - Lock databases - 데이터베이스 잠금 - - - Title - 제목 - - - URL - URL - - - Notes - 메모 - Show toolbar 도구 모음 보이기 @@ -1063,26 +1395,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window 창 전환 - - Tools - 도구 - - - Copy username - 사용자 이름 복사 - - - Copy password - 암호 복사 - - - Export to CSV file - CSV 파일로 내보내기 - - - Repair database - 데이터베이스 복구 - KeePass 2 Database KeePass 2 데이터베이스 @@ -1095,14 +1407,327 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database 복구한 데이터베이스 저장 - - Error - 오류 - Writing the database failed. 데이터베이스에 쓸 수 없습니다. + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + KeePass 1 데이터베이스 가져오기 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + 일반 + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + 고급 + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1110,10 +1735,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: 암호: - - Length: - 길이: - Character Types 문자 종류 @@ -1138,71 +1759,161 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters 비슷하게 생긴 문자 제외 - - Ensure that the password contains characters from every group - 모든 그룹에서 최소 1글자 이상 포함 - Accept 사용 - - - QCommandLineParser - Displays version information. - 버전 정보를 표시합니다. + %p% + - Displays this help. - 이 도움말을 표시합니다. + strength + - Unknown option '%1'. - 알 수 없는 옵션 '%1'. + entropy + - Unknown options: %1. - 알 수 없는 옵션 '%1'. + &Length: + - Missing value after '%1'. - '%1' 다음에 값이 없습니다. + Pick characters from every group + - Unexpected value after '%1'. - '%1' 다음에 예상하지 못한 값이 왔습니다. + Generate + - [options] - [옵션] + Close + - Usage: %1 - 사용 방법: %1 + Apply + - Options: - 옵션: + Entropy: %1 bit + - Arguments: - 인자: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + 암호 + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - 존재하는 파일 %1에 기록할 수 없음 + NULL device + - Writing canceled by application - 프로그램에서 쓰기 작업 취소함 + error reading from device + - Partial write. Partition full? - 일부분만 기록되었습니다. 파티션이 가득 찼습니까? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + 그룹 + + + Title + 제목 + + + Username + 사용자 이름 + + + Password + 암호 + + + URL + URL + + + Notes + 메모 + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1242,20 +1953,111 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - 찾기: + Case Sensitive + - Case sensitive - 대소문자 구분 + Search + 찾기 - Current group - 현재 그룹 + Clear + - Root group - 루트 그룹 + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1272,6 +2074,10 @@ This is a one-way migration. You won't be able to open the imported databas Security 보안 + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1279,10 +2085,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases 마지막 데이터베이스 기억 - - Open previous databases on startup - 시작할 때 이전 데이터베이스 열기 - Automatically save on exit 끝낼 때 자동 저장 @@ -1303,10 +2105,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut 전역 자동 입력 단축키 - - Use entry title to match windows for global auto-type - 전역 자동 입력 시 항목 제목과 일치하는 창 찾기 - Language 언어 @@ -1320,15 +2118,43 @@ This is a one-way migration. You won't be able to open the imported databas 시스템 트레이로 최소화 - Remember last key files - 마지막 키 파일 기억 - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + 자동 입력 + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1351,8 +2177,86 @@ This is a one-way migration. You won't be able to open the imported databas 기본값으로 암호를 평문으로 표시 - Always ask before performing auto-type - 자동으로 입력하기 전에 항상 묻기 + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1365,20 +2269,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - 환영합니다! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + 최근 데이터베이스 main - - KeePassX - cross-platform password manager - KeePassX - 크로스 플랫폼 암호 관리자 - - - filename of the password database to open (*.kdbx) - 열 암호 데이터베이스 파일 이름 (*.kdbx) - path to a custom config file 사용자 정의 설정 파일 경로 @@ -1387,5 +2307,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database 데이터베이스 키 파일 + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_lt.ts b/share/translations/keepassx_lt.ts index 152dad900..a0836e035 100644 --- a/share/translations/keepassx_lt.ts +++ b/share/translations/keepassx_lt.ts @@ -1,27 +1,108 @@ AboutDialog - - Revision - Poversijis - - - Using: - Naudojama: - About KeePassXC Apie KeePassXC - Extensions: + About + Apie + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + Derinimo informacija + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + Kopijuoti į iškarpinę + + + Version %1 - Plėtiniai: + Versija %1 - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC yra platinama GNU Bendrosios Viešosios Licencijos (GPL) versijos 2 arba (jūsų pasirinkimu) versijos 3 sąlygomis. + Revision: %1 + Poversijis: %1 + + + Libraries: + Bibliotekos: + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +201,6 @@ Pasirinkite, ar norite leisti prieigą. Create Key File... Sukurti rakto failą... - - Error - Klaida - Unable to create Key File : Nepavyko sukurti rakto failo : @@ -132,10 +209,6 @@ Pasirinkite, ar norite leisti prieigą. Select a key file Pasirinkite rakto failą - - Question - Klausimas - Do you really want to use an empty string as password? Ar tikrai norite naudoti tuščią eilutę kaip slaptažodį? @@ -144,10 +217,6 @@ Pasirinkite, ar norite leisti prieigą. Different passwords supplied. Pateikti skirtingi slaptažodžiai. - - Failed to set key file - Nepavyko nustatyti rakto failo - Failed to set %1 as the Key file: %2 @@ -158,6 +227,163 @@ Pasirinkite, ar norite leisti prieigą. &Key file &Rakto failas + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Klaida + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Klaida + + + Unable to calculate master key + Nepavyko apskaičiuoti pagrindinio rakto + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +403,6 @@ Pasirinkite, ar norite leisti prieigą. Browse Naršyti - - Error - Klaida - Unable to open the database. Nepavyko atverti duomenų bazės. @@ -201,6 +423,14 @@ Pasirinkite, ar norite leisti prieigą. Select key file Pasirinkite rakto failą + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +507,18 @@ Dabar galite ją įrašyti. Use recycle bin Naudoti šiukšlinę + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +538,6 @@ Dabar galite ją įrašyti. Open database Atverti duomenų bazę - - Warning - Įspėjimas - File not found! Failas nerastas! @@ -330,10 +568,6 @@ Save changes? "%1" buvo pakeista. Įrašyti pakeitimus? - - Error - Klaida - Writing the database failed. Duomenų bazės rašymas nepavyko. @@ -425,6 +659,14 @@ Ar vis tiek norite ją atverti? Open read-only Atverti tik skaitymui + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -464,10 +706,6 @@ Ar vis tiek norite ją atverti? Do you really want to delete the group "%1" for good? Ar tikrai norite ištrinti grupę "%1"? - - Error - Klaida - Unable to calculate master key Nepavyko apskaičiuoti pagrindinio rakto @@ -528,14 +766,18 @@ Ar vis tiek norite ją atverti? The database file has changed and you have unsaved changes.Do you want to merge your changes? Duomenų bazės failas pasikeitė ir jūs turite neįrašytų pakeitimų. Ar norite sulieti savo pakeitimus? - - Autoreload Failed - Automatinis įkėlimas iš naujo nepavyko - Could not open the new database file while attempting to autoreload this database. Nepavyko atverti naujos duomenų bazės failo, bandant automatiškai iš naujo įkelti šią duomenų bazę. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -575,10 +817,6 @@ Ar vis tiek norite ją atverti? Edit entry Keisti įrašą - - Error - Klaida - Different passwords supplied. Pateikti skirtingi slaptažodžiai. @@ -621,6 +859,22 @@ Ar vis tiek norite ją atverti? 1 year 1 metai + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -632,10 +886,6 @@ Ar vis tiek norite ją atverti? Add Pridėti - - Edit - Keisti - Remove Šalinti @@ -652,6 +902,18 @@ Ar vis tiek norite ją atverti? Open Atverti + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -687,6 +949,10 @@ Ar vis tiek norite ją atverti? Set custo&m sequence: Nustatyti tinkintą s&eką: + + Window Associations + + EditEntryWidgetHistory @@ -796,16 +1062,16 @@ Ar vis tiek norite ją atverti? Paieška - Auto-type + Auto-Type Automatinis rinkimas - Use default auto-type sequence of parent group - Naudoti numatytąją pirminės grupės automatinio rinkimo seką + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Nustatyti numatytąją automatinio rinkimo seką + Set default Auto-Type se&quence + @@ -830,10 +1096,6 @@ Ar vis tiek norite ją atverti? Select Image Pasirinkite paveikslą - - Can't delete icon! - Nepavyksta ištrinti piktogramos! - Error Klaida @@ -850,10 +1112,6 @@ Ar vis tiek norite ją atverti? Can't read icon Nepavyksta perskaityti piktogramos - - Can't delete icon. Still used by %1 items. - Nepavyksta ištrinti piktogramos. Vis dar naudojama %1 elementų. - &Use default icon Na&udoti numatytąją piktogramą @@ -862,6 +1120,14 @@ Ar vis tiek norite ją atverti? Use custo&m icon Naudoti tinkintą piktogra&mą + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -933,6 +1199,11 @@ Ar vis tiek norite ją atverti? URL URL + + Ref: + Reference abbreviation + + Group @@ -991,9 +1262,16 @@ Ar vis tiek norite ją atverti? Ensure that the password contains characters from every group Užtikrinti, kad slaptažodyje būtų simboliai iš kiekvienos grupės + + + KMessageWidget - Accept - Priimti + &Close + + + + Close message + @@ -1002,10 +1280,6 @@ Ar vis tiek norite ją atverti? Import KeePass1 database Importuoti KeePass1 duomenų bazę - - Error - Klaida - Unable to open the database. Nepavyko atverti duomenų bazės. @@ -1070,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Jūs galite ją importuoti, nuspausdami Duomenų bazė > "Importuoti KeePass 1 duomenų bazę". Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų bazės, naudodami senąją KeePassX 0.4 versija. + + Unable to issue challenge-response. + + Main @@ -1081,13 +1359,17 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų KeePassXC - Error KeePassXC - Klaida + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Duomenų bazė - Open database Atverti duomenų bazę @@ -1120,10 +1402,6 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų Toggle window Perjungti langą - - Tools - Įrankiai - KeePass 2 Database KeePass 2 duomenų bazė @@ -1136,10 +1414,6 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų Save repaired database Įrašyti pataisytą duomenų bazę - - Error - Klaida - Writing the database failed. Duomenų bazės rašymas nepavyko. @@ -1232,14 +1506,26 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų &Database settings &Duomenų bazės nustatymai - - &Import KeePass 1 database - &Importuoti KeePass 1 duomenų bazę - &Clone entry &Dublikuoti įrašą + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Rasti @@ -1292,6 +1578,46 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų Password Generator Slaptažodžių generatorius + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importuoti KeePass 1 duomenų bazę + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1307,12 +1633,6 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų Sh&ow a notification when credentials are requested R&odyti pranešimą, kai reikalaujama prisijungimo duomenų - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Atitikti URL schemas -Bus grąžinami įrašai tik su ta pačia schema (http://, https://, ftp://, ...) - Sort matching entries by &username Rikiuoti atitinkančius įrašus pagal na&udotojo vardą @@ -1321,10 +1641,6 @@ Bus grąžinami įrašai tik su ta pačia schema (http://, https://, ftp://, ... Re&move all stored permissions from entries in active database Šal&inti iš įrašų aktyvioje duomenų bazėje visus saugomus leidimus - - Password generator - Slaptažodžių generatorius - Advanced Išplėstiniai @@ -1341,10 +1657,6 @@ Bus grąžinami įrašai tik su ta pačia schema (http://, https://, ftp://, ... Searc&h in all opened databases for matching entries Ieš&koti atitinkančių įrašų visose atvertose duomenų bazėse - - Only the selected database has to be connected with a client! - Su klientu turi būti sujungta tik pasirinkta duomenų bazė! - HTTP Port: HTTP prievadas: @@ -1361,12 +1673,6 @@ Bus grąžinami įrašai tik su ta pačia schema (http://, https://, ftp://, ... Sort &matching entries by title Rikiuoti atitinkančius įrašus pagal &antraštę - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Įjungti KeepassXC HTTP protokolą -Tai reikalinga, norint prie savo duomenų bazių gauti prieigą iš ChromeIPass ar PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC klausysis šio prievado ties 127.0.0.1 @@ -1380,21 +1686,11 @@ Tai reikalinga, norint prie savo duomenų bazių gauti prieigą iš ChromeIPass Using default port 19455. Nepavyksta susieti su privilegijuotais prievadais žemiau 1024! Naudojamas numatytasis prievadas 19455. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Vietoj visų įrašų, skirtų visai sričiai, -grąžinti tik geriausiai atitinkančius įrašus, skirtus URL R&emove all shared encryption keys from active database Ša&linti iš aktyvios duomenų bazės visus bendrinamus šifravimo raktus - - The following options can be dangerous. Change them only if you know what you are doing. - Šios parinktys gali būti pavojingos. Keiskite jas tik tuo atveju, jeigu žinote ką darote! - &Return advanced string fields which start with "KPH: " &Grąžinti išplėstines eilutes, kurios prasideda "KPH: " @@ -1403,6 +1699,43 @@ grąžinti tik geriausiai atitinkančius įrašus, skirtus URL Automatically creating or updating string fields is not supported. Automatinis eilutės laukų kūrimas ar atnaujinimas nėra palaikomas. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Slaptažodžių generatorius + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1494,12 +1827,101 @@ grąžinti tik geriausiai atitinkančius įrašus, skirtus URL Excellent Puikus + + Password + Slaptažodis + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupė + + + Title + Antraštė + + + Username + Naudotojo vardas + + + Password + Slaptažodis + + + URL + URL + + + Notes + Pastabos + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1546,14 +1968,18 @@ grąžinti tik geriausiai atitinkančius įrašus, skirtus URL Search Paieška - - Find - Rasti - Clear Išvalyti + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2087,10 @@ ir priimtumėte jį. Security Saugumas + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2118,6 @@ ir priimtumėte jį. Global Auto-Type shortcut Visuotinis automatinio rinkimo spartusis klavišas - - Use entry title to match windows for global auto-type - Naudoti įrašo antraštę, norint sutapatinti langus visuotiniam automatiniam rinkimui - Language Kalba @@ -1704,10 +2130,6 @@ ir priimtumėte jį. Hide window to system tray when minimized Suskleidus langą, slėpti jį į sistemos dėklą - - Remember last key files - Prisiminti paskutinius rakto failus - Load previous databases on startup Paleidžiant programą, įkelti ankstesnes duomenų bazes @@ -1724,6 +2146,30 @@ ir priimtumėte jį. Minimize window at application startup Paleidus programą, suskleisti langą + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Automatinis rinkimas + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2189,6 @@ ir priimtumėte jį. Show passwords in cleartext by default Pagal numatymą, rodyti slaptažodžius atviruoju tekstu - - Always ask before performing auto-type - Visuomet klausti prieš atliekant automatinį rinkimą - Lock databases after minimizing the window Suskleidus langą, užrakinti duomenų bazes @@ -1755,6 +2197,80 @@ ir priimtumėte jį. Don't require password repeat when it is visible Nereikalauti pakartoti slaptažodį, kai šis yra matomas + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sek. + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2282,32 @@ ir priimtumėte jį. WelcomeWidget - Welcome! - Sveiki atvykę! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Paskiausios duomenų bazės @@ -1792,5 +2332,69 @@ ir priimtumėte jį. filenames of the password databases to open (*.kdbx) norimų atverti slaptažodžių duomenų bazių failų pavadinimai (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_nl_NL.ts b/share/translations/keepassx_nl_NL.ts index 33c4e6245..b15ff0a6a 100644 --- a/share/translations/keepassx_nl_NL.ts +++ b/share/translations/keepassx_nl_NL.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revisie - - - Using: - Maakt gebruik van: - About KeePassXC Over KeePassXC - Extensions: - - Extensies: - + About + Over - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC wordt verspreid onder de voorwaarden van de GNU General Public License (GPL) versie 2 of (als u wenst) versie 3. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Geef aan of u toegang wilt toestaan of niet. Create Key File... Sleutelbestand creëren... - - Error - Fout - Unable to create Key File : Het creëren van het sleutelbestand is mislukt: @@ -132,10 +208,6 @@ Geef aan of u toegang wilt toestaan of niet. Select a key file Kies een sleutelbestand - - Question - Vraag - Do you really want to use an empty string as password? Weet u zeker dat u een leeg veld als wachtwoord wilt gebruiken? @@ -144,10 +216,6 @@ Geef aan of u toegang wilt toestaan of niet. Different passwords supplied. U heeft verschillende wachtwoorden opgegeven. - - Failed to set key file - Het instellen van het sleutelbestand is mislukt - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Geef aan of u toegang wilt toestaan of niet. &Key file &Sleutelbestand + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Fout + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Fout + + + Unable to calculate master key + Niet mogelijk om hoofdsleutel te berekenen + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Geef aan of u toegang wilt toestaan of niet. Browse Bladeren - - Error - Fout - Unable to open the database. Niet mogelijk om de database te openen. @@ -201,6 +422,14 @@ Geef aan of u toegang wilt toestaan of niet. Select key file Kies sleutelbestand + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ U kunt deze nu opslaan. Use recycle bin Prullenbak gebruiken + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ U kunt deze nu opslaan. Open database Database openen - - Warning - Waarschuwing - File not found! Bestand niet gevonden! @@ -330,10 +567,6 @@ Save changes? "%1" is gewijzigd. Opslaan? - - Error - Fout - Writing the database failed. Het opslaan van de database is mislukt. @@ -425,6 +658,14 @@ Wilt u toch doorgaan met openen? Open read-only Openen als alleen-lezen + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -464,10 +705,6 @@ Wilt u toch doorgaan met openen? Do you really want to delete the group "%1" for good? Weet u zeker dat u de groep "%1" wilt verwijderen? - - Error - Fout - Unable to calculate master key Niet mogelijk om hoofdsleutel te berekenen @@ -528,14 +765,18 @@ Wilt u toch doorgaan met openen? The database file has changed and you have unsaved changes.Do you want to merge your changes? Het database-bestand is gewijzigd en u heeft niet-opgeslagen wijzigingen. Wilt u uw wijzigingen samenvoegen? - - Autoreload Failed - Automatisch herladen mislukt - Could not open the new database file while attempting to autoreload this database. De nieuwe database kan niet worden geopend tijdens het automatisch herladen van deze database. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -575,10 +816,6 @@ Wilt u toch doorgaan met openen? Edit entry Element wijzigen - - Error - Fout - Different passwords supplied. Verschillende wachtwoorden opgegeven. @@ -621,6 +858,22 @@ Wilt u toch doorgaan met openen? 1 year 1 jaar + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -632,10 +885,6 @@ Wilt u toch doorgaan met openen? Add Toevoegen - - Edit - Wijzigen - Remove Verwijderen @@ -652,6 +901,18 @@ Wilt u toch doorgaan met openen? Open Open + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -687,6 +948,10 @@ Wilt u toch doorgaan met openen? Set custo&m sequence: Stel aangepaste volgorde in: + + Window Associations + + EditEntryWidgetHistory @@ -796,16 +1061,16 @@ Wilt u toch doorgaan met openen? Zoeken - Auto-type - Auto-typen + Auto-Type + Auto-typen - KeePassX - Use default auto-type sequence of parent group - Gebruik standaard auto-typevolgorde van bovenliggende groep + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Stel standaard auto-typevolgorde in + Set default Auto-Type se&quence + @@ -830,10 +1095,6 @@ Wilt u toch doorgaan met openen? Select Image Kies afbeelding - - Can't delete icon! - Kan icoon niet verwijderen! - Error Fout @@ -850,10 +1111,6 @@ Wilt u toch doorgaan met openen? Can't read icon Kan icoon niet lezen - - Can't delete icon. Still used by %1 items. - Kan icoon niet verwijderen. Het wordt nog gebruikt door %1 elementen. - &Use default icon &Gebruik standaardicoon @@ -862,6 +1119,14 @@ Wilt u toch doorgaan met openen? Use custo&m icon Gebruik aangepast icoon + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -933,6 +1198,11 @@ Wilt u toch doorgaan met openen? URL URL + + Ref: + Reference abbreviation + + Group @@ -991,9 +1261,16 @@ Wilt u toch doorgaan met openen? Ensure that the password contains characters from every group Zorg ervoor dat het wachtwoord tekens uit iedere groep bevat + + + KMessageWidget - Accept - Accepteren + &Close + + + + Close message + @@ -1002,10 +1279,6 @@ Wilt u toch doorgaan met openen? Import KeePass1 database Importeer Keepass 1-database - - Error - Fout - Unable to open the database. Niet mogelijk om de database te openen. @@ -1070,6 +1343,10 @@ This is a one-way migration. You won't be able to open the imported databas U kunt het importeren door te klikken op Database > 'KeePass 1 database importeren'. Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen met KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -1081,13 +1358,17 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen KeePassXC - Error KeePassX - Fout + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Database - Open database Open database @@ -1120,10 +1401,6 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen Toggle window Wissel venster - - Tools - Hulpmiddelen - KeePass 2 Database KeePass 2 Database @@ -1136,10 +1413,6 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen Save repaired database Gerepareerde database opslaan - - Error - Fout - Writing the database failed. Opslaan van de database is mislukt. @@ -1232,14 +1505,26 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen &Database settings &Database-instellingen - - &Import KeePass 1 database - &Importeer KeePass 1-database - &Clone entry &Kloon item + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Zoeken @@ -1292,6 +1577,46 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen Password Generator Wachtwoord generator + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importeer Keepass 1-database + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1307,12 +1632,6 @@ Deze actie is niet omkeerbaar. U kunt de geimporteerde database niet meer openen Sh&ow a notification when credentials are requested Toon een notificatie wanneer inloggegevens worden aangevraagd - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Gebruik URL-velden -Alleen items met hetzelfde schema (http://, https://, ftp://) worden gegeven. - Sort matching entries by &username Sorteer gegeven items op $gebruikersnaam @@ -1321,10 +1640,6 @@ Alleen items met hetzelfde schema (http://, https://, ftp://) worden gegeven.Re&move all stored permissions from entries in active database Verwijder alle opgeslagen permissies van items uit de actieve database - - Password generator - Wachtwoord generator - Advanced Geavanceerd @@ -1341,10 +1656,6 @@ Alleen items met hetzelfde schema (http://, https://, ftp://) worden gegeven.Searc&h in all opened databases for matching entries Zoek in alle geopende databases naar overeenkomende items - - Only the selected database has to be connected with a client! - Alleen de geselecteerde database heeft een verbinding nodig met een client! - HTTP Port: HTTP-poort: @@ -1361,12 +1672,6 @@ Alleen items met hetzelfde schema (http://, https://, ftp://) worden gegeven.Sort &matching entries by title Sorteer &overeenkomende items op titel - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Schakel het KeePassXC HTTP-protocol in -Dit is vereist om databases vanuit ChromeIPass of PassIFox te bereiken. - KeePassXC will listen to this port on 127.0.0.1 KeePassXC zal op deze poort op 127.0.0.1 luisteren @@ -1380,21 +1685,11 @@ Dit is vereist om databases vanuit ChromeIPass of PassIFox te bereiken. Kan niet binden naar bevoorrechte poorten onder 1024! Standaardpoort 19455 wordt gebruikt. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Geef alleen de meest overeenkomende items voor een URL -in plaats van alle items voor het gehele domein R&emove all shared encryption keys from active database Verwijder alle gedeelde encryptiesleutels uit de actieve database - - The following options can be dangerous. Change them only if you know what you are doing. - De volgende opties kunnen gevaarlijk zijn. Verander deze dus alleen als je weet wat je doet. - &Return advanced string fields which start with "KPH: " &Geef geadvanceerde tekenreeks velden terug die met "KH: " beginnen. @@ -1403,6 +1698,43 @@ in plaats van alle items voor het gehele domein Automatically creating or updating string fields is not supported. Het automatisch aanmaken of wijzigen van tekenreeks velden wordt niet ondersteund. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Wachtwoord generator + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1494,12 +1826,101 @@ in plaats van alle items voor het gehele domein Excellent Uitstekend + + Password + Wachtwoord + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - HTTP + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Groep + + + Title + Titel + + + Username + Gebruikersnaam + + + Password + Wachtwoord + + + URL + URL + + + Notes + Opmerkingen + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1546,14 +1967,18 @@ in plaats van alle items voor het gehele domein Search Zoeken - - Find - Zoek - Clear Wissen + + Search... + + + + Limit search to selected group + + Service @@ -1659,6 +2084,10 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Security Beveiliging + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1686,10 +2115,6 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Global Auto-Type shortcut Globale sneltoets voor auto-typen - - Use entry title to match windows for global auto-type - Gebruik titel van item als vensternaam voor auto-typen - Language Taal @@ -1702,10 +2127,6 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Hide window to system tray when minimized Bij minimaliseren enkel icoon in systray tonen - - Remember last key files - Onthoud laatste sleutelbestanden - Load previous databases on startup Open vorige databases bij starten @@ -1722,6 +2143,30 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Minimize window at application startup Scherm minimaliseren bij het opstarten + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-typen - KeePassX + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1741,10 +2186,6 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Show passwords in cleartext by default Laat wachtwoorden standaard zien - - Always ask before performing auto-type - Altijd vragen alvorens auto-type uit te voeren - Lock databases after minimizing the window Vergrendel databases na het minimaliseren van het scherm @@ -1753,6 +2194,80 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de Don't require password repeat when it is visible Herhalen van wachtwoord niet vereisen als deze zichtbaar is + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sec + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1764,8 +2279,32 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de WelcomeWidget - Welcome! - Welkom! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Recente databases @@ -1790,5 +2329,69 @@ Geef het een unieke identificerende naam en accepteer de associate wanneer je de filenames of the password databases to open (*.kdbx) bestandsnamen van de te openen wachtwoorddatabases (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_pl.ts b/share/translations/keepassx_pl.ts index ba964d96a..2462b1304 100644 --- a/share/translations/keepassx_pl.ts +++ b/share/translations/keepassx_pl.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Rewizja - - - Using: - Używa: - About KeePassXC O KeePassXC - Extensions: - - Rozszerzenia: - + About + O - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC jest dystrybuowany zgodnie z warunkami licencji GNU General Public License (GPL) w wersji 2 lub (opcjonalnie) w wersji 3. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Wybierz, czy chcesz zezwolić na dostęp. Create Key File... Utwórz plik klucza - - Error - Błąd - Unable to create Key File : Nie można utworzyć pliku klucza : @@ -132,10 +208,6 @@ Wybierz, czy chcesz zezwolić na dostęp. Select a key file Wybierz plik z kluczem - - Question - Pytanie - Do you really want to use an empty string as password? Czy naprawdę chcesz użyć pusty ciąg znaków jako hasło ? @@ -144,10 +216,6 @@ Wybierz, czy chcesz zezwolić na dostęp. Different passwords supplied. Podano różne hasła. - - Failed to set key file - Nie udało się ustawić pliku klucza - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Wybierz, czy chcesz zezwolić na dostęp. &Key file &Plik klucza + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Błąd + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Błąd + + + Unable to calculate master key + Nie mogę wyliczyć głównego klucza + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Wybierz, czy chcesz zezwolić na dostęp. Browse Przeglądaj - - Error - Błąd - Unable to open the database. Nie można otworzyć bazy kluczy. @@ -201,6 +422,14 @@ Wybierz, czy chcesz zezwolić na dostęp. Select key file Wybierz plik z kluczem + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Możesz teraz ją już zapisać. Use recycle bin Użyj kosza: + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Możesz teraz ją już zapisać. Open database Otwórz bazę danych - - Warning - Ostrzeżenie - File not found! Nie znaleziono pliku! @@ -330,10 +567,6 @@ Save changes? "%1" został zmieniony. Zapisać zmiany? - - Error - Błąd - Writing the database failed. Błąd w zapisywaniu bazy kluczy. @@ -426,6 +659,14 @@ Czy chcesz ją otworzyć mimo to? Open read-only Otwórz tylko do odczytu + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -465,10 +706,6 @@ Czy chcesz ją otworzyć mimo to? Do you really want to delete the group "%1" for good? Czy na pewno całkowicie usunąć grupę "%1"? - - Error - Błąd - Unable to calculate master key Nie mogę wyliczyć głównego klucza @@ -529,14 +766,18 @@ Czy chcesz ją otworzyć mimo to? The database file has changed and you have unsaved changes.Do you want to merge your changes? Plik bazy danych został zmieniony, a masz niezapisane zmiany. Czy chcesz połączyć twoje zmiany? - - Autoreload Failed - Nieudane automatyczne przeładowanie - Could not open the new database file while attempting to autoreload this database. Nie można otworzyć nowego pliku bazy danych podczas próby automatycznego przeładowania tej bazy. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -576,10 +817,6 @@ Czy chcesz ją otworzyć mimo to? Edit entry Edycja wpisu - - Error - Błąd - Different passwords supplied. Podano różne hasła. @@ -622,6 +859,22 @@ Czy chcesz ją otworzyć mimo to? 1 year 1 rok + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -633,10 +886,6 @@ Czy chcesz ją otworzyć mimo to? Add Dodaj - - Edit - Edytuj - Remove Usuń @@ -653,6 +902,18 @@ Czy chcesz ją otworzyć mimo to? Open Otwórz + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -688,6 +949,10 @@ Czy chcesz ją otworzyć mimo to? Set custo&m sequence: Ustaw niest&andardową sekwencję: + + Window Associations + + EditEntryWidgetHistory @@ -797,16 +1062,16 @@ Czy chcesz ją otworzyć mimo to? Szukaj - Auto-type + Auto-Type Auto-uzupełnianie - Use default auto-type sequence of parent group - Korzystaj z domyślnej sekwencji auto-uzupełniania z nadrzędnej grupy + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Ustaw domyślną sekwencję auto-uzupełniania + Set default Auto-Type se&quence + @@ -831,10 +1096,6 @@ Czy chcesz ją otworzyć mimo to? Select Image Wybierz obraz - - Can't delete icon! - Nie można usunąć ikony! - Error Błąd @@ -851,10 +1112,6 @@ Czy chcesz ją otworzyć mimo to? Can't read icon Nie można odczytać ikony - - Can't delete icon. Still used by %1 items. - Nie można usunąć ikony. Nadal używana przez %1 wpisów. - &Use default icon &Użyj ikony domyślnej @@ -863,6 +1120,14 @@ Czy chcesz ją otworzyć mimo to? Use custo&m icon Użyj niesta&ndardowej ikony + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -934,6 +1199,11 @@ Czy chcesz ją otworzyć mimo to? URL URL + + Ref: + Reference abbreviation + + Group @@ -992,9 +1262,16 @@ Czy chcesz ją otworzyć mimo to? Ensure that the password contains characters from every group Zapewnij, że hasło będzie zawierało znaki ze wszystkich grup + + + KMessageWidget - Accept - Zaakceptuj + &Close + + + + Close message + @@ -1003,10 +1280,6 @@ Czy chcesz ją otworzyć mimo to? Import KeePass1 database Importuj bazę danych KeePass1 - - Error - Błąd - Unable to open the database. Nie można otworzyć bazy kluczy. @@ -1071,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Możesz zaimportować ją przez wybranie Baza > 'Importuj bazę danych KeePass 1'. Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -1082,13 +1359,17 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.KeePassXC - Error KeePassXC - Błąd + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Baza danych - Open database Otwórz bazę danych @@ -1121,10 +1402,6 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.Toggle window Pokaż/ukryj okno - - Tools - Narzędzia - KeePass 2 Database Baza KeePass 2 @@ -1137,10 +1414,6 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.Save repaired database Zapisz naprawioną bazę - - Error - Błąd - Writing the database failed. Błąd przy zapisie bazy. @@ -1163,11 +1436,11 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4. &Groups - %Grupy + &Grupy &View - Wi%dok + Wi&dok &Quit @@ -1233,14 +1506,26 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.&Database settings Ustawienia bazy &danych - - &Import KeePass 1 database - I&mportuj bazę danych KeePass 1 - &Clone entry &Sklonuj wpis + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Znajdź @@ -1293,6 +1578,46 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.Password Generator Generator hasła + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importuj bazę danych KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1308,12 +1633,6 @@ Nie będzie można skonwertować nowej bazy do starego programu KeePassX 0.4.Sh&ow a notification when credentials are requested P&okaż powiadomienie, gdy wymagane są poświadczenia - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Dopasuj schematy URL -Tylko wpisy z tym samym schematem (http://, https://, ftp://, ...) są zwracane - Sort matching entries by &username Sortuj dopasowane wpisy według &użytkownika @@ -1322,10 +1641,6 @@ Tylko wpisy z tym samym schematem (http://, https://, ftp://, ...) są zwracane< Re&move all stored permissions from entries in active database U&suń wszystkie przechowywane uprawnienia z wpisów w aktywnej bazie danych - - Password generator - Generator hasła - Advanced Zaawansowane @@ -1342,10 +1657,6 @@ Tylko wpisy z tym samym schematem (http://, https://, ftp://, ...) są zwracane< Searc&h in all opened databases for matching entries Szuk&aj we wszystkich otwartych bazach dopasowanych wpisów - - Only the selected database has to be connected with a client! - Tylko wybrana baza danych musi być podłączona do klienta! - HTTP Port: Port HTTP: @@ -1362,12 +1673,6 @@ Tylko wpisy z tym samym schematem (http://, https://, ftp://, ...) są zwracane< Sort &matching entries by title Sortuj dopasowane wpisy według &tytułu - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Włącz protokół HTTP KeepassXC -Jest to wymagane dla dostępu do twoich baz danych z ChromeIPass albo PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC będzie nasłuchiwać ten port na 127.0.0.1 @@ -1381,21 +1686,11 @@ Jest to wymagane dla dostępu do twoich baz danych z ChromeIPass albo PassIFox Nie można powiązać do uprzywilejowanych portów poniżej 1024! Używam domyślnego portu 19455. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Zwracaj tylko najlepsze dopasowania wpisów dla URL zamiast -wszystkich wpisów całej domeny R&emove all shared encryption keys from active database U&suń wszystkie współdzielone klucze szyfrujące z aktywnej bazy danych - - The following options can be dangerous. Change them only if you know what you are doing. - Poniższe opcje mogą być niebezpieczne. Zmieniaj je tylko wtedy, gdy wiesz, co robisz. - &Return advanced string fields which start with "KPH: " &Zwracaj zaawansowane pola ciągów znaków, które zaczynają się od "KPH: " @@ -1404,6 +1699,43 @@ wszystkich wpisów całej domeny Automatically creating or updating string fields is not supported. Automatyczne tworzenie albo aktualizowanie pól ciągów znaków nie jest obsługiwane. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Generator hasła + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1453,7 +1785,7 @@ wszystkich wpisów całej domeny &Length: - %Długość: + &Długość: Pick characters from every group @@ -1495,12 +1827,101 @@ wszystkich wpisów całej domeny Excellent Znakomita + + Password + Hasło + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - HTTP + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupa + + + Title + Tytuł + + + Username + Użytkownik + + + Password + Hasło + + + URL + URL + + + Notes + Notatki + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1547,14 +1968,18 @@ wszystkich wpisów całej domeny Search Szukaj - - Find - Znajdź - Clear Wyczyść + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2086,10 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Security Bezpieczeństwo + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Global Auto-Type shortcut Globalny skrót auto-uzupełnianie - - Use entry title to match windows for global auto-type - Wykorzystaj tytuł wpisu do dopasowania okien dla globalnego auto-wpisywania - Language Język @@ -1704,10 +2129,6 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Hide window to system tray when minimized Schowaj okno do zasobnika podczas minimalizacji - - Remember last key files - Zapamiętaj ostatnie pliki klucza - Load previous databases on startup Załaduj poprzednie bazy danych podczas uruchomienia @@ -1724,6 +2145,30 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Minimize window at application startup Minimalizuj okno podczas uruchomienia aplikacji + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-uzupełnianie + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2188,6 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Show passwords in cleartext by default Domyślnie pokazuj hasła - - Always ask before performing auto-type - Zawsze pytaj przed wykonaniem auto-uzupełninia - Lock databases after minimizing the window Zablokuj bazę danych po zminimalizowaniu okna @@ -1755,6 +2196,80 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. Don't require password repeat when it is visible Nie wymagaj powtarzania hasła, gdy jest widoczne + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + s + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2281,32 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. WelcomeWidget - Welcome! - Witaj! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Niedawne bazy danych @@ -1792,5 +2331,69 @@ nadaj unikatową nazwę do zidentyfikowania i zaakceptuj. filenames of the password databases to open (*.kdbx) nazwy plików baz danych haseł do otwarcia (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_pt_BR.ts b/share/translations/keepassx_pt_BR.ts index 16bb4a32e..a8b33de98 100644 --- a/share/translations/keepassx_pt_BR.ts +++ b/share/translations/keepassx_pt_BR.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revisão - - - Using: - Usando: - About KeePassXC Sobre KeePassXC - Extensions: - - Extensões: - + About + Sobre - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC é distribuído nos termos da Licença Pública Geral (GPL), versão 2 ou (à sua escolha) versão 3, do GNU. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Selecione se deseja permitir o acesso. Create Key File... Criar Arquivo-Chave... - - Error - Erro - Unable to create Key File : Não foi possível criar o Arquivo-Chave : @@ -132,10 +208,6 @@ Selecione se deseja permitir o acesso. Select a key file Escolha um arquivo-chave - - Question - Pergunta - Do you really want to use an empty string as password? Você realmente quer usar uma sequência vazia como senha? @@ -144,10 +216,6 @@ Selecione se deseja permitir o acesso. Different passwords supplied. Senhas diferentes fornecidas. - - Failed to set key file - Falha ao definir arquivo-chave - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Selecione se deseja permitir o acesso. &Key file &Arquivo-Chave + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Erro + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Erro + + + Unable to calculate master key + Não foi possível calcular a chave mestre + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Selecione se deseja permitir o acesso. Browse Navegar - - Error - Erro - Unable to open the database. Não foi possível abrir o banco de dados. @@ -201,6 +422,14 @@ Selecione se deseja permitir o acesso. Select key file Escolha o arquivo-chave + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Você pode salvá-lo agora. Use recycle bin Usar lixeira + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Você pode salvá-lo agora. Open database Abrir banco de dados - - Warning - Aviso - File not found! Arquivo não localizado! @@ -330,10 +567,6 @@ Save changes? "%1" foi modificado. Salvar alterações? - - Error - Erro - Writing the database failed. Escrever no banco de dados falhou. @@ -426,6 +659,14 @@ Mesmo assim deseja salvá-la? Open read-only Abrir somente leitura + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -465,10 +706,6 @@ Mesmo assim deseja salvá-la? Do you really want to delete the group "%1" for good? Você realmente quer apagar o grupo "%1" para sempre? - - Error - Erro - Unable to calculate master key Não foi possível calcular chave mestra @@ -529,14 +766,18 @@ Mesmo assim deseja salvá-la? 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 gravadas. Deseja juntar as suas alterações? - - Autoreload Failed - Carregamento Automático Falhou - Could not open the new database file while attempting to autoreload this database. Não foi possível abrir a nova base de dados ao tentar recarregar automaticamente essa base de dados. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -576,10 +817,6 @@ Mesmo assim deseja salvá-la? Edit entry Editar entrada - - Error - Erro - Different passwords supplied. Senhas diferentes fornecidas. @@ -622,6 +859,22 @@ Mesmo assim deseja salvá-la? 1 year 1 ano + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -633,10 +886,6 @@ Mesmo assim deseja salvá-la? Add Adicionar - - Edit - Editar - Remove Remover @@ -653,6 +902,18 @@ Mesmo assim deseja salvá-la? Open Abrir + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -688,6 +949,10 @@ Mesmo assim deseja salvá-la? Set custo&m sequence: Definir sequência &personalizada: + + Window Associations + + EditEntryWidgetHistory @@ -797,16 +1062,16 @@ Mesmo assim deseja salvá-la? Buscar - Auto-type - Auto-digitar + Auto-Type + Auto-Digitação - Use default auto-type sequence of parent group - Usar sequência de auto-digitação padrão do grupo pai + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Definir sequência auto-digitação padrão + Set default Auto-Type se&quence + @@ -831,10 +1096,6 @@ Mesmo assim deseja salvá-la? Select Image Selecionar imagem - - Can't delete icon! - Não é possível apagar o ícone! - Error Erro @@ -851,10 +1112,6 @@ Mesmo assim deseja salvá-la? Can't read icon Não foi possível ler ícone - - Can't delete icon. Still used by %1 items. - Não é possível apagar ícone. Ainda usado por %1 itens. - &Use default icon &Usar ícone padrão @@ -863,6 +1120,14 @@ Mesmo assim deseja salvá-la? Use custo&m icon Usar ícone &personalizado + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -934,6 +1199,11 @@ Mesmo assim deseja salvá-la? URL URL + + Ref: + Reference abbreviation + + Group @@ -992,9 +1262,16 @@ Mesmo assim deseja salvá-la? Ensure that the password contains characters from every group Verificar se a senha contém caracteres de todos os grupos + + + KMessageWidget - Accept - Aceitar + &Close + + + + Close message + @@ -1003,10 +1280,6 @@ Mesmo assim deseja salvá-la? Import KeePass1 database Importar banco de dados KeePass1 - - Error - Erro - Unable to open the database. Não foi possível abrir o banco de dados. @@ -1071,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Você pode importá-lo clicando em Banco de Dados > 'Importar banco de dados KeePass 1'. Esta é uma migração de uma via. Você não poderá abrir o banco de dados importado com a versão antiga do KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -1082,13 +1359,17 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp KeePassXC - Error KeePassXC - Erro + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Banco de Dados - Open database Abrir banco de dados @@ -1121,10 +1402,6 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp Toggle window Alternar Janela - - Tools - Ferramentas - KeePass 2 Database Banco de dados Keepass 2 @@ -1137,10 +1414,6 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp Save repaired database Salvar banco de dados reparado - - Error - Erro - Writing the database failed. Escrita do banco de dados falhou. @@ -1233,14 +1506,26 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp &Database settings &Definições da base de dados - - &Import KeePass 1 database - &Importar base de dados KeePass 1 - &Clone entry &Clonar entrada + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Encontrar @@ -1293,6 +1578,46 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp Password Generator Gerador de Senha + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importar banco de dados KeePass1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1308,12 +1633,6 @@ Esta é uma migração de uma via. Você não poderá abrir o banco de dados imp Sh&ow a notification when credentials are requested M&ostrar uma notificação quando as credenciais forem solicitadas - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Esquemas de URL coincidentes -Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostradas - Sort matching entries by &username Ordenar entradas coincidentes por nome de &usuário @@ -1322,10 +1641,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Re&move all stored permissions from entries in active database R&emover todas as permissões armazenadas de entradas na base de dados ativa - - Password generator - Gerador de senha - Advanced Avançado @@ -1342,10 +1657,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Searc&h in all opened databases for matching entries Procurar em todas as base de dados abertas por entradas semel&hantes - - Only the selected database has to be connected with a client! - Somente a base de dados selecionada tem que ser conectada com um cliente! - HTTP Port: Porta HTTP: @@ -1362,12 +1673,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Sort &matching entries by title Ordenar &entradas por título - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Habilitar o protocolo KeepassXC HTTP -Isso é necessário para acessar os seus bancos de dados usando o ChromeIPass ou PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC irá escutar esta porta em 127.0.0.1 @@ -1381,21 +1686,11 @@ Isso é necessário para acessar os seus bancos de dados usando o ChromeIPass ou Using default port 19455. Não é possível ligar a portas privilegiadas abaixo de 1024! Usando porta padrão 19455. - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Mostrar apenas as melhores entradas correspondentes para um URL em vez de -todas as entradas para o domínio completo R&emove all shared encryption keys from active database R&emover todas as chaves criptografadas compartilhadas da base de dados ativa - - The following options can be dangerous. Change them only if you know what you are doing. - As configurações abaixo podem ser perigosas. Altere-as somente se souber o que está fazendo. - &Return advanced string fields which start with "KPH: " &Mostrar também campos avançados que começam com "KPH: " @@ -1404,6 +1699,43 @@ todas as entradas para o domínio completo Automatically creating or updating string fields is not supported. Criação automática ou atualizações não são suportadas para os valores dos campos. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Gerador de Senha + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1495,12 +1827,101 @@ todas as entradas para o domínio completo Excellent Excelente + + Password + Senha + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupo + + + Title + Título + + + Username + Nome de usuário + + + Password + Senha + + + URL + URL + + + Notes + Notas + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1547,14 +1968,18 @@ todas as entradas para o domínio completo Search Pesquisar - - Find - Localizar - Clear Limpar + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2086,10 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Security Segurança + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Global Auto-Type shortcut Atalho para Auto-Digitação Global - - Use entry title to match windows for global auto-type - Usar título da entrada para comparar janelas para auto-digitação global - Language Idioma @@ -1704,10 +2129,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Hide window to system tray when minimized Ocultar janela na bandeja de sistema quando minimizada - - Remember last key files - Lembrar dos últimos arquivos-chave - Load previous databases on startup Carregar bancos de dados anteriores na inicialização @@ -1724,6 +2145,30 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Minimize window at application startup Iniciar programa com janela minimizada + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-Digitação + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2188,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Show passwords in cleartext by default Mostrar senhas em texto claro por padrão - - Always ask before performing auto-type - Sempre perguntar antes de realizar auto-digitação - Lock databases after minimizing the window Bloquear bancos de dados após minimizar a janela @@ -1755,6 +2196,80 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Don't require password repeat when it is visible Quando a senha for visível não pedir para repeti-la + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + seg + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2281,32 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. WelcomeWidget - Welcome! - Bem-vindo! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Bancos de dados recentes @@ -1792,5 +2331,69 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. filenames of the password databases to open (*.kdbx) nome de arquivo do banco de dados de senhas a ser aberto (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_pt_PT.ts b/share/translations/keepassx_pt_PT.ts index d2f165401..2ceb72672 100644 --- a/share/translations/keepassx_pt_PT.ts +++ b/share/translations/keepassx_pt_PT.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Revisão - - - Using: - Usando: - About KeePassXC Sobre KeePassXC - Extensions: - - Extensões: - + About + Sobre - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC é distribuído sob os termos da GNU General Public License (GPL) versão 2 ou (em sua opção) versão 3. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -120,10 +200,6 @@ Selecione se deseja permitir o acesso. Create Key File... Criar ficheiro chave - - Error - Erro - Unable to create Key File : Impossível criar ficheiro chave: @@ -132,10 +208,6 @@ Selecione se deseja permitir o acesso. Select a key file Seleccionar ficheiro chave - - Question - Questão - Do you really want to use an empty string as password? Pretende utilizar um valor sem conteúdo como senha ? @@ -144,10 +216,6 @@ Selecione se deseja permitir o acesso. Different passwords supplied. As senhas inseridas não coincidem. - - Failed to set key file - Falha ao definir o ficheiro chave - Failed to set %1 as the Key file: %2 @@ -158,6 +226,163 @@ Selecione se deseja permitir o acesso. &Key file Ficheiro &chave + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Erro + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Erro + + + Unable to calculate master key + Impossível calcular chave mestra: + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -177,10 +402,6 @@ Selecione se deseja permitir o acesso. Browse Procurar - - Error - Erro - Unable to open the database. Impossível abrir a base de dados. @@ -201,6 +422,14 @@ Selecione se deseja permitir o acesso. Select key file Seleccionar o ficheiro chave + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -277,6 +506,18 @@ Agora pode gravar. Use recycle bin Utilizar reciclagem + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -296,10 +537,6 @@ Agora pode gravar. Open database Abrir base de dados - - Warning - Aviso - File not found! Ficheiro não encontrado ! @@ -330,10 +567,6 @@ Save changes? "%1" foi modificado. Guardar alterações ? - - Error - Erro - Writing the database failed. Falha na escrita da base de dados. @@ -426,6 +659,14 @@ Você quer abri-lo de qualquer maneira? Open read-only Abrir como somente leitura + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -465,10 +706,6 @@ Você quer abri-lo de qualquer maneira? Do you really want to delete the group "%1" for good? Pretender realmente apagar o grupo "%1" para sempre ? - - Error - Erro - Unable to calculate master key Impossível calcular ficheiro chave @@ -530,14 +767,18 @@ Você quer abri-lo de qualquer maneira? The database file has changed and you have unsaved changes.Do you want to merge your changes? O ficheiro da base de dados foi alterado e tem alterações não gravadas. Deseja juntar as suas alterações? - - Autoreload Failed - Carregamento Automático Falhou - Could not open the new database file while attempting to autoreload this database. Não foi possível abrir a nova base de dados ao tentar recarregar automaticamente essa base de dados. + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -577,10 +818,6 @@ Você quer abri-lo de qualquer maneira? Edit entry Editar entrada - - Error - Erro - Different passwords supplied. As senhas inseridas não coincidem. @@ -622,6 +859,22 @@ Você quer abri-lo de qualquer maneira? 1 year 1 ano + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -633,10 +886,6 @@ Você quer abri-lo de qualquer maneira? Add Adicionar - - Edit - Editar - Remove Remover @@ -653,6 +902,18 @@ Você quer abri-lo de qualquer maneira? Open Abrir + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -688,6 +949,10 @@ Você quer abri-lo de qualquer maneira? Set custo&m sequence: Especificar sequência de personalizada: + + Window Associations + + EditEntryWidgetHistory @@ -797,16 +1062,16 @@ Você quer abri-lo de qualquer maneira? Procurar - Auto-type + Auto-Type Auto escrita - Use default auto-type sequence of parent group - Herdar sequência de auto escrita padrão do grupo relacionado + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Especificar sequência padrão de auto escrita + Set default Auto-Type se&quence + @@ -831,10 +1096,6 @@ Você quer abri-lo de qualquer maneira? Select Image Seleccionar imagem - - Can't delete icon! - Impossível apagar o icon - Error Erro @@ -851,10 +1112,6 @@ Você quer abri-lo de qualquer maneira? Can't read icon Não foi possível ler ícone - - Can't delete icon. Still used by %1 items. - Não é possível apagar ícone. Ainda usado por %1 itens. - &Use default icon &Utilizar icon padrão @@ -863,6 +1120,14 @@ Você quer abri-lo de qualquer maneira? Use custo&m icon Utilizar icon personalizado + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -934,6 +1199,11 @@ Você quer abri-lo de qualquer maneira? URL URL + + Ref: + Reference abbreviation + + Group @@ -992,9 +1262,16 @@ Você quer abri-lo de qualquer maneira? Ensure that the password contains characters from every group Verificar que a senha contém caracteres de todos os grupos + + + KMessageWidget - Accept - Aceitar + &Close + + + + Close message + @@ -1003,10 +1280,6 @@ Você quer abri-lo de qualquer maneira? Import KeePass1 database Importar de dados KeePass 1 - - Error - Erro - Unable to open the database. Impossível abrir a base de dados. @@ -1071,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Pode importá-lo clicando em Base de dados> 'Importar base de dados KeePass 1'. Esta é uma migração unidirecional. Não será possível abrir a base de dados importada com a versão antiga do KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -1082,13 +1359,17 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados KeePassXC - Error KeePassXC - Erro + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - Base de dados - Open database Abrir base de dados @@ -1121,10 +1402,6 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Toggle window Alternar janela - - Tools - Ferramentas - KeePass 2 Database Base de dados KeePass 2 @@ -1137,10 +1414,6 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Save repaired database Gravar base de dados reparada - - Error - Erro - Writing the database failed. Falha na escrita da base de dados. @@ -1233,14 +1506,26 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados &Database settings &Definições da base de dados - - &Import KeePass 1 database - &Importar de dados KeePass 1 - &Clone entry &Clonar entrada + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find &Encontrar @@ -1293,6 +1578,46 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Password Generator Gerador de senhas + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importar base de dados KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1308,12 +1633,6 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Sh&ow a notification when credentials are requested M&ostrar uma notificação quando as credenciais forem solicitadas - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - &Esquemas de URL coincidentes -Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostradas - Sort matching entries by &username Ordenar entradas coincidentes por nome de &utilizador @@ -1322,10 +1641,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Re&move all stored permissions from entries in active database R&emover todas as permissões armazenadas de entradas na base de dados ativa - - Password generator - Gerador de senhas - Advanced Avançado @@ -1342,10 +1657,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Searc&h in all opened databases for matching entries Procurar em todas as base de dados abertas por entradas semel&hantes - - Only the selected database has to be connected with a client! - Somente a base de dados selecionada tem que ser conectada com um cliente! - HTTP Port: Porto HTTP: @@ -1362,12 +1673,6 @@ Somente entradas com o mesmo esquema (http://, https://, ftp://, ...) são mostr Sort &matching entries by title Ordenar entradas por título - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Ativar o protocolo KeepassXC HTTP -Isso é necessário para acessar a sua base de dados a partir do ChromeIPass ou do PassIFox - KeePassXC will listen to this port on 127.0.0.1 KeePassXC vai escutar neste porto em 127.0.0.1 @@ -1381,21 +1686,11 @@ Isso é necessário para acessar a sua base de dados a partir do ChromeIPass ou Using default port 19455. Não é possível ligar a portos privilegiados abaixo de 1024! A utilizar porto por omissão 19455 - - - &Return only best matching entries for a URL instead -of all entries for the whole domain - &Mostrar apenas as melhores entradas correspondentes para um URL em vez -de todas as entradas para todo o domínio R&emove all shared encryption keys from active database R&emover todas as chaves encriptadas partilhadas da base de dados ativa - - The following options can be dangerous. Change them only if you know what you are doing. - As seguintes opções podem ser perigosas. Mudá-los apenas se você sabe o que está fazendo. - &Return advanced string fields which start with "KPH: " &Mostrar também campos avançados que começam com "KPH: " @@ -1404,6 +1699,43 @@ de todas as entradas para todo o domínio Automatically creating or updating string fields is not supported. Automaticamente criando ou atualizando os campos de sequência de caracteres não é suportado. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Gerador de senhas + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1495,12 +1827,101 @@ de todas as entradas para todo o domínio Excellent Excelente + + Password + Senha + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupo + + + Title + Título + + + Username + Nome de utilizador + + + Password + Senha + + + URL + URL + + + Notes + Notas + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1547,14 +1968,18 @@ de todas as entradas para todo o domínio Search Procurar - - Find - Encontrar - Clear Limpar + + Search... + + + + Limit search to selected group + + Service @@ -1661,6 +2086,10 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Security Segurança + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Global Auto-Type shortcut Atalho global de auto escrita - - Use entry title to match windows for global auto-type - Utilizar titulo de entrada para coincidir com janela de entrada de auto escrita global - Language Língua @@ -1704,10 +2129,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Hide window to system tray when minimized Esconder janela na barra de sistema quando minimizada - - Remember last key files - Lembrar os últimos ficheiro chave - Load previous databases on startup Carregar base de dados anterior no arranque @@ -1724,6 +2145,30 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Minimize window at application startup Minimizar janela no arranque da aplicação + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto escrita + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,10 +2188,6 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Show passwords in cleartext by default Revelar senhas em texto por padrão - - Always ask before performing auto-type - Confirmar antes de executar auto escrita - Lock databases after minimizing the window Trancar base de dados ao minimizar a janela @@ -1755,6 +2196,80 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. Don't require password repeat when it is visible Não exigir a repetição da senha quando ela estiver visível + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + seg + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1766,8 +2281,32 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. WelcomeWidget - Welcome! - Bem vindo/a ! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Base de dados recentes @@ -1792,5 +2331,69 @@ dar-lhe um nome único para identificá-lo e aceitá-lo. filenames of the password databases to open (*.kdbx) ficheiro chave para abrir a base de dados (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_ru.ts b/share/translations/keepassx_ru.ts index 94078a1d6..59fc73b37 100644 --- a/share/translations/keepassx_ru.ts +++ b/share/translations/keepassx_ru.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - Ревизия - - - Using: - С помощью: - About KeePassXC О KeePassXC - Extensions: - - Расширения: - + About + О программе - 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. + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -41,11 +121,12 @@ %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 запросил доступ к паролям для следующего элемента(ов). Выберете, хотите ли вы разрешить доступ. + %1 запросил доступ к паролям для следующего элемента(ов). +Выберите, хотите ли Вы разрешить доступ. KeePassXC HTTP Confirm Access - Подтверждение доступа KeePassXC HTTP + Подтверждение доступа к KeePassXC HTTP @@ -56,7 +137,7 @@ Please select whether you want to allow access. Auto-Type - KeePassXC - Автоввод — KeePassXC + Автоввод - KeePassXC @@ -82,7 +163,7 @@ Please select whether you want to allow access. Auto-Type - KeePassXC - Автоввод — KeePassXC + Автоввод - KeePassXC @@ -119,10 +200,6 @@ Please select whether you want to allow access. Create Key File... Создать файл-ключ... - - Error - Ошибка - Unable to create Key File : Невозможно создать файл-ключ: @@ -131,10 +208,6 @@ Please select whether you want to allow access. Select a key file Выбрать файл-ключ - - Question - Вопрос - Do you really want to use an empty string as password? Вы действительно хотите использовать в качестве пароля пустую строку? @@ -143,10 +216,6 @@ Please select whether you want to allow access. Different passwords supplied. Пароли не совпадают. - - Failed to set key file - Не удалось установить файл-ключ - Failed to set %1 as the Key file: %2 @@ -155,7 +224,164 @@ Please select whether you want to allow access. &Key file - Файл—&ключ + Файл-&ключ + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Ошибка + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Ошибка + + + Unable to calculate master key + Невозможно вычислить мастер-пароль + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + @@ -176,10 +402,6 @@ Please select whether you want to allow access. Browse Обзор - - Error - Ошибка - Unable to open the database. Невозможно открыть хранилище. @@ -200,6 +422,14 @@ Please select whether you want to allow access. Select key file Выберите файл-ключ + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -217,7 +447,7 @@ Please select whether you want to allow access. Database opened fine. Nothing to do. - Хранилище открылось. Больше нечего делать. + Хранилище открылось прекрасно. Больше нечего делать. Unable to open the database. @@ -276,6 +506,18 @@ You can now save it. Use recycle bin Использовать корзину + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -295,10 +537,6 @@ You can now save it. Open database Открыть хранилище - - Warning - Внимание - File not found! Файл не найден! @@ -329,10 +567,6 @@ Save changes? «%1» изменён. Сохранить изменения? - - Error - Ошибка - Writing the database failed. Не удалось записать хранилище. @@ -402,8 +636,8 @@ Discard changes and close anyway? The database you are trying to save as is locked by another instance of KeePassXC. Do you want to save it anyway? - Хранилище, которые вы пытаетесь сохранить, заблокировано другим экземпляром KeePassXC. -Хотите сохранить во всех случаях? + Хранилище, в которое Вы пытаетесь сохранить, заблокировано другим экземпляром KeePassXC. +Хотите сохранить в любом случе? Passwords @@ -417,13 +651,22 @@ Do you want to save it anyway? The database you are trying to open is locked by another instance of KeePassXC. Do you want to open it anyway? - Хранилище, которые вы пытаетесь открыть, заблокировано другим экземпляром KeePassXC. -Хотите открыть во всех случаях? + Хранилище, которое Вы пытаетесь открыть, заблокировано другим экземпляром KeePassXC. + +Хотите открыть в любом случае? Open read-only Открыть в режиме "только чтение" + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -463,10 +706,6 @@ Do you want to open it anyway? Do you really want to delete the group "%1" for good? Вы действительно хотите навсегда удалить группу «%1»? - - Error - Ошибка - Unable to calculate master key Невозможно вычислить мастер-пароль @@ -477,7 +716,7 @@ Do you want to open it anyway? Do you really want to move entry "%1" to the recycle bin? - Действительно переместить запись "%1" в корзину? + Вы действительно хотите переместить запись "%1" в корзину? Searching... @@ -489,7 +728,7 @@ Do you want to open it anyway? No source database, nothing to do. - Нет исходного хранилища, нечего обрабатывать. + Нет исходного хранилища, нечего обрабатывать. Search Results (%1) @@ -509,15 +748,15 @@ Do you want to open it anyway? Remember my choice - Запомнить выбор + Запомнить мой выбор Autoreload Request - Запрос на автоматическую загрузку + Запрос на автозагрузку The database file has changed. Do you want to load the changes? - Хранилище было изменено. Вы хотите загрузить изменения? + Файл хранилища изменился. Вы хотите загрузить изменения? Merge Request @@ -525,15 +764,19 @@ Do you want to open it anyway? The database file has changed and you have unsaved changes.Do you want to merge your changes? - Файл хранилища был изменён, а так же присутствуют несохранённые изменения. Вы хотите объеденить изменения? - - - Autoreload Failed - Ошибка автоматической загрузки + Файл хранилища изменился, а также присутствуют несохранённые изменения. Вы хотите объединить изменения? Could not open the new database file while attempting to autoreload this database. - Не удаётся открыть новый файл хранилища при попытке автоматической загрузки этого файла. + Не удалось открыть новый файл хранилища при попытке автоматической перезагрузки этого хранилища. + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + @@ -574,10 +817,6 @@ Do you want to open it anyway? Edit entry Редактировать запись - - Error - Ошибка - Different passwords supplied. Пароли не совпадают. @@ -620,6 +859,22 @@ Do you want to open it anyway? 1 year 1 год + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -631,10 +886,6 @@ Do you want to open it anyway? Add Добавить - - Edit - Изменить - Remove Удалить @@ -651,6 +902,18 @@ Do you want to open it anyway? Open Открыть + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -686,6 +949,10 @@ Do you want to open it anyway? Set custo&m sequence: Установить сво&ю последовательность: + + Window Associations + + EditEntryWidgetHistory @@ -795,16 +1062,16 @@ Do you want to open it anyway? Поиск - Auto-type + Auto-Type Автоввод - Use default auto-type sequence of parent group - Используйте стандартный автоввод из последовательности родительской группы + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Последовательность автоввода указать по умолчанию + Set default Auto-Type se&quence + @@ -829,10 +1096,6 @@ Do you want to open it anyway? Select Image Выбор изображения - - Can't delete icon! - Не могу удалить значок! - Error Ошибка @@ -843,16 +1106,12 @@ Do you want to open it anyway? Unable to fetch favicon. - Не удалось получить значок сайта + Не удаётся получить значок сайта Can't read icon Не могу прочитать значок - - Can't delete icon. Still used by %1 items. - Не удается удалить значок, она продолжает использоваться %1 записями. - &Use default icon Использовать с&тандартный значок @@ -861,6 +1120,14 @@ Do you want to open it anyway? Use custo&m icon Использовать св&ой значок + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -885,7 +1152,7 @@ Do you want to open it anyway? Entry - Clone - - Колинировать + - Клон @@ -932,6 +1199,11 @@ Do you want to open it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -976,7 +1248,7 @@ Do you want to open it anyway? Special Characters - Особые символы + Специальные символы /*_& ... @@ -984,15 +1256,22 @@ Do you want to open it anyway? Exclude look-alike characters - Исключить выглядящие похожие символы + Исключить визуально схожие символы Ensure that the password contains characters from every group - Убедитесь, что пароль содержит символы всех видов + Убедиться, что пароль содержит символы из каждой группы + + + + KMessageWidget + + &Close + - Accept - Принять + Close message + @@ -1001,10 +1280,6 @@ Do you want to open it anyway? Import KeePass1 database Импортировать хранилище KeePass 1 - - Error - Ошибка - Unable to open the database. Невозможно открыть хранилище. @@ -1069,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas Вы можете импортировать его, нажав на База Данных > 'Импорт KeePass 1 базы данных'. Это одностороннее перемещение. Вы не сможете открыть импортированный базу данных на старой версии KeePassX 0,4. + + Unable to issue challenge-response. + + Main @@ -1078,15 +1357,19 @@ This is a one-way migration. You won't be able to open the imported databas KeePassXC - Error - KeePassXC — Ошибка + KeePassXC - Ошибка + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Хранилище - Open database Открыть хранилище @@ -1119,10 +1402,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window Переключить окно - - Tools - Инструменты - KeePass 2 Database Хранилище KeePass 2 @@ -1135,10 +1414,6 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database Сохранить восстановленное хранилище - - Error - Ошибка - Writing the database failed. Не удалось записать хранилище. @@ -1193,7 +1468,7 @@ This is a one-way migration. You won't be able to open the imported databas Merge from KeePassX database - Объединить из хранилища KeePassX + Объединить с хранилищем KeePassX &Add new entry @@ -1225,20 +1500,32 @@ This is a one-way migration. You won't be able to open the imported databas Change &master key - Изменить мастер-пароль + Изменить мастер-ключ &Database settings - Параметры хранилища - - - &Import KeePass 1 database - Импортировать хранилище KeePass 1 + Настройки хранилища &Clone entry Клонировать запись + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find Найти @@ -1265,7 +1552,7 @@ This is a one-way migration. You won't be able to open the imported databas &Lock databases - Заблокировать хранилище + Заблокировать хранилища &Title @@ -1285,7 +1572,7 @@ This is a one-way migration. You won't be able to open the imported databas Re&pair database - Восстановление хранилища + Восстановить хранилище Password Generator @@ -1293,7 +1580,43 @@ This is a one-way migration. You won't be able to open the imported databas Clear history - Очистить историю + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Импортировать хранилище KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + @@ -1308,13 +1631,7 @@ This is a one-way migration. You won't be able to open the imported databas Sh&ow a notification when credentials are requested - Показывать уведомление при запросе данных для входа - - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - Совпадение со схемой URL -Возвращат&ь только записи с соответствующей схемой (http://, https://, ftp://, ...) + Показывать уведомление при запросе учётных данных Sort matching entries by &username @@ -1322,15 +1639,11 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Re&move all stored permissions from entries in active database - Удалить все сохраненные права доступа из активного хранилища - - - Password generator - Генератор паролей + Удалить все сохранённые права доступа из записей активного хранилища Advanced - Расширенные + Продвинутые Always allow &access to entries @@ -1342,11 +1655,7 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Searc&h in all opened databases for matching entries - Искать соответствующие записи по всем открытым хранилищам - - - Only the selected database has to be connected with a client! - Только выбранное хранилище должно быть соединено с клиентом! + Искать подходящие записи во всех открытых хранилищах HTTP Port: @@ -1362,49 +1671,71 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Sort &matching entries by title - Сортировать совпавшие записи по названию - - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - Включить протокол KeepassXC HTTP -Это требуется для доступа к хранилищам из ChromeIPass или PassIFox + Сортировать совпадающие записи по названию KeePassXC will listen to this port on 127.0.0.1 - KeePassXC будет слушать указнный порт на 127.0.0.1 + KeePassXC будет слушать этот порт на 127.0.0.1 Cannot bind to privileged ports - Не удается выполнить привязку к привилегированным портам + Не удаётся выполнить привязку к привилегированным портам Cannot bind to privileged ports below 1024! Using default port 19455. - Не удается привязать к привилегированным портам с номерами меньше 1024! + Не удаётся привязать к привилегированным портам с номерами меньше 1024! Используется порт по умолчанию: 19455. - - &Return only best matching entries for a URL instead -of all entries for the whole domain - Возвращать толь&ко наиболее совпавшие с URL записи, а не все записи для домена - R&emove all shared encryption keys from active database &Удалить все общие ключи шифрования из активного хранилища - - The following options can be dangerous. Change them only if you know what you are doing. - Используйте эти настройки только если знаете, что делаете! - &Return advanced string fields which start with "KPH: " - Возвращать дополнительные стро&ковые поля, начинающиеся с "KPH: " + Возвращать продвинутые стро&ковые поля, начинающиеся с "KPH: " Automatically creating or updating string fields is not supported. Автоматическое создание или обновление полей, содержащих строки, не поддерживается. + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + Генератор паролей + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1458,7 +1789,7 @@ of all entries for the whole domain Pick characters from every group - Выберете символы из каждой группы + Подобрать символы из каждой группы Generate @@ -1482,26 +1813,115 @@ of all entries for the whole domain Poor - Плохой + Плохое Weak - Слабый + Слабое Good - Хороший + Хорошее Excellent - Отличный + Отличное + + + Password + Пароль + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Группа + + + Title + Заголовок + + + Username + Имя пользователя + + + Password + Пароль + + + URL + URL + + + Notes + Примечания + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1548,14 +1968,18 @@ of all entries for the whole domain Search Поиск - - Find - Найти - Clear Очистить + + Search... + + + + Limit search to selected group + + Service @@ -1573,7 +1997,7 @@ Do you want to overwrite it? The active database is locked! Please unlock the selected database or choose another one which is unlocked. Активное хранилище заблокировано! -Разблокируйте выбранное хранилище или выберите другое, незаблокированное. +Пожалуйста, разблокируйте выбранное хранилище или выберите другое, незаблокированное. Successfully removed %1 encryption-%2 from KeePassX/Http Settings. @@ -1589,11 +2013,11 @@ Please unlock the selected database or choose another one which is unlocked. Removing stored permissions... - Удаляются сохранённые права доступа... + Удаляю сохранённые права доступа... Abort - Отмена + Прервать Successfully removed permissions from %1 %2. @@ -1611,8 +2035,9 @@ Please unlock the selected database or choose another one which is unlocked.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. - Вы получили запрос на ассоциацию указанного ключа. -Если вы хотите разрешить доступ к вашему хранилищу KeePassXC, дайте ему уникальное имя и примите запрос. + Вы получили запрос на ассоциацию вышеуказанного ключа. +Если Вы хотите разрешить доступ к Вашему хранилищу KeePassXC, +дайте ему уникальное имя, чтобы распознать и принять ключ. KeePassXC: Overwrite existing key? @@ -1636,7 +2061,7 @@ give it a unique name to identify and accept it. KeePassXC: Settings not available! - KeePassXC% Настройки недоступны! + KeePassXC: Настройки недоступны! KeePassXC: Removed permissions @@ -1644,7 +2069,7 @@ give it a unique name to identify and accept it. KeePassXC: No entry with permissions found! - KeePassXC: Не найдено записей с назначенными правами доступа! + KeePassXC: Не найдена запись с правами доступа! @@ -1661,6 +2086,10 @@ give it a unique name to identify and accept it. Security Безопасность + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1688,10 +2117,6 @@ give it a unique name to identify and accept it. Global Auto-Type shortcut Глобальное сочетание клавиш для автоввода - - Use entry title to match windows for global auto-type - Использовать заголовок записи для подбора окон для глобального автоввода - Language Язык @@ -1704,17 +2129,13 @@ give it a unique name to identify and accept it. Hide window to system tray when minimized При сворачивании прятать окно в область системных уведомлений - - Remember last key files - Запоминать последние файл-ключи - Load previous databases on startup - Открывать предыдущие хранилища при запуске + Загружать предыдущие хранилища при запуске Automatically reload the database when modified externally - Автоматически перечитывать хранилище при его изменении внешними приложениями + Автоматически перезагружать хранилище при его изменении извне Hide window to system tray instead of app exit @@ -1724,6 +2145,30 @@ give it a unique name to identify and accept it. Minimize window at application startup Сворачивать окно при запуске приложения + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Автоввод + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1743,17 +2188,87 @@ give it a unique name to identify and accept it. Show passwords in cleartext by default По умолчанию показывать пароль в открытую - - Always ask before performing auto-type - Всегда спрашивать перед тем, как производить автоввод - Lock databases after minimizing the window - Заблокировать хранилище при сворачивании окна + Блокировать хранилища после сворачивания окна Don't require password repeat when it is visible - Не требовать поворный ввод пароля когда он показывается + Не требовать повторный ввод пароля, когда он показывается + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + сек + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1766,8 +2281,32 @@ give it a unique name to identify and accept it. WelcomeWidget - Welcome! - Добро пожаловать! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Недавние хранилища @@ -1782,7 +2321,7 @@ give it a unique name to identify and accept it. KeePassXC - cross-platform password manager - KeePassXC — кросс-платформенный менеджер паролей + KeePassXC - кроссплатформенный менеджер паролей read password of the database from stdin @@ -1792,5 +2331,69 @@ give it a unique name to identify and accept it. filenames of the password databases to open (*.kdbx) имена файлов открываемого хранилища паролей (*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + - + \ No newline at end of file diff --git a/share/translations/keepassx_sl_SI.ts b/share/translations/keepassx_sl_SI.ts index 164f84ac6..cba2c7621 100644 --- a/share/translations/keepassx_sl_SI.ts +++ b/share/translations/keepassx_sl_SI.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - O KeePassX - - - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX se razširja pod GNU General Public License (GPL) licenco verzija 2 ali (po želji) verzija 3. - - - Revision + About KeePassXC - Using: + About + O programu + + + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access AutoType - - Auto-Type - KeePassX - Samodejno tipkanje - KeePassX - Couldn't find an entry that matches the window title: Ne najdem vnosa, ki bi ustrezal: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - Samodejno tipkanje - KeePassX - Select entry to Auto-Type: Izberi vnos za samodejno tipkanje: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Ponovi geslo: - - Key file - Datoteka s ključi - Browse Prebrskaj @@ -93,10 +199,6 @@ Create Key File... Ustvari datoteko s ključi... - - Error - Napaka - Unable to create Key File : Ustvarjanje datoteke s ključi ni uspelo: @@ -105,10 +207,6 @@ Select a key file Izberi datoteko s kljući - - Question - Vprašanje - Do you really want to use an empty string as password? Ali res želite uporabiti prazen niz kot geslo? @@ -117,16 +215,173 @@ Different passwords supplied. Vnešeni gesli sta različni. - - Failed to set key file - Nastavljanje datoteke s ključi ni uspelo - Failed to set %1 as the Key file: %2 Nastavljanje %1 kot datoteko s ključi ni uspelo: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Napaka + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Napaka + + + Unable to calculate master key + Izračun glavnega ključa ni uspel + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse Prebrskaj - - Error - Napaka - Unable to open the database. Odpiranje podatkovne baze ni uspelo. @@ -170,6 +421,14 @@ Select key file Izberi datoteko s ključi + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -179,11 +438,11 @@ Error - + Napaka Can't open key file - + Odpiranje datoteke s ključi ni uspelo Database opened fine. Nothing to do. @@ -191,7 +450,7 @@ Unable to open the database. - + Odpiranje podatkovne baze ni uspelo. Success @@ -225,10 +484,6 @@ You can now save it. Default username: Privzeto uporabniško ime: - - Use recycle bin: - Uporaba koša: - MiB MiB @@ -245,6 +500,22 @@ You can now save it. Max. history size: Max. velikost zgodovine: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -264,10 +535,6 @@ You can now save it. Open database Odpri podatkovno bazo - - Warning - Opozorilo - File not found! Datoteke ni mogoče najti! @@ -298,10 +565,6 @@ Save changes? "%1" spremenjeno. Shrani spremembe? - - Error - Napaka - Writing the database failed. Zapis podatkovne baze ni uspel. @@ -318,12 +581,6 @@ Shrani spremembe? locked zaklenjeno - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Podatkovna baza ki jo želite odpreti je že odprta v drugem KeePassX. -Ali jo vseeno želite odpreti? Lahko jo odprete tudi samo za branje. - Lock database Zakleni podatkovno bazo @@ -367,12 +624,42 @@ Zavrži spremembe in zapri? Pisanje v CSV datoteko ni uspelo - The database you are trying to save as is locked by another instance of KeePassX. + Unable to open the database. + Odpiranje podatkovne baze ni uspelo. + + + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. Do you want to save it anyway? - Unable to open the database. + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -414,14 +701,6 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? Ali res želite izbrisati skupino "%1"? - - Current group - Trenutna skupina - - - Error - Napaka - Unable to calculate master key Izračun glavnega ključa ni uspel @@ -434,6 +713,66 @@ Do you want to save it anyway? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -473,10 +812,6 @@ Do you want to save it anyway? Edit entry Uredi vnos - - Error - Napaka - Different passwords supplied. Gesli se ne ujemata. @@ -518,6 +853,22 @@ Do you want to save it anyway? 1 year 1 leto + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -529,10 +880,6 @@ Do you want to save it anyway? Add Dodaj - - Edit - Uredi - Remove Odstrani @@ -549,6 +896,18 @@ Do you want to save it anyway? Open Odpri + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -556,14 +915,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry Omogoči samodejno tipkanje za ta vnos - - Inherit default Auto-Type sequence from the group - Dedovanje privzete sekvence za samodejno tipkanje iz skupine - - - Use custom Auto-Type sequence: - Uporabi poljubno sekvenco za samodejno tipkanje: - + + @@ -577,12 +928,24 @@ Do you want to save it anyway? Naslov okna: - Use default sequence - Uporabi privzeto sekvenco + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Nastavi privzeto sekvenco: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -622,10 +985,6 @@ Do you want to save it anyway? Repeat: Ponovi geslo: - - Gen. - Samodejno generiraj - URL: URL: @@ -697,28 +1056,20 @@ Do you want to save it anyway? Išči - Auto-type + Auto-Type Samodejno tipkanje - Use default auto-type sequence of parent group - Za samodejno tipkanje uporabi privzeto sekvenco nadrejene skupine + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Nastavi privzeto sekvenco za samodejno tipkanje + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Uporabi privzeto ikono - - - Use custom icon - Uporabi ikono po meri - Add custom icon Dodaj poljubno ikono @@ -740,19 +1091,35 @@ Do you want to save it anyway? Izberi sliko - Can't delete icon! - Ikone ni mogoče izbrisati! - - - Can't delete icon. Still used by %n item(s). - Ikone ni mogoče izbrisati. Uporablja jo še %n vnos.Ikone ni mogoče izbrisati. Uporabljata jo še %n vnosa.Ikone ni mogoče izbrisati. Uporabljajo jo še %n vnosi.Ikone ni mogoče izbrisati. Uporablja jo še %n vnosov. + Error + Napaka - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -775,6 +1142,13 @@ Do you want to save it anyway? Uuid: + + Entry + + - Clone + + + EntryAttributesModel @@ -819,6 +1193,11 @@ Do you want to save it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -827,16 +1206,74 @@ Do you want to save it anyway? Koš + + HttpPasswordGeneratorWidget + + Length: + Dolžina: + + + Character Types + Tipi znakov + + + Upper Case Letters + Velike črke + + + A-Z + + + + Lower Case Letters + Male črke + + + a-z + + + + Numbers + Številke + + + 0-9 + + + + Special Characters + Posebni znaki + + + /*_& ... + + + + Exclude look-alike characters + Izključi podobne znake + + + Ensure that the password contains characters from every group + Geslo naj vsebuje znake iz vsake skupine + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Uvozi KeePass1 podatkovno bazo - - Error - Napaka - Unable to open the database. Odpiranje podatkovne baze ni uspelo. @@ -870,7 +1307,7 @@ Do you want to save it anyway? Wrong key or database file is corrupt. - + Napačno geslo ali pa je podatkovna baza poškodovana. @@ -898,6 +1335,10 @@ 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. + + Unable to issue challenge-response. + + Main @@ -906,112 +1347,28 @@ This is a one-way migration. You won't be able to open the imported databas Napaka pri testiranju kriptografskih funkcij. - KeePassX - Error - KeePassX - Napaka + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Podatkovna baza - - - Recent databases - Nedavne podatkovne baze - - - Help - Pomoč - - - Entries - Vnosi - - - Copy attribute to clipboard - Kopiraj atribut v odložišče - - - Groups - Skupine - - - View - Pogled - - - Quit - Izhod - - - About - O programu - Open database Odpri podatkovno bazo - - Save database - Shrani podatkovno bazo - - - Close database - Zapri podatkovno bazo - - - New database - Nova podatkovna baza - - - Add new entry - Dodaj vnos - - - View/Edit entry - Uredi vnos - - - Delete entry - Izbriši vnos - - - Add new group - Dodaj novo skupino - - - Edit group - Uredi skupino - - - Delete group - Izbriši skupino - - - Save database as - Shrani podatkovno bazo kot - - - Change master key - Spremeni glavni ključ - Database settings Nastavitve podatkovne baze - - Import KeePass 1 database - Uvozi KeePass 1 podatkovno bazo - - - Clone entry - Kloniraj vnos - - - Find - Išči - Copy username to clipboard Kopiraj uporabniško ime v odložišče @@ -1024,30 +1381,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings Nastavitve - - Perform Auto-Type - Izvedi samodejno tipkanje - - - Open URL - Odpri URL - - - Lock databases - Zakleni podatkovne baze - - - Title - Naslov - - - URL - URL - - - Notes - Opombe - Show toolbar Prikaži orodno vrstico @@ -1060,44 +1393,337 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window Preklopi okno - - Tools - Orodja - - - Copy username - Kopiraj uporabniško ime - - - Copy password - Kopiraj geslo - - - Export to CSV file - Izvozi v CSV datoteko - - - Repair database - - KeePass 2 Database - + KeePass 2 podatkovna baza All files - + Vse datoteke Save repaired database - Error + Writing the database failed. + Zapis podatkovne baze ni uspel. + + + &Recent databases - Writing the database failed. + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Uvozi KeePass 1 podatkovno bazo + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Splošno + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Napredno + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. @@ -1107,10 +1733,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: Geslo: - - Length: - Dolžina: - Character Types Tipi znakov @@ -1135,71 +1757,161 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters Izključi podobne znake - - Ensure that the password contains characters from every group - Geslo naj vsebuje znake iz vsake skupine - Accept Sprejmi - - - QCommandLineParser - Displays version information. - Prikaže informacije o različici. + %p% + - Displays this help. - Prikaže pomoč. + strength + - Unknown option '%1'. - Neznana izbrira %1. + entropy + - Unknown options: %1. - Neznane izbire: %1. + &Length: + - Missing value after '%1'. - Manjkajoča vrednost po '%1'. + Pick characters from every group + - Unexpected value after '%1'. - Nepričakovana vrednost po '%1'. + Generate + - [options] - [možnosti] + Close + - Usage: %1 - Uporaba: %1 + Apply + - Options: - Možnosti: + Entropy: %1 bit + - Arguments: - Argumenti: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Geslo + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Obstoječa datoteka %1 ni zapisljiva + NULL device + - Writing canceled by application - Aplikacija je prekinila pisanje + error reading from device + - Partial write. Partition full? - Delno pisanje. Polna particija? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Skupina + + + Title + Naslov + + + Username + Uporabniško ime + + + Password + Geslo + + + URL + URL + + + Notes + Opombe + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1239,20 +1951,111 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - Išči: + Case Sensitive + - Case sensitive - Razlikuj med velikimi in malimi črkami + Search + Išči - Current group - Trenutna skupina + Clear + - Root group - Korenska skupina + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1269,6 +2072,10 @@ This is a one-way migration. You won't be able to open the imported databas Security Varnost + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1276,10 +2083,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases Zapomni si zadnje podatkovne baze - - Open previous databases on startup - Odpri prejšnje podatkovne baze ob zagonu programa - Automatically save on exit Samodejno shrani ob izhodu @@ -1300,10 +2103,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut Globalna bližnjica za samodejno tipkanje - - Use entry title to match windows for global auto-type - Uporabi ujemanje naslova vnosa in naslova okna pri samodejnem tipkanju - Language Jezik @@ -1317,15 +2116,43 @@ This is a one-way migration. You won't be able to open the imported databas Minimiziraj v sistemsko vrstico - Remember last key files - Zapomni si zadnje datoteke s ključi - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Samodejno tipkanje + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1348,8 +2175,86 @@ This is a one-way migration. You won't be able to open the imported databas Gesla privzeto v čistopisu - Always ask before performing auto-type - Pred izvedbo samodejnega tipkanja vprašaj za potrditev + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sekundah + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1362,20 +2267,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - Dobrodošli! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Nedavne podatkovne baze main - - KeePassX - cross-platform password manager - KeePassX - urejevalnik gesel za različne platforme - - - filename of the password database to open (*.kdbx) - končnica podatkovne baze (*.kdbx) - path to a custom config file pot do konfiguracijske datoteke po meri @@ -1384,5 +2305,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database datoteka s ključi podatkovne baze + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_sv.ts b/share/translations/keepassx_sv.ts index 70dcd1bfd..7953bf0fa 100644 --- a/share/translations/keepassx_sv.ts +++ b/share/translations/keepassx_sv.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - Om KeePassX + About KeePassXC + Om KeePassXC - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - Keepassx distribueras enligt villkoren i GNU General Public License (GPL) version 2 eller (om du vill) version 3. + About + Om - Revision - Revision + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - Använder: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - Auto-skriv - KeePassX - Couldn't find an entry that matches the window title: Kunde inte hitta en post som matchar fönstertiteln: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - Auto-skriv - KeePassX - Select entry to Auto-Type: Välj post att auto-skriva + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Repetera lösenord: - - Key file - Nyckel-fil - Browse Bläddra @@ -93,10 +199,6 @@ Create Key File... Skapa nyckel-fil... - - Error - Fel - Unable to create Key File : Kunde inte skapa nyckel-fil @@ -105,10 +207,6 @@ Select a key file Välj nyckel-fil - - Question - Fråga - Do you really want to use an empty string as password? Vill du verkligen vill använda en tom sträng som lösenord? @@ -117,16 +215,173 @@ Different passwords supplied. Olika lösenord angivna - - Failed to set key file - Kunde inte sätta nyckel-fil - Failed to set %1 as the Key file: %2 Kunde inte sätta %1 som nyckel-fil: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Fel + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Fel + + + Unable to calculate master key + Kunde inte räkna nu master-nyckeln + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse Bläddra - - Error - Fel - Unable to open the database. Kunde inte öppna databas. @@ -170,6 +421,14 @@ Select key file Välj nyckel-fil + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -226,10 +485,6 @@ Du kan nu spara den. Default username: Standard användarnamn: - - Use recycle bin: - Använd papperskorg: - MiB MiB @@ -246,6 +501,22 @@ Du kan nu spara den. Max. history size: Maximal historik storlek: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -265,10 +536,6 @@ Du kan nu spara den. Open database Öppna databas - - Warning - Varning - File not found! Filen kunde inte hittas! @@ -299,10 +566,6 @@ Save changes? "%1" har ändrats. Spara ändringarna? - - Error - Fel - Writing the database failed. Kunde inte skriva till databasen. @@ -319,12 +582,6 @@ Spara ändringarna? locked låst - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Databasen som du försöker öppna är låst av en annan instans av KeePassX. -Vill du öppna den ändå? Databasen kommer då att öppnas skrivskyddad. - Lock database Lås databasen @@ -368,13 +625,42 @@ Kasta ändringarna och stäng endå? Kunde inte skriva till CSV-filen - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - Databasen du försöker spara som är låst av en annan instans av KeePassX. -Vill du spara endå? + Unable to open the database. + Kunde inte öppna databas. - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + Lösenord + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -416,14 +702,6 @@ Vill du spara endå? Do you really want to delete the group "%1" for good? Vill du verkligen ta bort gruppen "%1" för gott? - - Current group - Nuvarande grupp - - - Error - Fel - Unable to calculate master key Kunde inte räkna nu master-nyckeln @@ -436,6 +714,66 @@ Vill du spara endå? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -475,10 +813,6 @@ Vill du spara endå? Edit entry Ändra post - - Error - Fel - Different passwords supplied. Olika lösenord angivna @@ -521,6 +855,22 @@ Vill du spara endå? 1 year 1 år + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -532,10 +882,6 @@ Vill du spara endå? Add Lägg till - - Edit - Ändra - Remove Ta bort @@ -552,6 +898,18 @@ Vill du spara endå? Open Öppna + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -559,14 +917,6 @@ Vill du spara endå? Enable Auto-Type for this entry Slå på auto-skriv för denna post - - Inherit default Auto-Type sequence from the group - Ärv standard auto-skriv sekvens för grupp - - - Use custom Auto-Type sequence: - Använd egen auto-skriv sekvens: - + + @@ -580,12 +930,24 @@ Vill du spara endå? Fönster titel: - Use default sequence - Använd standard sekvens + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Egen sekvens: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -625,10 +987,6 @@ Vill du spara endå? Repeat: Repetera: - - Gen. - Gen. - URL: URL: @@ -700,28 +1058,20 @@ Vill du spara endå? Sök - Auto-type + Auto-Type Auto-skriv - Use default auto-type sequence of parent group - Använd standard auto-skriv sekvensen från föräldergruppen + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Ange standard auto-skriv sekvens + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Använd standard ikon - - - Use custom icon - Använd egen ikon - Add custom icon Lägg till egen ikon @@ -743,19 +1093,35 @@ Vill du spara endå? Välj bild - Can't delete icon! - Kan inte ta bort ikon! - - - Can't delete icon. Still used by %n item(s). - Kan inte ta bort ikonen. Den används fortfarande av %n postKan inte ta bort ikonen. Den används fortfarande av %n poster + Error + Fel - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -778,6 +1144,13 @@ Vill du spara endå? UUID: + + Entry + + - Clone + + + EntryAttributesModel @@ -822,6 +1195,11 @@ Vill du spara endå? URL URL + + Ref: + Reference abbreviation + + Group @@ -830,16 +1208,74 @@ Vill du spara endå? Papperskorg + + HttpPasswordGeneratorWidget + + Length: + Längd: + + + Character Types + Teckentyper + + + Upper Case Letters + Versaler + + + A-Z + + + + Lower Case Letters + Gemener + + + a-z + + + + Numbers + Siffror + + + 0-9 + + + + Special Characters + Specialtecken + + + /*_& ... + + + + Exclude look-alike characters + Uteslut liknande tecken + + + Ensure that the password contains characters from every group + Säkerställ att lösenordet innehåller tecken från varje grupp + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Importera KeePass1 databas - - Error - Fel - Unable to open the database. Kunde inte öppna databas. @@ -873,7 +1309,7 @@ Vill du spara endå? Wrong key or database file is corrupt. - + Fel lösenord eller korrupt databas-fil @@ -904,6 +1340,10 @@ This is a one-way migration. You won't be able to open the imported databas Du kan importera den genom att klicka på Databas > Importera KeePass 1 databas. Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas. Det som används i KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -912,112 +1352,28 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Allvarligt fel vid testning av kryptografiska funktioner. - KeePassX - Error - KeePassX - Fel + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Databas - - - Recent databases - Senast använda databaser - - - Help - Hjälp - - - Entries - Poster - - - Copy attribute to clipboard - Kopiera attribut - - - Groups - Grupper - - - View - Vy - - - Quit - Avsluta - - - About - Om - Open database Öppna databas - - Save database - Spara databas - - - Close database - Stäng databas - - - New database - Ny databas - - - Add new entry - Lägg till ny post - - - View/Edit entry - Visa/ändra post - - - Delete entry - Ta bort post - - - Add new group - Lägg till ny grupp - - - Edit group - Ändra grupp - - - Delete group - Ta bort grupp - - - Save database as - Spara databas som - - - Change master key - Ändra huvud lösenord - Database settings Databasinställningar - - Import KeePass 1 database - Importera KeePass1 databas - - - Clone entry - Klona post - - - Find - Sök - Copy username to clipboard Kopiera användarnamn @@ -1030,30 +1386,6 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Settings Inställningar - - Perform Auto-Type - Utför auto-skriv - - - Open URL - Öppna URL - - - Lock databases - Lås databaser - - - Title - Titel - - - URL - URL - - - Notes - Anteckningar - Show toolbar Visa verktygsfält @@ -1066,26 +1398,6 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Toggle window Visa/dölj fönster - - Tools - Verktyg - - - Copy username - Kopiera användarnamn - - - Copy password - Kopiera lösenord - - - Export to CSV file - Exportera till CSV-fil - - - Repair database - Laga databasen - KeePass 2 Database KeePass 2 databas @@ -1098,14 +1410,327 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Save repaired database Spara lagad databas - - Error - Fel - Writing the database failed. Misslyckades med att skriva till databasen. + + &Recent databases + + + + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Importera KeePass1 databas + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Allmän + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Avancerat + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1113,10 +1738,6 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Password: Lösenord: - - Length: - Längd: - Character Types Teckentyper @@ -1141,71 +1762,161 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Exclude look-alike characters Uteslut liknande tecken - - Ensure that the password contains characters from every group - Säkerställ att lösenordet innehåller tecken från varje grupp - Accept Acceptera - - - QCommandLineParser - Displays version information. - Visar versionsinformation. + %p% + - Displays this help. - Visa denna hjälp. + strength + - Unknown option '%1'. - Okänt alternativ: '%1' + entropy + - Unknown options: %1. - Okända alternativ: '%1' + &Length: + - Missing value after '%1'. - Saknar värde efter '%1' + Pick characters from every group + - Unexpected value after '%1'. - Oväntat värde efter '%1' + Generate + - [options] - [alternativ] + Close + - Usage: %1 - Användning: %1 + Apply + - Options: - Alternativ: + Entropy: %1 bit + - Arguments: - Argument: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Lösenord + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Den existerande filen %1 är inte skrivbar + NULL device + - Writing canceled by application - Skrivning avbruten av applikation + error reading from device + - Partial write. Partition full? - Delvis skrivet. Är partitionen full? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Grupp + + + Title + Titel + + + Username + Användarnamn + + + Password + Lösenord + + + URL + URL + + + Notes + Anteckningar + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1245,20 +1956,111 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas SearchWidget - Find: - Sök: + Case Sensitive + - Case sensitive - Skiftlägeskänslig + Search + Sök - Current group - Nuvarande grupp + Clear + - Root group - Root grupp + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1275,6 +2077,10 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Security Säkerhet + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1282,10 +2088,6 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Remember last databases Komihåg senaste databasen - - Open previous databases on startup - Öppna senaste databasen när programmet startar - Automatically save on exit Spara automatiskt när applikationen anslutas @@ -1306,10 +2108,6 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Global Auto-Type shortcut Globalt auto-skriv kortkommando - - Use entry title to match windows for global auto-type - Använda postens titel till matchning med fönster för globalt auto-skriv - Language Språk @@ -1323,15 +2121,43 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Vid minimering, minimera fönstret till systemfältet - Remember last key files - Komihåg senaste nyckel-filen - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Auto-skriv + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1354,8 +2180,86 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas Visa lösenord i klartext som standard - Always ask before performing auto-type - Fråga alltid innan auto-skriv utförs + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + sek + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1368,20 +2272,36 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas WelcomeWidget - Welcome! - Välkommen! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Senast använda databaser main - - KeePassX - cross-platform password manager - KeePassX - plattformsoberoende lösenordshanterare - - - filename of the password database to open (*.kdbx) - namn på databas fil att öppna (*.kdbx) - path to a custom config file Sökväg till egen konfigurations-fil @@ -1390,5 +2310,81 @@ Detta är en envägsmigration. Du kan inte spara en databas som KeePass1 databas key file of the database nyckel-fil för databas + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_uk.ts b/share/translations/keepassx_uk.ts index 46541a059..d2ceb1d32 100644 --- a/share/translations/keepassx_uk.ts +++ b/share/translations/keepassx_uk.ts @@ -1,33 +1,143 @@ - + AboutDialog - About KeePassX - Про KeePassX + About KeePassXC + - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX розповсюджується на умовах Загальної публічної ліцензії GNU (GPL) версії 2 або (на ваш вибір) версії 3. + About + Про програму - Revision - Ревізія + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - Використання: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + + + + Allow + + + + Deny + + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + + + + KeePassXC HTTP Confirm Access + AutoType - - Auto-Type - KeePassX - Автозаповнення — KeePassX - Couldn't find an entry that matches the window title: Не знайдено запис, що відповідає заголовку вікна: + + Auto-Type - KeePassXC + + AutoTypeAssociationsModel @@ -46,14 +156,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - Автозаповнення — KeePassX - Select entry to Auto-Type: Оберіть запис для автозаповнення: + + Auto-Type - KeePassXC + + ChangeMasterKeyWidget @@ -69,10 +179,6 @@ Repeat password: Повторіть пароль: - - Key file - Файл-ключ - Browse Огляд @@ -93,10 +199,6 @@ Create Key File... Створити файл-ключ... - - Error - Помилка - Unable to create Key File : Неможливо створити файл-ключ: @@ -105,10 +207,6 @@ Select a key file Обрати файл-ключ - - Question - Питання - Do you really want to use an empty string as password? Ви дійсно хочете використати порожній рядок в якості пароля? @@ -117,16 +215,173 @@ Different passwords supplied. Паролі не співпадають. - - Failed to set key file - Не вдалося встановити файл-ключ - Failed to set %1 as the Key file: %2 Не вдалося встановити %1 в якості файл-ключа: %2 + + &Key file + + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + Помилка + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + Помилка + + + Unable to calculate master key + Неможливо вирахувати майстер-пароль + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +401,6 @@ Browse Огляд - - Error - Помилка - Unable to open the database. Неможливо відкрити сховище. @@ -170,6 +421,14 @@ Select key file Оберіть файл-ключ + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -179,11 +438,11 @@ Error - + Помилка Can't open key file - + Не вдається відкрити файл-ключ Database opened fine. Nothing to do. @@ -191,7 +450,7 @@ Unable to open the database. - + Неможливо відкрити сховище. Success @@ -225,10 +484,6 @@ You can now save it. Default username: Типове ім’я користувача: - - Use recycle bin: - Використати смітник: - MiB MiB @@ -245,6 +500,22 @@ You can now save it. Max. history size: Максимальний розмір історії: + + Use recycle bin + + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -264,10 +535,6 @@ You can now save it. Open database Відкрити сховище - - Warning - Увага - File not found! Файл не знайдено! @@ -298,10 +565,6 @@ Save changes? "%1" змінено. Зберегти зміни? - - Error - Помилка - Writing the database failed. Записати сховище не вдалося. @@ -318,11 +581,6 @@ Save changes? locked заблоковано - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - Сховище, яке ви хочете відкрити, заблоковано іншою запущеною копією KeePassX. Все одно відкрити? Сховище буде відкрито тільки для читання. - Lock database Заблокувати сховище @@ -366,13 +624,42 @@ Discard changes and close anyway? Не вдалось записати CSV файл. - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - Це сховище заблоковано іншою запущеною копією KeePassX. -Ви впевнені, що хочете зберегти його? + Unable to open the database. + Неможливо відкрити сховище. - Unable to open the database. + Merge database + + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + + + + Passwords + + + + Database already opened + + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + + + + Open read-only + + + + File opened in read only mode. + + + + Open CSV file @@ -414,14 +701,6 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? Ви дійсно хочете назавжди видалити групу «%1»? - - Current group - Поточна група - - - Error - Помилка - Unable to calculate master key Неможливо вирахувати майстер-пароль @@ -434,6 +713,66 @@ Do you want to save it anyway? Do you really want to move entry "%1" to the recycle bin? + + Searching... + + + + No current database. + + + + No source database, nothing to do. + + + + Search Results (%1) + + + + No Results + + + + Execute command? + + + + Do you really want to execute the following command?<br><br>%1<br> + + + + Remember my choice + + + + Autoreload Request + + + + The database file has changed. Do you want to load the changes? + + + + Merge Request + + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + + + + Could not open the new database file while attempting to autoreload this database. + + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -473,10 +812,6 @@ Do you want to save it anyway? Edit entry Змінити запис - - Error - Помилка - Different passwords supplied. Паролі не співпадають. @@ -519,6 +854,22 @@ Do you want to save it anyway? 1 year 1 рік + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -530,10 +881,6 @@ Do you want to save it anyway? Add Додати - - Edit - Змінити - Remove Видалити @@ -550,6 +897,18 @@ Do you want to save it anyway? Open Відкрити + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -557,14 +916,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry Увімкнути автозаповнення для цього запису - - Inherit default Auto-Type sequence from the group - Успадкувати типову послідовність автозаповнення від групи - - - Use custom Auto-Type sequence: - Використовувати свою послідовність автозаповнення: - + + @@ -578,12 +929,24 @@ Do you want to save it anyway? Заголовок вікна: - Use default sequence - Використовувати типову послідовність + Inherit default Auto-Type sequence from the &group + - Set custom sequence: - Встановити свою послідовність: + &Use custom Auto-Type sequence: + + + + Use default se&quence + + + + Set custo&m sequence: + + + + Window Associations + @@ -623,10 +986,6 @@ Do you want to save it anyway? Repeat: Пароль ще раз: - - Gen. - Генер. - URL: URL: @@ -698,28 +1057,20 @@ Do you want to save it anyway? Пошук - Auto-type + Auto-Type Автозаповнення - Use default auto-type sequence of parent group - Використовувати типову послідовність автозаповнення батьківської групи + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - Типова послідовність автозаповнення + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - Використовувати типовий значок - - - Use custom icon - Використовувати свій значок - Add custom icon Додати свій значок @@ -741,19 +1092,35 @@ Do you want to save it anyway? Вибір зображення - Can't delete icon! - Неможливо видалити значок! - - - Can't delete icon. Still used by %n item(s). - Ви дійсно хочете перемістити %n запис в смітник?Ви дійсно хочете перемістити %n записи в смітник?Ви дійсно хочете перемістити %n записів в смітник? + Error + Помилка - Error + Download favicon - Can't read icon: + Unable to fetch favicon. + + + + Can't read icon + + + + &Use default icon + + + + Use custo&m icon + + + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -776,6 +1143,13 @@ Do you want to save it anyway? Uuid: + + Entry + + - Clone + + + EntryAttributesModel @@ -820,6 +1194,11 @@ Do you want to save it anyway? URL URL + + Ref: + Reference abbreviation + + Group @@ -828,16 +1207,74 @@ Do you want to save it anyway? Смітник + + HttpPasswordGeneratorWidget + + Length: + Довжина: + + + Character Types + Види символів + + + Upper Case Letters + Великі літери + + + A-Z + + + + Lower Case Letters + Малі літери + + + a-z + + + + Numbers + Цифри + + + 0-9 + + + + Special Characters + Спеціальні символи + + + /*_& ... + + + + Exclude look-alike characters + Виключити неоднозначні символи + + + Ensure that the password contains characters from every group + Переконатися, що пароль містить символи всіх видів + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database Імпортувати сховище KeePass 1 - - Error - Помилка - Unable to open the database. Неможливо відкрити сховище. @@ -871,7 +1308,7 @@ Do you want to save it anyway? Wrong key or database file is corrupt. - + Неправильний ключ або файл сховища пошкоджено. @@ -902,6 +1339,10 @@ This is a one-way migration. You won't be able to open the imported databas Ви можете імпортувати його, натиснувши Сховище > 'Імпортувати сховище KeePass 1'. Це односторонній спосіб міграції. Ви не зможете відкрити імпортоване сховище в попередній версії KeePassX 0.4. + + Unable to issue challenge-response. + + Main @@ -910,112 +1351,28 @@ This is a one-way migration. You won't be able to open the imported databas Невиправна помилка в процесі тестування криптографічних функцій. - KeePassX - Error - KeePassX — Помилка + KeePassXC - Error + + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - Сховище - - - Recent databases - Недавні сховища - - - Help - Довідка - - - Entries - Записи - - - Copy attribute to clipboard - Копіювати атрибут в буфер обміну - - - Groups - Групи - - - View - Вигляд - - - Quit - Вихід - - - About - Про програму - Open database Відкрити сховище - - Save database - Зберегти сховище - - - Close database - Закрити сховище - - - New database - Нове сховище - - - Add new entry - Додати новий запис - - - View/Edit entry - Проглянути/змінити запис - - - Delete entry - Видалити запис - - - Add new group - Додати нову групу - - - Edit group - Редагувати групу - - - Delete group - Видалити групу - - - Save database as - Зберегти сховище як - - - Change master key - Змінити майстер-пароль - Database settings Параметри сховища - - Import KeePass 1 database - Імпортувати сховище KeePass 1 - - - Clone entry - Клонувати запис - - - Find - Знайти - Copy username to clipboard Копіювати ім’я користувача в буфер обміну @@ -1028,30 +1385,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings Налаштування - - Perform Auto-Type - Здійснити автозаповнення - - - Open URL - Відкрити URL - - - Lock databases - Заблокувати сховище - - - Title - Заголовок - - - URL - URL - - - Notes - Примітки - Show toolbar Показати панель инструментів @@ -1064,44 +1397,337 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window Перемкнути вікно - - Tools - Інструменти - - - Copy username - Копіювати ім’я користувача - - - Copy password - Копіювати пароль - - - Export to CSV file - Експортувати в файл CSV - - - Repair database - - KeePass 2 Database - + Сховище KeePass 2 All files - + Всі файли Save repaired database - Error + Writing the database failed. + Записати сховище не вдалося. + + + &Recent databases - Writing the database failed. + He&lp + + + + E&ntries + + + + Copy att&ribute to clipboard + + + + &Groups + + + + &View + + + + &Quit + + + + &About + + + + &Open database + + + + &Save database + + + + &Close database + + + + &New database + + + + Merge from KeePassX database + + + + &Add new entry + + + + &View/Edit entry + + + + &Delete entry + + + + &Add new group + + + + &Edit group + + + + &Delete group + + + + Sa&ve database as + + + + Change &master key + + + + &Database settings + + + + &Clone entry + + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + + + + Copy &username + + + + Cop&y password + + + + &Settings + + + + &Perform Auto-Type + + + + &Open URL + + + + &Lock databases + + + + &Title + + + + &URL + + + + &Notes + + + + &Export to CSV file + + + + Re&pair database + + + + Password Generator + + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + Імпортувати сховище KeePass 1 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + + + + General + Загальні + + + Sh&ow a notification when credentials are requested + + + + Sort matching entries by &username + + + + Re&move all stored permissions from entries in active database + + + + Advanced + Розширені + + + Always allow &access to entries + + + + Always allow &updating entries + + + + Searc&h in all opened databases for matching entries + + + + HTTP Port: + + + + Default port: 19455 + + + + Re&quest to unlock the database if it is locked + + + + Sort &matching entries by title + + + + KeePassXC will listen to this port on 127.0.0.1 + + + + Cannot bind to privileged ports + + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + + + + R&emove all shared encryption keys from active database + + + + &Return advanced string fields which start with "KPH: " + + + + Automatically creating or updating string fields is not supported. + + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. @@ -1111,10 +1737,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: Пароль: - - Length: - Довжина: - Character Types Види символів @@ -1139,71 +1761,161 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters Виключити неоднозначні символи - - Ensure that the password contains characters from every group - Переконатися, що пароль містить символи всіх видів - Accept Прийняти - - - QCommandLineParser - Displays version information. - Показує інформацію про версію. + %p% + - Displays this help. - Показує цю довідку. + strength + - Unknown option '%1'. - Невідома опція «%1». + entropy + - Unknown options: %1. - Невідомі опції %1. + &Length: + - Missing value after '%1'. - Пропущено значення після «%1». + Pick characters from every group + - Unexpected value after '%1'. - Непередбачене значення після «%1». + Generate + - [options] - [опції] + Close + - Usage: %1 - Використання: %1 + Apply + - Options: - Опції: + Entropy: %1 bit + - Arguments: - Аргументи: + Password Quality: %1 + + + + Poor + + + + Weak + + + + Good + + + + Excellent + + + + Password + Пароль + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - Існуючий файл %1 непридатний для запису + NULL device + - Writing canceled by application - Запис відмінено застосунком + error reading from device + - Partial write. Partition full? - Частковий запис. Разділ переповнений? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + Група + + + Title + Заголовок + + + Username + Ім’я користувача + + + Password + Пароль + + + URL + URL + + + Notes + Примітки + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1243,20 +1955,111 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - Знайти: + Case Sensitive + - Case sensitive - Враховується регістр + Search + Пошук - Current group - Поточна група + Clear + - Root group - Коренева група + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + + + + Do you want to update the information in %1 - %2? + + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + + + + No shared encryption-keys found in KeePassHttp Settings. + + + + The active database does not contain an entry of KeePassHttp Settings. + + + + Removing stored permissions... + + + + Abort + + + + Successfully removed permissions from %1 %2. + + + + The active database does not contain an entry with permissions. + + + + 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. + + + + KeePassXC: Overwrite existing key? + + + + KeePassXC: Update Entry + + + + KeePassXC: Database locked! + + + + KeePassXC: Removed keys from database + + + + KeePassXC: No keys found + + + + KeePassXC: Settings not available! + + + + KeePassXC: Removed permissions + + + + KeePassXC: No entry with permissions found! + @@ -1273,6 +2076,10 @@ This is a one-way migration. You won't be able to open the imported databas Security Безпека + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1280,10 +2087,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases Пам’ятати останнє сховище - - Open previous databases on startup - Відкривати останнє сховище під час запуску - Automatically save on exit Автоматично зберігати при виході @@ -1304,10 +2107,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut Глобальні сполучення клавіш для автозаповнення - - Use entry title to match windows for global auto-type - Використовувати заголовок запису для вибору вікон для глобального автозаповнення - Language Мова @@ -1321,15 +2120,43 @@ This is a one-way migration. You won't be able to open the imported databas При згортанні ховати вікно в область системних повідомлень - Remember last key files - Пам’ятати останні файл-ключі - - - Hide window to system tray instead of App Exit + Load previous databases on startup - Hide window to system tray on App start + Automatically reload the database when modified externally + + + + Hide window to system tray instead of app exit + + + + Minimize window at application startup + + + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + Автозаповнення + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1352,8 +2179,86 @@ This is a one-way migration. You won't be able to open the imported databas Типово показувати пароль у відкритому вигляді - Always ask before performing auto-type - Завжди запитувати перед автозаповненням + Lock databases after minimizing the window + + + + Don't require password repeat when it is visible + + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + сек + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1366,20 +2271,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - Ласкаво просимо! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + Недавні сховища main - - KeePassX - cross-platform password manager - KeePassX — кросплатформний менеджер паролів - - - filename of the password database to open (*.kdbx) - назва файла сховища паролів, що відкривається (*.kdbx) - path to a custom config file шлях до власного файла налаштувань @@ -1388,5 +2309,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database файл-ключ сховища + + KeePassXC - cross-platform password manager + + + + read password of the database from stdin + + + + filenames of the password databases to open (*.kdbx) + + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_zh_CN.ts b/share/translations/keepassx_zh_CN.ts index bbb55e651..8bc3aaac6 100644 --- a/share/translations/keepassx_zh_CN.ts +++ b/share/translations/keepassx_zh_CN.ts @@ -1,27 +1,107 @@ AboutDialog - - Revision - 修改 - - - Using: - 使用: - About KeePassXC 关于 KeePassXC - Extensions: - - 扩展: - + About + 关于 - KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC 使用的是第 2 版 GNU 通用公共授权协议(GPL)(你可以根据需要选用第 3 版). + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + + + + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + @@ -119,10 +199,6 @@ Please select whether you want to allow access. Create Key File... 创建秘钥文件... - - Error - 错误 - Unable to create Key File : 无法创建秘钥文件: @@ -131,10 +207,6 @@ Please select whether you want to allow access. Select a key file 选择一个秘钥文件 - - Question - 问题 - Do you really want to use an empty string as password? 你确定要使用空密码? @@ -143,10 +215,6 @@ Please select whether you want to allow access. Different passwords supplied. 你输入了不同的密码 - - Failed to set key file - 设置秘钥文件失败 - Failed to set %1 as the Key file: %2 @@ -157,6 +225,163 @@ Please select whether you want to allow access. &Key file 秘钥文件 + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + 错误 + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + 错误 + + + Unable to calculate master key + 无法计算主密码 + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -176,10 +401,6 @@ Please select whether you want to allow access. Browse 浏览 - - Error - 错误 - Unable to open the database. 无法打开数据库 @@ -200,6 +421,14 @@ Please select whether you want to allow access. Select key file 选择秘钥文件 + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -276,6 +505,18 @@ You can now save it. Use recycle bin 使用回收站 + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -295,10 +536,6 @@ You can now save it. Open database 打开数据库 - - Warning - 警告 - File not found! 找不到文件! @@ -329,10 +566,6 @@ Save changes? "%1" 已被修改。 要保存吗? - - Error - 错误 - Writing the database failed. 数据库写入失败 @@ -424,6 +657,14 @@ Do you want to open it anyway? Open read-only 已只读方式打开 + + File opened in read only mode. + + + + Open CSV file + + DatabaseWidget @@ -463,10 +704,6 @@ Do you want to open it anyway? Do you really want to delete the group "%1" for good? 你确定永远删除 "%1" 群组吗? - - Error - 错误 - Unable to calculate master key 无法计算主密码 @@ -527,14 +764,18 @@ Do you want to open it anyway? The database file has changed and you have unsaved changes.Do you want to merge your changes? 数据库文件已更改,您有未保存的更改。是否合并您的更改? - - Autoreload Failed - 自动加载失败 - Could not open the new database file while attempting to autoreload this database. 在尝试 autoreload 此数据库不打开新的数据库文件。 + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? + + EditEntryWidget @@ -574,10 +815,6 @@ Do you want to open it anyway? Edit entry 编辑项目 - - Error - 错误 - Different passwords supplied. 你输入了不同的密码 @@ -620,6 +857,22 @@ Do you want to open it anyway? 1 year 1 年 + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -631,10 +884,6 @@ Do you want to open it anyway? Add 添加 - - Edit - 编辑 - Remove 移除 @@ -651,6 +900,18 @@ Do you want to open it anyway? Open 打开 + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -686,6 +947,10 @@ Do you want to open it anyway? Set custo&m sequence: 设置自定义顺序 + + Window Associations + + EditEntryWidgetHistory @@ -795,16 +1060,16 @@ Do you want to open it anyway? 搜索 - Auto-type + Auto-Type 自动输入 - Use default auto-type sequence of parent group - 使用父群组默认顺序 + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - 设置默认自动输入顺序 + Set default Auto-Type se&quence + @@ -829,10 +1094,6 @@ Do you want to open it anyway? Select Image 选择图片 - - Can't delete icon! - 不能删除图标! - Error 错误 @@ -849,10 +1110,6 @@ Do you want to open it anyway? Can't read icon 无法读取图标 - - Can't delete icon. Still used by %1 items. - %1 项目正在使用,无法删除图标。 - &Use default icon 使用默认图标 @@ -861,6 +1118,14 @@ Do you want to open it anyway? Use custo&m icon 使用自定义图标 + + Confirm Delete + + + + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? + + EditWidgetProperties @@ -932,6 +1197,11 @@ Do you want to open it anyway? URL 网址 + + Ref: + Reference abbreviation + + Group @@ -990,9 +1260,16 @@ Do you want to open it anyway? Ensure that the password contains characters from every group 确保密码包含每种的字符 + + + KMessageWidget - Accept - 接受 + &Close + + + + Close message + @@ -1001,10 +1278,6 @@ Do you want to open it anyway? Import KeePass1 database 导入 KeePass 1 数据库 - - Error - 错误 - Unable to open the database. 无法打开数据库。 @@ -1068,6 +1341,10 @@ This is a one-way migration. You won't be able to open the imported databas 你可以通过点击 数据库 > '导入KeePass 1 数据库’ 来导入。 这是不可逆的修改。导入后的数据库将无法由旧版的KeePassX 0.4版本打开。 + + Unable to issue challenge-response. + + Main @@ -1079,13 +1356,17 @@ This is a one-way migration. You won't be able to open the imported databas KeePassXC - Error KeePassXC - 错误 + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + + MainWindow - - Database - 数据库 - Open database 打开数据库 @@ -1118,10 +1399,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window 切换窗口 - - Tools - 工具 - KeePass 2 Database KeePass 2 数据库 @@ -1134,10 +1411,6 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database 保存修复后的数据库 - - Error - 错误 - Writing the database failed. 数据库写入失败 @@ -1230,14 +1503,26 @@ This is a one-way migration. You won't be able to open the imported databas &Database settings 数据库设置 - - &Import KeePass 1 database - 导入KeePass 1 数据库 - &Clone entry 复制项目 + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + &Find 查找 @@ -1290,6 +1575,46 @@ This is a one-way migration. You won't be able to open the imported databas Password Generator 密码生成器 + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + 导入KeePass 1 数据库 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + OptionDialog @@ -1305,11 +1630,6 @@ This is a one-way migration. You won't be able to open the imported databas Sh&ow a notification when credentials are requested - - &Match URL schemes -Only entries with the same scheme (http://, https://, ftp://, ...) are returned - - Sort matching entries by &username 按匹配用户名排序 @@ -1318,10 +1638,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Re&move all stored permissions from entries in active database - - Password generator - 密码生成器 - Advanced 高级 @@ -1338,10 +1654,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Searc&h in all opened databases for matching entries 在所有打开的数据库中查找匹配项目 - - Only the selected database has to be connected with a client! - 客户端只能连接选中的数据库! - HTTP Port: HTTP端口: @@ -1358,12 +1670,6 @@ Only entries with the same scheme (http://, https://, ftp://, ...) are returned< Sort &matching entries by title 用标题排序匹配的项目 - - Enable KeepassXC HTTP protocol -This is required for accessing your databases from ChromeIPass or PassIFox - 启用KeepassXC HTTP协议 -这需要ChromeIPass或PassIFox访问你的数据库 - KeePassXC will listen to this port on 127.0.0.1 KeePassXC 将监听 127.0.0.1上的此端口 @@ -1378,19 +1684,10 @@ Using default port 19455. 无法绑定低于 1024的特殊端口 ! 使用默认端口 19455。 - - &Return only best matching entries for a URL instead -of all entries for the whole domain - 只返回最佳匹配条目的 URL 而不是整个域的所有条目 - R&emove all shared encryption keys from active database 移除所有激活数据库共享的加密密钥 - - The following options can be dangerous. Change them only if you know what you are doing. - 以下选项不要修改。除非你知道自己在做什么。 - &Return advanced string fields which start with "KPH: " @@ -1399,6 +1696,43 @@ of all entries for the whole domain Automatically creating or updating string fields is not supported. 不支持自动创建或更新字符串字段。 + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + 密码生成器 + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1490,12 +1824,101 @@ of all entries for the whole domain Excellent 优秀 + + Password + 密码 + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + + QObject - Http - Http + NULL device + + + + error reading from device + + + + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + 群组 + + + Title + 标题 + + + Username + 用户名 + + + Password + 密码 + + + URL + 网址 + + + Notes + 备注 + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1542,14 +1965,18 @@ of all entries for the whole domain Search 搜索 - - Find - 查找 - Clear 清除 + + Search... + + + + Limit search to selected group + + Service @@ -1654,6 +2081,10 @@ give it a unique name to identify and accept it. Security 安全 + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1681,10 +2112,6 @@ give it a unique name to identify and accept it. Global Auto-Type shortcut 自动输入全局快捷键 - - Use entry title to match windows for global auto-type - 使用项目标题来查找自动输入的目标窗口 - Language 语言 @@ -1697,10 +2124,6 @@ give it a unique name to identify and accept it. Hide window to system tray when minimized 将窗口最小化至任务栏 - - Remember last key files - 记住最近的秘钥文件 - Load previous databases on startup 在启动时加载最近的数据库 @@ -1717,6 +2140,30 @@ give it a unique name to identify and accept it. Minimize window at application startup 在应用程序启动时窗口最小化 + + Basic Settings + + + + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + 自动输入 + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type + + SettingsWidgetSecurity @@ -1736,10 +2183,6 @@ give it a unique name to identify and accept it. Show passwords in cleartext by default 默认以明码显示密码 - - Always ask before performing auto-type - 在执行自动输入前询问 - Lock databases after minimizing the window 在最小化窗口后锁定数据库 @@ -1748,6 +2191,80 @@ give it a unique name to identify and accept it. Don't require password repeat when it is visible 可见时不需要重复输入密码 + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + + UnlockDatabaseWidget @@ -1759,8 +2276,32 @@ give it a unique name to identify and accept it. WelcomeWidget - Welcome! - 欢迎! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + 最近的数据库 @@ -1785,5 +2326,69 @@ give it a unique name to identify and accept it. filenames of the password databases to open (*.kdbx) 打开密码数据库文件名(*.kdbx) + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file diff --git a/share/translations/keepassx_zh_TW.ts b/share/translations/keepassx_zh_TW.ts index c8c2f9e1a..d50444e76 100644 --- a/share/translations/keepassx_zh_TW.ts +++ b/share/translations/keepassx_zh_TW.ts @@ -1,33 +1,144 @@ - + AboutDialog - About KeePassX - 關於 KeePassX + About KeePassXC + 關於 KeePassXC - KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX 是使用第 2 版 GNU 通用公共授權條款所發佈的 (或者,可根據你的選擇選用第 3 版) + About + 關於 - Revision - 修改紀錄 + <html><head/><body><p>Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues"><span style="text-decoration: underline; color:#0000ff;">https://github.com</span></a></p></body></html> + - Using: - 使用: + <html><head/><body><p>KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3.</p></body></html> + + + + <html><head><style>li {font-size: 10pt}</style></head><body><p><span style=" font-size:10pt;">Project Maintainers:</span></p><ul><li>droidmonkey</li><li>phoerious</li><li>TheZ3ro</li><li>louib</li><li>Weslly</li><li>debfx (KeePassX)</li></ul></body></html> + + + + Contributors + + + + <html><body> + <p style="font-size:x-large; font-weight:600;">Code:</p> + <ul> + <li style="font-size:10pt">debfx (KeePassX)</li> + <li style="font-size:10pt">BlueIce (KeePassX)</li> + <li style="font-size:10pt">droidmonkey</li> + <li style="font-size:10pt">phoerious</li> + <li style="font-size:10pt">TheZ3ro</li> + <li style="font-size:10pt">louib</li> + <li style="font-size:10pt">weslly</li> + <li style="font-size:10pt">keithbennett (KeePassHTTP)</li> + <li style="font-size:10pt">Typz (KeePassHTTP)</li> + <li style="font-size:10pt">denk-mal (KeePassHTTP)</li> + <li style="font-size:10pt">kylemanna (YubiKey)</li> + <li style="font-size:10pt">seatedscribe (CSV Importer)</li> + <li style="font-size:10pt">pgalves (Inline Messages)</li> + </ul> + <p style="font-size:x-large; font-weight:600;">Translations:</p> + <ul> + <li style="font-size:10pt"><span style="font-weight:600;">Chinese:</span> Biggulu, ligyxy, BestSteve</li> + <li style="font-size:10pt"><span style="font-weight:600;">Czech:</span> pavelb, JosefVitu</li> + <li style="font-size:10pt"><span style="font-weight:600;">Dutch:</span> Vistaus, KnooL, apie</li> + <li style="font-size:10pt"><span style="font-weight:600;">Finnish:</span> MawKKe</li> + <li style="font-size:10pt"><span style="font-weight:600;">French:</span> Scrat15, frgnca, gilbsgilbs, gtalbot, iannick, kyodev, logut</li> + <li style="font-size:10pt"><span style="font-weight:600;">German:</span> Calyrx, DavidHamburg, antsas, codejunky, jensrutschmann, montilo, omnisome4, origin_de, pcrcoding, phoerious, rgloor, vlenzer</li> + <li style="font-size:10pt"><span style="font-weight:600;">Greek:</span> nplatis</li> + <li style="font-size:10pt"><span style="font-weight:600;">Italian:</span> TheZ3ro, FranzMari, Mte90, tosky</li> + <li style="font-size:10pt"><span style="font-weight:600;">Kazakh:</span> sotrud_nik</li> + <li style="font-size:10pt"><span style="font-weight:600;">Lithuanian:</span> Moo</li> + <li style="font-size:10pt"><span style="font-weight:600;">Polish:</span> konradmb, mrerexx</li> + <li style="font-size:10pt"><span style="font-weight:600;">Portuguese: </span>vitor895, weslly, American_Jesus, mihai.ile</li> + <li style="font-size:10pt"><span style="font-weight:600;">Russian:</span> vsvyatski, KekcuHa, wkill95</li> + <li style="font-size:10pt"><span style="font-weight:600;">Spanish:</span> EdwardNavarro, antifaz, piegope, pquin, vsvyatski</li> + <li style="font-size:10pt"><span style="font-weight:600;">Swedish:</span> henziger</li> + </ul> + </body></html> + + + + <html><head/><body><p align="center"><a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors"><span style=" font-size:10pt; text-decoration: underline; color:#0000ff;">See Contributions on GitHub</span></a></p></body></html> + + + + Debug Info + + + + <html><head/><body><p>Include the following information whenever you report a bug:</p></body></html> + + + + Copy to clipboard + + + + Version %1 + + + + + Revision: %1 + + + + Libraries: + + + + Operating system: %1 +CPU architecture: %2 +Kernel: %3 %4 + + + + Enabled extensions: + + + + + AccessControlDialog + + Remember this decision + 記住此決定 + + + Allow + 允許 + + + Deny + 禁止 + + + %1 has requested access to passwords for the following item(s). +Please select whether you want to allow access. + %1 要求存取下列項目的密碼。 +請選擇是否允許存取。 + + + KeePassXC HTTP Confirm Access + KeePassXC HTTP 確認存取 AutoType - - Auto-Type - KeePassX - KeePassX - 自動輸入 - Couldn't find an entry that matches the window title: 無法找到符合視窗標題的項目 + + Auto-Type - KeePassXC + 自動輸入 - KeePassXC + AutoTypeAssociationsModel @@ -46,14 +157,14 @@ AutoTypeSelectDialog - - Auto-Type - KeePassX - KeePassX - 自動輸入 - Select entry to Auto-Type: 選擇自動輸入的項目 + + Auto-Type - KeePassXC + 自動輸入 - KeePassXC + ChangeMasterKeyWidget @@ -69,10 +180,6 @@ Repeat password: 再次輸入密碼 - - Key file - 金鑰檔案 - Browse 瀏覽 @@ -93,10 +200,6 @@ Create Key File... 建立一個金鑰檔案 - - Error - 錯誤 - Unable to create Key File : 無法建立金鑰檔案: @@ -105,10 +208,6 @@ Select a key file 選擇一個金鑰檔案 - - Question - 問題 - Do you really want to use an empty string as password? 你真的想使用空白密碼嗎? @@ -117,16 +216,173 @@ Different passwords supplied. 提供了不同的密碼 - - Failed to set key file - 無法設定金鑰檔案 - Failed to set %1 as the Key file: %2 無法設定 %1 成為金鑰檔案: %2 + + &Key file + 金鑰檔案 (&K) + + + Cha&llenge Response + + + + Refresh + + + + Empty password + + + + Changing master key failed: no YubiKey inserted. + + + + + CloneDialog + + Clone Options + + + + Append ' - Copy' to title + + + + Replace username and password with references + + + + Copy history + + + + + CsvImportWidget + + Import CSV fields + + + + filename + + + + size, rows, columns + + + + Encoding + + + + Codec + + + + 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 + + + + Preview + + + + Column layout + + + + Not present in CSV file + + + + Empty fieldname + + + + column + + + + Imported from CSV file + + + + Original data: + + + + Error(s) detected in CSV file ! + + + + more messages skipped] + + + + Error + 錯誤 + + + CSV import: writer has errors: + + + + + + CsvImportWizard + + Import CSV file + + + + Error + 錯誤 + + + Unable to calculate master key + 無法計算主金鑰 + + + + CsvParserModel + + byte, + + + + rows, + + + + columns + + DatabaseOpenWidget @@ -146,10 +402,6 @@ Browse 瀏覽 - - Error - 錯誤 - Unable to open the database. 無法打開這個資料庫 @@ -170,6 +422,14 @@ Select key file 選擇金鑰檔案 + + Refresh + + + + Challenge Response: + + DatabaseRepairWidget @@ -226,10 +486,6 @@ You can now save it. Default username: 預設的使用者名稱: - - Use recycle bin: - 使用垃圾桶: - MiB MiB @@ -246,6 +502,22 @@ You can now save it. Max. history size: 最大的歷史大小: + + Use recycle bin + 使用回收桶 + + + AES: 256 Bit (default) + + + + Twofish: 256 Bit + + + + Algorithm: + + DatabaseTabWidget @@ -265,10 +537,6 @@ You can now save it. Open database 打開資料庫 - - Warning - 警告 - File not found! 找不到檔案! @@ -298,10 +566,6 @@ You can now save it. Save changes? "%1" 已被修改。要儲存嗎? - - Error - 錯誤 - Writing the database failed. 寫入資料庫失敗 @@ -318,12 +582,6 @@ Save changes? locked 已鎖住 - - The database you are trying to open is locked by another instance of KeePassX. -Do you want to open it anyway? Alternatively the database is opened read-only. - 你嘗試要打開的資料庫已經被另一個正在執行的 KeePassX 鎖定 -你要打開它嗎?或者,打開唯讀的資料庫 - Lock database 鎖定資料庫 @@ -367,13 +625,45 @@ Discard changes and close anyway? 寫入 CSV 檔案失敗 - The database you are trying to save as is locked by another instance of KeePassX. -Do you want to save it anyway? - 你嘗試要打開的資料庫已經被另一個正在執行的 KeePassX 鎖定 -還要儲存嗎? + Unable to open the database. + 無法開啟這個資料庫 - Unable to open the database. + Merge database + 合併資料庫 + + + The database you are trying to save as is locked by another instance of KeePassXC. +Do you want to save it anyway? + 欲保存的資料庫已被其他 KeePassXC 程式鎖定。 +確定仍要繼續儲存? + + + Passwords + 密碼 + + + Database already opened + 資料庫已經開啟 + + + The database you are trying to open is locked by another instance of KeePassXC. + +Do you want to open it anyway? + 欲開啟的資料庫已被其他 KeePassXC 程式鎖定。 + +確定仍要繼續開啟? + + + Open read-only + 以唯讀模式開啟 + + + File opened in read only mode. + + + + Open CSV file @@ -415,24 +705,76 @@ Do you want to save it anyway? Do you really want to delete the group "%1" for good? 你真的想永遠刪除 "%1 " 群組嗎? - - Current group - 目前的群組 - - - Error - 錯誤 - Unable to calculate master key 無法計算主金鑰 Move entry to recycle bin? - + 移動項目到回收桶? Do you really want to move entry "%1" to the recycle bin? + 你真的想將 "%1" 移到回收桶? + + + Searching... + 搜尋中…… + + + No current database. + 無目前資料庫。 + + + No source database, nothing to do. + 無來源資料庫,無事可做。 + + + Search Results (%1) + 搜尋結果 (%1) + + + No Results + 無結果 + + + Execute command? + 執行命令? + + + Do you really want to execute the following command?<br><br>%1<br> + 你真的想執行下列命令嗎?<br><br>%1<br> + + + Remember my choice + 記住我的選擇 + + + Autoreload Request + 自動重新讀取請求 + + + The database file has changed. Do you want to load the changes? + 資料庫檔案已變更。要讀取變更嗎? + + + Merge Request + 合併請求 + + + The database file has changed and you have unsaved changes.Do you want to merge your changes? + 資料庫檔案已變更,且你有尚未儲存的變更。要合併你的變更嗎? + + + Could not open the new database file while attempting to autoreload this database. + 自動重新讀取此資料庫時無法開啟新資料褲檔案。 + + + Empty recycle bin? + + + + Are you sure you want to permanently delete everything from your recycle bin? @@ -474,10 +816,6 @@ Do you want to save it anyway? Edit entry 編輯項目 - - Error - 錯誤 - Different passwords supplied. 提供了不同的密碼 @@ -520,6 +858,22 @@ Do you want to save it anyway? 1 year 1 年 + + Confirm Remove + + + + Are you sure you want to remove this attribute? + + + + [PROTECTED] Press reveal to view or edit + + + + Are you sure you want to remove this attachment? + + EditEntryWidgetAdvanced @@ -531,10 +885,6 @@ Do you want to save it anyway? Add 加入 - - Edit - 編輯 - Remove 移除 @@ -551,6 +901,18 @@ Do you want to save it anyway? Open 打開 + + Edit Name + + + + Protect + + + + Reveal + + EditEntryWidgetAutoType @@ -558,14 +920,6 @@ Do you want to save it anyway? Enable Auto-Type for this entry 打開此項目的自動輸入 - - Inherit default Auto-Type sequence from the group - 從父群組繼承預設的自動輸入序列 - - - Use custom Auto-Type sequence: - 使用自訂的自動輸入序列 - + + @@ -579,12 +933,24 @@ Do you want to save it anyway? 視窗標題: - Use default sequence - 使用預設序列 + Inherit default Auto-Type sequence from the &group + 從群組中繼承預設的自動輸入序列 (&G) - Set custom sequence: - 設定自訂的序列 + &Use custom Auto-Type sequence: + 使用自訂的自動輸入序列:(&U) + + + Use default se&quence + 使用預設序列 (&Q) + + + Set custo&m sequence: + 設定預設的序列:(&M) + + + Window Associations + @@ -624,10 +990,6 @@ Do you want to save it anyway? Repeat: 重複: - - Gen. - 產生 - URL: 網址: @@ -699,28 +1061,20 @@ Do you want to save it anyway? 搜尋 - Auto-type + Auto-Type 自動輸入 - Use default auto-type sequence of parent group - 使用預設的父群組自動輸入序列 + &Use default Auto-Type sequence of parent group + - Set default auto-type sequence - 設定預設自動輸入序列 + Set default Auto-Type se&quence + EditWidgetIcons - - Use default icon - 使用預設的圖示 - - - Use custom icon - 使用自訂的圖示 - Add custom icon 加入自訂的圖示 @@ -742,19 +1096,35 @@ Do you want to save it anyway? 選擇圖片 - Can't delete icon! - 不能刪除圖示! - - - Can't delete icon. Still used by %n item(s). - 不能刪除圖示。仍在被 %n 個使用 + Error + 錯誤 - Error + Download favicon + 下載圖示 + + + Unable to fetch favicon. + 無法擷取圖示。 + + + Can't read icon + 無法讀取圖示 + + + &Use default icon + 使用預設圖示 (&U) + + + Use custo&m icon + 使用自訂圖示 (&M) + + + Confirm Delete - Can't read icon: + This icon is used by %1 entries, and will be replaced by the default icon. Are you sure you want to delete it? @@ -777,6 +1147,13 @@ Do you want to save it anyway? Uuid (通用唯一識別碼) + + Entry + + - Clone + - 複製 + + EntryAttributesModel @@ -821,6 +1198,11 @@ Do you want to save it anyway? URL 網址 + + Ref: + Reference abbreviation + + Group @@ -829,16 +1211,74 @@ Do you want to save it anyway? 回收桶 + + HttpPasswordGeneratorWidget + + Length: + 長度: + + + Character Types + 字元類型 + + + Upper Case Letters + 大寫英文字母 + + + A-Z + A-Z + + + Lower Case Letters + 小寫英文字母 + + + a-z + a-z + + + Numbers + 數字 + + + 0-9 + 0-9 + + + Special Characters + 特殊字元 + + + /*_& ... + /*_& ... + + + Exclude look-alike characters + 去除相似的字元 + + + Ensure that the password contains characters from every group + 確定密碼包含每一組的字元 + + + + KMessageWidget + + &Close + + + + Close message + + + KeePass1OpenWidget Import KeePass1 database 匯入 KeePass 1 資料庫 - - Error - 錯誤 - Unable to open the database. 無法開啟這個資料庫 @@ -872,7 +1312,7 @@ Do you want to save it anyway? Wrong key or database file is corrupt. - + 無法的金鑰或資料庫損壞 @@ -904,6 +1344,10 @@ This is a one-way migration. You won't be able to open the imported databas 你可以點選 資料庫 > 「匯入 KeePass 1 資料庫」。 這是單向遷移。你無法用舊的 KeePassX 0.4 的版本打開被匯入的資料庫。 + + Unable to issue challenge-response. + + Main @@ -912,112 +1356,28 @@ This is a one-way migration. You won't be able to open the imported databas 重大錯誤,在測試加密函數時 - KeePassX - Error - KeePassX - 錯誤 + KeePassXC - Error + KeePassXC - 錯誤 + + + The lock file could not be created. Single-instance mode disabled. + + + + Another instance of KeePassXC is already running. + MainWindow - - Database - 資料庫 - - - Recent databases - 近期的資料庫 - - - Help - 幫助 - - - Entries - 項目 - - - Copy attribute to clipboard - 將屬性複製到剪貼簿 - - - Groups - 群組 - - - View - 顯示 - - - Quit - 關閉 - - - About - 關於 - Open database 打開資料庫 - - Save database - 儲存資料庫 - - - Close database - 關閉資料庫 - - - New database - 新增資料庫 - - - Add new entry - 加入項目 - - - View/Edit entry - 瀏覽/編輯項目 - - - Delete entry - 刪除項目 - - - Add new group - 增加新的群組 - - - Edit group - 編輯群組 - - - Delete group - 刪除群組 - - - Save database as - 儲存資料庫為 - - - Change master key - 變更主金鑰 - Database settings 資料庫設定 - - Import KeePass 1 database - 匯入 KeePass 1 資料庫 - - - Clone entry - 拷貝項目 - - - Find - 尋找 - Copy username to clipboard 將使用者名稱複製到剪貼簿 @@ -1030,30 +1390,6 @@ This is a one-way migration. You won't be able to open the imported databas Settings 設定 - - Perform Auto-Type - 執行自動輸入 - - - Open URL - 打開網址 - - - Lock databases - 鎖住資料庫 - - - Title - 標題 - - - URL - 網址 - - - Notes - 附註 - Show toolbar 顯示工具列 @@ -1066,26 +1402,6 @@ This is a one-way migration. You won't be able to open the imported databas Toggle window 切換視窗 - - Tools - 工具 - - - Copy username - 複製使用者名稱 - - - Copy password - 複製密碼 - - - Export to CSV file - 輸出成 CSV 檔案 - - - Repair database - 修復資料庫 - KeePass 2 Database KeePass 2 資料庫 @@ -1098,14 +1414,328 @@ This is a one-way migration. You won't be able to open the imported databas Save repaired database 儲存已修復的資料庫 - - Error - 錯誤 - Writing the database failed. 寫入資料庫失敗 + + &Recent databases + 最近的資料庫 (&R) + + + He&lp + 幫助 (&L) + + + E&ntries + 項目 (&N) + + + Copy att&ribute to clipboard + 複製屬性到剪貼簿 (&R) + + + &Groups + 群組 (&G) + + + &View + 檢視 (&V) + + + &Quit + 離開 (&Q) + + + &About + 關於 (&A) + + + &Open database + 開啟資料庫 (&O) + + + &Save database + 儲存資料庫 (&S) + + + &Close database + 關閉資料庫 (&C) + + + &New database + 新的資料庫 (&N) + + + Merge from KeePassX database + 從 KeePassX 資料庫合併 + + + &Add new entry + 新增項目 (&A) + + + &View/Edit entry + 檢視/編輯項目 (&V) + + + &Delete entry + 刪除項目 (&D) + + + &Add new group + 新增群組 (&A) + + + &Edit group + 編輯群組 (&E) + + + &Delete group + 刪除群組 (&D) + + + Sa&ve database as + 將資料庫儲存為 (&V) + + + Change &master key + 變更主金鑰 (&M) + + + &Database settings + 資料庫設定 (&D) + + + &Clone entry + 複製項目 (&C) + + + Timed one-time password + + + + Setup TOTP + + + + Copy &TOTP + + + + Show TOTP + + + + &Find + 尋找 (&F) + + + Copy &username + 複製使用者名稱 (&U) + + + Cop&y password + 複製密碼 (&Y) + + + &Settings + 設定 (&S) + + + &Perform Auto-Type + 執行自動輸入 (&P) + + + &Open URL + 開啟網址 (&O) + + + &Lock databases + 鎖定資料庫 (&L) + + + &Title + 標題 (&T) + + + &URL + 網址 (&U) + + + &Notes + 附註 (&N) + + + &Export to CSV file + 匯出到 CSV 檔案 (&E) + + + Re&pair database + 修復資料庫 (&P) + + + Password Generator + 密碼產生器 + + + Clear history + + + + &Database + + + + Import + + + + &Tools + + + + Import KeePass 1 database + 匯入 KeePass 1 資料庫 + + + Import CSV file + + + + Empty recycle bin + + + + Access error for config file %1 + + + + Quit KeePassXC + + + + Please touch the button on your YubiKey! + + + + + OptionDialog + + Dialog + 對話方塊 + + + General + 一般 + + + Sh&ow a notification when credentials are requested + 要求憑證時顯示通知 (&O) + + + Sort matching entries by &username + 依使用者名稱排序符合項目 (&U) + + + Re&move all stored permissions from entries in active database + 從目前的資料庫項目中移除所有權限 (&M) + + + Advanced + 進階的 + + + Always allow &access to entries + 總是允許存取項目 (&A) + + + Always allow &updating entries + 總是允許更新項目 (&U) + + + Searc&h in all opened databases for matching entries + 在所有開啟的資料庫內搜尋相符的項目 (&H) + + + HTTP Port: + HTTP Port: + + + Default port: 19455 + 預設 port: 19455 + + + Re&quest to unlock the database if it is locked + 若資料庫已鎖定,則請求解鎖 (&Q) + + + Sort &matching entries by title + 依名稱排序符合項目 (&M) + + + KeePassXC will listen to this port on 127.0.0.1 + KeePassXC 會在 127.0.0.1 上監聽此 port + + + Cannot bind to privileged ports + 無法綁定到特殊權限 port + + + Cannot bind to privileged ports below 1024! +Using default port 19455. + 無法綁定到 1024 以下的特殊權限 port! +使用預設 port 19455。 + + + R&emove all shared encryption keys from active database + 從目前的資料庫移除所有共用的加密金鑰 (&E) + + + &Return advanced string fields which start with "KPH: " + 回傳 "KPH: " 起首的進階文字欄位 (&R) + + + Automatically creating or updating string fields is not supported. + 不支援自動建立或更新文字欄位 + + + This is required for accessing your databases from ChromeIPass or PassIFox + + + + Enable KeePassHTTP server + + + + Only returns the best matches for a specific URL instead of all entries for the whole domain. + + + + &Return only best matching entries + + + + Only entries with the same scheme (http://, https://, ftp://, ...) are returned. + + + + &Match URL schemes + + + + Password Generator + 密碼產生器 + + + Only the selected database has to be connected with a client. + + + + The following options can be dangerous! +Change them only if you know what you are doing. + + PasswordGeneratorWidget @@ -1113,10 +1743,6 @@ This is a one-way migration. You won't be able to open the imported databas Password: 密碼: - - Length: - 長度: - Character Types 字元類型 @@ -1141,71 +1767,161 @@ This is a one-way migration. You won't be able to open the imported databas Exclude look-alike characters 去除相似的字元 - - Ensure that the password contains characters from every group - 確定密碼包含每一組的字元 - Accept 接受 - - - QCommandLineParser - Displays version information. - 顯示版本資訊 + %p% + %p% - Displays this help. - 顯示這個幫助訊息 + strength + 強度 - Unknown option '%1'. - 不知的選項 '%1' + entropy + - Unknown options: %1. - 不知的選項 '%1' + &Length: + 長度 (&L): - Missing value after '%1'. - 在 "%1" 後缺少值 + Pick characters from every group + 從每一組中選擇字元 - Unexpected value after '%1'. - "%1" 後有不預期的值 + Generate + 產生 - [options] - [選項] + Close + 關閉 - Usage: %1 - 使用方式:%1 + Apply + 套用 - Options: - 選項: + Entropy: %1 bit + 熵:%1 bit - Arguments: - 參數 + Password Quality: %1 + 密碼素質:%1 + + + Poor + 極弱 + + + Weak + 較弱 + + + Good + 較好 + + + Excellent + 極好 + + + Password + 密碼 + + + Extended ASCII + + + + Passphrase + + + + Wordlist: + + + + Word Count: + + + + Word Separator: + + + + Copy + - QSaveFile + QObject - Existing file %1 is not writable - 現有的檔案 %1 不可寫入 + NULL device + - Writing canceled by application - 應用程式取消寫入 + error reading from device + - Partial write. Partition full? - 部分寫入。分區滿了嗎? + file empty ! + + + + + malformed string + + + + missing closing quote + + + + INTERNAL - unget lower bound exceeded + + + + Group + 群組 + + + Title + 標題 + + + Username + 使用者名稱 + + + Password + 密碼 + + + URL + 網址 + + + Notes + 附註 + + + Browser Integration + + + + YubiKey[%1] Challenge Response - Slot %2 - %3 + + + + Press + + + + Passive + @@ -1245,20 +1961,115 @@ This is a one-way migration. You won't be able to open the imported databas SearchWidget - Find: - 尋找: - - - Case sensitive + Case Sensitive 區分大小寫 - Current group - 目前的群組 + Search + 搜尋 - Root group - 根群組 + Clear + 清除 + + + Search... + + + + Limit search to selected group + + + + + Service + + A shared encryption-key with the name "%1" already exists. +Do you want to overwrite it? + 已存在名為 "%1" 的共用加密金鑰。 +你想覆蓋嗎? + + + Do you want to update the information in %1 - %2? + 你想更新 %1 到 %2 的資訊嗎? + + + The active database is locked! +Please unlock the selected database or choose another one which is unlocked. + 目前的資料庫已鎖定! +請解鎖所選的資料庫或選擇其他已解鎖的資料庫。 + + + Successfully removed %1 encryption-%2 from KeePassX/Http Settings. + 成功從 KeePassX/Http Settings 移除 %1 encryption-%2。 + + + No shared encryption-keys found in KeePassHttp Settings. + KeePassHttp Settings 中找不到共享加密金鑰。 + + + The active database does not contain an entry of KeePassHttp Settings. + 目前的資料庫沒有 KeePassHttp Settings 項目。 + + + Removing stored permissions... + 正在移除所有已儲存的權限…… + + + Abort + 中止 + + + Successfully removed permissions from %1 %2. + 成功從 %1 %2 移除權限。 + + + The active database does not contain an entry with permissions. + 目前的資料庫中無包含權限的項目。 + + + KeePassXC: New key association request + KeePassXC:新的金鑰關聯請求 + + + 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. + 你已接收到上述金鑰的關聯請求。 +如果你允許透過此金鑰存取你的 KeePassXC 資料庫 +請命名專屬的名稱並按下接受。 + + + KeePassXC: Overwrite existing key? + KeePassXC:覆蓋現有的金鑰嗎? + + + KeePassXC: Update Entry + KeePassXC:更新項目 + + + KeePassXC: Database locked! + KeePassXC:資料庫已鎖定! + + + KeePassXC: Removed keys from database + KeePassXC:從資料庫中刪除金鑰 + + + KeePassXC: No keys found + KeePassXC:沒有找到金鑰 + + + KeePassXC: Settings not available! + KeePassXC:設定不可用! + + + KeePassXC: Removed permissions + KeePassXC:已移除權限 + + + KeePassXC: No entry with permissions found! + KeePassXC:無含有權限的項目! @@ -1275,6 +2086,10 @@ This is a one-way migration. You won't be able to open the imported databas Security 安全性 + + Access error for config file %1 + + SettingsWidgetGeneral @@ -1282,10 +2097,6 @@ This is a one-way migration. You won't be able to open the imported databas Remember last databases 記住最近的資料庫 - - Open previous databases on startup - 在啟動時開啟最近的資料庫 - Automatically save on exit 離開時,自動儲存 @@ -1306,10 +2117,6 @@ This is a one-way migration. You won't be able to open the imported databas Global Auto-Type shortcut 全域自動輸入快捷鍵 - - Use entry title to match windows for global auto-type - 使用項目標題來找尋自動輸入的目標視窗 - Language 語言 @@ -1323,15 +2130,43 @@ This is a one-way migration. You won't be able to open the imported databas 將視窗最小化至工作列 - Remember last key files - 記住最近的金鑰檔案 + Load previous databases on startup + 啟動時載入之前的資料庫 - Hide window to system tray instead of App Exit + Automatically reload the database when modified externally + 當有外部修改時自動重新載入資料庫 + + + Hide window to system tray instead of app exit + 將視窗最小化至工作列而非關閉程式 + + + Minimize window at application startup + 程式啟動時視窗最小化 + + + Basic Settings - Hide window to system tray on App start + Remember last key files and security dongles + + + + Don't mark database as modified for non-data changes (e.g., expanding groups) + + + + Auto-Type + 自動輸入 + + + Use entry title and URL to match windows for global Auto-Type + + + + Always ask before performing Auto-Type @@ -1354,8 +2189,86 @@ This is a one-way migration. You won't be able to open the imported databas 預設以明碼顯示密碼 - Always ask before performing auto-type - 在執行自動輸入前通常要詢問 + Lock databases after minimizing the window + 最小化視窗後鎖定資料庫 + + + Don't require password repeat when it is visible + 顯示密碼時不需要重複輸入密碼 + + + Timeouts + + + + Convenience + + + + Lock databases when session is locked or lid is closed + + + + + SetupTotpDialog + + Setup TOTP + + + + Key: + + + + Use custom settings + + + + Note: Change these settings only if you know what you are doing. + + + + Time step: + + + + 8 digits + + + + 6 digits + + + + Code size: + + + + sec + + + + + TotpDialog + + Timed Password + + + + 000000 + + + + Copy + + + + Expires in + + + + seconds + @@ -1368,20 +2281,36 @@ This is a one-way migration. You won't be able to open the imported databas WelcomeWidget - Welcome! - 歡迎! + Welcome to KeePassXC + + + + Start storing your passwords securely in a KeePassXC database + + + + Create new database + + + + Open existing database + + + + Import from KeePass 1 + + + + Import from CSV + + + + Recent databases + 近期的資料庫 main - - KeePassX - cross-platform password manager - KeePassX - 跨平台密碼管理軟體 - - - filename of the password database to open (*.kdbx) - 要開啟的密碼資料庫檔案名稱 (*.kdbx) - path to a custom config file 自定設定檔的路徑 @@ -1390,5 +2319,81 @@ This is a one-way migration. You won't be able to open the imported databas key file of the database 資料庫的金鑰 + + KeePassXC - cross-platform password manager + KeePassXC - 跨平台的密碼管理工具 + + + read password of the database from stdin + 從 stdin 讀取資料庫密碼 + + + filenames of the password databases to open (*.kdbx) + 欲開啟的密碼資料庫檔名 (*.kdbx) + + + Copy a password to the clipboard + + + + Path of the database. + + + + Use a GUI prompt unlocking the database. + + + + Name of the entry to clip. + + + + Extract and print the content of a database. + + + + Path of the database to extract. + + + + Name of the command to execute. + + + + List database entries. + + + + Path of the group to list. Default is / + + + + Print the UUIDs of the entries and groups. + + + + Merge two databases. + + + + Path of the database to merge into. + + + + Path of the database to merge from. + + + + Use the same password for both database files. + + + + Show a password. + + + + Name of the entry to show. + + \ No newline at end of file