From f1cf697547a5b5d26aee4624e70526647d65eb22 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sun, 25 Feb 2018 20:17:43 +0100 Subject: [PATCH 01/15] Strip newlines from title, username and URL when saving entries, resolves #1502 --- src/gui/entry/EditEntryWidget.cpp | 8 +++++--- 1 file changed, 5 insertions(+), 3 deletions(-) diff --git a/src/gui/entry/EditEntryWidget.cpp b/src/gui/entry/EditEntryWidget.cpp index b180c2a01..3b70e4453 100644 --- a/src/gui/entry/EditEntryWidget.cpp +++ b/src/gui/entry/EditEntryWidget.cpp @@ -772,12 +772,14 @@ void EditEntryWidget::acceptEntry() void EditEntryWidget::updateEntryData(Entry* entry) const { + QRegularExpression newLineRegex("(?:\r?\n|\r)"); + entry->attributes()->copyCustomKeysFrom(m_entryAttributes); entry->attachments()->copyDataFrom(m_advancedUi->attachmentsWidget->entryAttachments()); entry->customData()->copyDataFrom(m_editWidgetProperties->customData()); - entry->setTitle(m_mainUi->titleEdit->text()); - entry->setUsername(m_mainUi->usernameEdit->text()); - entry->setUrl(m_mainUi->urlEdit->text()); + entry->setTitle(m_mainUi->titleEdit->text().replace(newLineRegex, " ")); + entry->setUsername(m_mainUi->usernameEdit->text().replace(newLineRegex, " ")); + entry->setUrl(m_mainUi->urlEdit->text().replace(newLineRegex, " ")); entry->setPassword(m_mainUi->passwordEdit->text()); entry->setExpires(m_mainUi->expireCheck->isChecked()); entry->setExpiryTime(m_mainUi->expireDatePicker->dateTime().toUTC()); From 7fbdcd3fed90527f6f92094166c1a7e40c38c853 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Sun, 25 Feb 2018 20:59:59 +0100 Subject: [PATCH 02/15] Add tests for newline sanitization --- tests/gui/TestGui.cpp | 16 ++++++++++++++++ 1 file changed, 16 insertions(+) diff --git a/tests/gui/TestGui.cpp b/tests/gui/TestGui.cpp index dd201c3de..b2ccd332d 100644 --- a/tests/gui/TestGui.cpp +++ b/tests/gui/TestGui.cpp @@ -364,6 +364,22 @@ void TestGui::testEditEntry() // Confirm modified indicator is showing QTRY_COMPARE(m_tabWidget->tabText(m_tabWidget->currentIndex()), QString("%1*").arg(m_dbFileName)); + + // Test copy & paste newline sanitization + QTest::mouseClick(entryEditWidget, Qt::LeftButton); + QCOMPARE(m_dbWidget->currentMode(), DatabaseWidget::EditMode); + titleEdit->setText("multiline\ntitle"); + editEntryWidget->findChild("usernameEdit")->setText("multiline\nusername"); + editEntryWidget->findChild("passwordEdit")->setText("multiline\npassword"); + editEntryWidget->findChild("passwordRepeatEdit")->setText("multiline\npassword"); + editEntryWidget->findChild("urlEdit")->setText("multiline\nurl"); + QTest::mouseClick(editEntryWidgetButtonBox->button(QDialogButtonBox::Ok), Qt::LeftButton); + + QCOMPARE(entry->title(), QString("multiline title")); + QCOMPARE(entry->username(), QString("multiline username")); + // here we keep newlines, so users can't lock themselves out accidentally + QCOMPARE(entry->password(), QString("multiline\npassword")); + QCOMPARE(entry->url(), QString("multiline url")); } void TestGui::testSearchEditEntry() From cc3cc3556569f039436edfc2b51dc46924aaa070 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 01:23:31 +0100 Subject: [PATCH 03/15] Update library paths in AppImage recipe and Dockerfiles --- AppImage-Recipe.sh | 10 +++++----- Dockerfile | 19 ++++++++++--------- ci/trusty/Dockerfile | 17 +++++++++-------- 3 files changed, 24 insertions(+), 22 deletions(-) diff --git a/AppImage-Recipe.sh b/AppImage-Recipe.sh index 96e7b4099..da3830144 100755 --- a/AppImage-Recipe.sh +++ b/AppImage-Recipe.sh @@ -1,7 +1,7 @@ #!/usr/bin/env bash # # KeePassXC AppImage Recipe -# Copyright (C) 2017 KeePassXC team +# Copyright (C) 2017-2018 KeePassXC team # # This program is free software: you can redistribute it and/or modify # it under the terms of the GNU General Public License as published by @@ -68,17 +68,17 @@ get_apprun copy_deps # protect our libgpg-error from being deleted -mv ./opt/gpg-error-127/lib/x86_64-linux-gnu/libgpg-error.so.0 ./protected.so +mv ./opt/keepassxc-libs/lib/x86_64-linux-gnu/libgpg-error.so.0 ./protected.so delete_blacklisted -mv ./protected.so ./opt/gpg-error-127/lib/x86_64-linux-gnu/libgpg-error.so.0 +mv ./protected.so ./opt/keepassxc-libs/lib/x86_64-linux-gnu/libgpg-error.so.0 get_desktop get_icon cat << EOF > ./usr/bin/keepassxc_env #!/usr/bin/env bash -export LD_LIBRARY_PATH="../opt/libgcrypt20-18/lib/x86_64-linux-gnu:\${LD_LIBRARY_PATH}" -export LD_LIBRARY_PATH="../opt/gpg-error-127/lib/x86_64-linux-gnu:\${LD_LIBRARY_PATH}" export LD_LIBRARY_PATH="..$(dirname ${QT_PLUGIN_PATH})/lib:\${LD_LIBRARY_PATH}" +export LD_LIBRARY_PATH="../opt/keepassxc-libs/lib/x86_64-linux-gnu:\${LD_LIBRARY_PATH}" + export QT_PLUGIN_PATH="..${QT_PLUGIN_PATH}:\${KPXC_QT_PLUGIN_PATH}" # unset XDG_DATA_DIRS to make tray icon work in Ubuntu Unity diff --git a/Dockerfile b/Dockerfile index 31d8cf6ca..f9ff0cd1e 100644 --- a/Dockerfile +++ b/Dockerfile @@ -16,7 +16,7 @@ FROM ubuntu:14.04 -ENV REBUILD_COUNTER=6 +ENV REBUILD_COUNTER=8 ENV QT5_VERSION=59 ENV QT5_PPA_VERSION=${QT5_VERSION}4 @@ -42,6 +42,7 @@ RUN set -x \ libgcrypt20-18-dev \ libargon2-0-dev \ libsodium-dev \ + libcurl-no-gcrypt-dev \ qt${QT5_VERSION}base \ qt${QT5_VERSION}tools \ qt${QT5_VERSION}x11extras \ @@ -51,17 +52,17 @@ RUN set -x \ libxtst-dev \ mesa-common-dev \ libyubikey-dev \ - libykpers-1-dev \ - libcurl4-openssl-dev + libykpers-1-dev ENV CMAKE_PREFIX_PATH="/opt/qt${QT5_VERSION}/lib/cmake" -ENV CMAKE_INCLUDE_PATH="/opt/libgcrypt20-18/include:/opt/gpg-error-127/include" -ENV CMAKE_LIBRARY_PATH="/opt/libgcrypt20-18/lib/x86_64-linux-gnu:/opt/gpg-error-127/lib/x86_64-linux-gnu" -ENV LD_LIBRARY_PATH="/opt/qt${QT5_VERSION}/lib:/opt/libgcrypt20-18/lib/x86_64-linux-gnu:/opt/gpg-error-127/lib/x86_64-linux-gnu" +ENV CMAKE_INCLUDE_PATH="/opt/keepassxc-libs/include" +ENV CMAKE_LIBRARY_PATH="/opt/keepassxc-libs/lib/x86_64-linux-gnu" +ENV CPATH="${CMAKE_INCLUDE_PATH}" +ENV LD_LIBRARY_PATH="${CMAKE_LIBRARY_PATH}:/opt/qt${QT5_VERSION}/lib" + RUN set -x \ - && echo "/opt/qt${QT_VERSION}/lib" > /etc/ld.so.conf.d/qt${QT5_VERSION}.conf \ - && echo "/opt/libgcrypt20-18/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/libgcrypt20-18.conf \ - && echo "/opt/gpg-error-127/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/libgpg-error-127.conf + && echo "/opt/qt${QT5_VERSION}/lib" > /etc/ld.so.conf.d/qt${QT5_VERSION}.conf \ + && echo "/opt/keepassxc-libs/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/keepassxc.conf # AppImage dependencies RUN set -x \ diff --git a/ci/trusty/Dockerfile b/ci/trusty/Dockerfile index 5ef9cac23..d10c609a0 100644 --- a/ci/trusty/Dockerfile +++ b/ci/trusty/Dockerfile @@ -18,7 +18,7 @@ FROM ubuntu:14.04 -ENV REBUILD_COUNTER=2 +ENV REBUILD_COUNTER=4 ENV QT5_VERSION=53 ENV QT5_PPA_VERSION=${QT5_VERSION}2 @@ -43,7 +43,7 @@ RUN set -x \ libgcrypt20-18-dev \ libargon2-0-dev \ libsodium-dev \ - libcurl4-openssl-dev \ + libcurl-no-gcrypt-dev \ qt${QT5_VERSION}base \ qt${QT5_VERSION}tools \ qt${QT5_VERSION}x11extras \ @@ -56,13 +56,14 @@ RUN set -x \ xvfb ENV CMAKE_PREFIX_PATH="/opt/qt${QT5_VERSION}/lib/cmake" -ENV CMAKE_INCLUDE_PATH="/opt/libgcrypt20-18/include:/opt/gpg-error-127/include" -ENV CMAKE_LIBRARY_PATH="/opt/libgcrypt20-18/lib/x86_64-linux-gnu:/opt/gpg-error-127/lib/x86_64-linux-gnu" -ENV LD_LIBRARY_PATH="/opt/qt${QT5_VERSION}/lib:/opt/libgcrypt20-18/lib/x86_64-linux-gnu:/opt/gpg-error-127/lib/x86_64-linux-gnu" +ENV CMAKE_INCLUDE_PATH="/opt/keepassxc-libs/include" +ENV CMAKE_LIBRARY_PATH="/opt/keepassxc-libs/lib/x86_64-linux-gnu" +ENV CPATH="${CMAKE_INCLUDE_PATH}" +ENV LD_LIBRARY_PATH="${CMAKE_LIBRARY_PATH}:/opt/qt${QT5_VERSION}/lib" + RUN set -x \ - && echo "/opt/qt${QT_VERSION}/lib" > /etc/ld.so.conf.d/qt${QT5_VERSION}.conf \ - && echo "/opt/libgcrypt20-18/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/libgcrypt20-18.conf \ - && echo "/opt/gpg-error-127/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/libgpg-error-127.conf + && echo "/opt/qt${QT5_VERSION}/lib" > /etc/ld.so.conf.d/qt${QT5_VERSION}.conf \ + && echo "/opt/keepassxc-libs/lib/x86_64-linux-gnu" > /etc/ld.so.conf.d/keepassxc.conf RUN set -x \ && apt-get autoremove --purge \ From c1a397e624d0fefc28321e3adf8b7ee26cc1ba0f Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 02:39:54 +0100 Subject: [PATCH 04/15] Bundle image format and input context plugins with AppImage --- AppImage-Recipe.sh | 4 +++- Dockerfile | 1 + 2 files changed, 4 insertions(+), 1 deletion(-) diff --git a/AppImage-Recipe.sh b/AppImage-Recipe.sh index da3830144..9975f4939 100755 --- a/AppImage-Recipe.sh +++ b/AppImage-Recipe.sh @@ -62,7 +62,9 @@ if [ "$QXCB_PLUGIN" == "" ]; then fi QT_PLUGIN_PATH="$(dirname $(dirname $QXCB_PLUGIN))" mkdir -p ".${QT_PLUGIN_PATH}/platforms" -cp "$QXCB_PLUGIN" ".${QT_PLUGIN_PATH}/platforms/" +cp -a "$QXCB_PLUGIN" ".${QT_PLUGIN_PATH}/platforms/" +cp -a "${QT_PLUGIN_PATH}/platforminputcontexts/" ".${QT_PLUGIN_PATH}/platforminputcontexts/" +cp -a "${QT_PLUGIN_PATH}/imageformats/" ".${QT_PLUGIN_PATH}/imageformats/" get_apprun copy_deps diff --git a/Dockerfile b/Dockerfile index f9ff0cd1e..cee347e69 100644 --- a/Dockerfile +++ b/Dockerfile @@ -47,6 +47,7 @@ RUN set -x \ qt${QT5_VERSION}tools \ qt${QT5_VERSION}x11extras \ qt${QT5_VERSION}translations \ + qt${QT5_VERSION}imageformats \ zlib1g-dev \ libxi-dev \ libxtst-dev \ From 114f87c6b439a815c5e58718e1ed5577b2d759b5 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 03:52:15 +0100 Subject: [PATCH 05/15] Bundle selected Qt plugins on Windows --- src/CMakeLists.txt | 19 ++++++++++++++----- 1 file changed, 14 insertions(+), 5 deletions(-) diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 10a06e0fc..f5deeb2ee 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -380,9 +380,18 @@ if(MINGW) " COMPONENT Runtime) include(DeployQt4) - install_qt4_executable(${PROGNAME}.exe) - add_custom_command(TARGET ${PROGNAME} POST_BUILD - COMMAND ${CMAKE_COMMAND} -E copy_if_different ${Qt5_PREFIX}/share/qt5/plugins/platforms/qwindows$<$:d>.dll - $) - install(FILES $/qwindows$<$:d>.dll DESTINATION "platforms") + + # install Qt5 plugins + set(PLUGINS_DIR ${Qt5_PREFIX}/share/qt5/plugins) + install(FILES ${PLUGINS_DIR}/platforms/qwindows$<$:d>.dll DESTINATION "platforms") + install(FILES ${PLUGINS_DIR}/platforminputcontexts/qtvirtualkeyboardplugin$<$:d>.dll DESTINATION "platforminputcontexts") + install(FILES ${PLUGINS_DIR}/iconengines/qsvgicon$<$:d>.dll DESTINATION "iconengines") + install(FILES + ${PLUGINS_DIR}/imageformats/qgif$<$:d>.dll + ${PLUGINS_DIR}/imageformats/qicns$<$:d>.dll + ${PLUGINS_DIR}/imageformats/qico$<$:d>.dll + ${PLUGINS_DIR}/imageformats/qjpeg$<$:d>.dll + ${PLUGINS_DIR}/imageformats/qsvg$<$:d>.dll + ${PLUGINS_DIR}/imageformats/qwebp$<$:d>.dll + DESTINATION "imageformats") endif() From c13c6ade29fbbcd32c9b1746359cc2713833b293 Mon Sep 17 00:00:00 2001 From: Jonathan White Date: Tue, 27 Feb 2018 00:22:13 -0500 Subject: [PATCH 06/15] Fix regression in Qt packaging on Windows --- src/CMakeLists.txt | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index f5deeb2ee..fd7527e03 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -380,7 +380,8 @@ if(MINGW) " COMPONENT Runtime) include(DeployQt4) - + install_qt4_executable(${PROGNAME}.exe) + # install Qt5 plugins set(PLUGINS_DIR ${Qt5_PREFIX}/share/qt5/plugins) install(FILES ${PLUGINS_DIR}/platforms/qwindows$<$:d>.dll DESTINATION "platforms") From e1558d630085ac448db37044b4ed68f71f4cb96a Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 15:28:12 +0100 Subject: [PATCH 07/15] Avoid double file extension replacement in backup filename --- src/core/Database.cpp | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/core/Database.cpp b/src/core/Database.cpp index a4d663137..94b41cdf0 100644 --- a/src/core/Database.cpp +++ b/src/core/Database.cpp @@ -570,10 +570,11 @@ QString Database::writeDatabase(QIODevice* device) * @param filePath Path to the file to backup * @return */ + bool Database::backupDatabase(QString filePath) { QString backupFilePath = filePath; - auto re = QRegularExpression("(?:\\.kdbx)?$", QRegularExpression::CaseInsensitiveOption); + auto re = QRegularExpression("\\.kdbx$|(? Date: Mon, 26 Feb 2018 10:21:35 +0100 Subject: [PATCH 08/15] Don't hardcode HINTS to macdeployqt --- CMakeLists.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 7a1b0245a..7410b4e04 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -306,7 +306,7 @@ set(CMAKE_AUTORCC ON) if(APPLE) set(CMAKE_MACOSX_RPATH TRUE) - find_program(MACDEPLOYQT_EXE macdeployqt HINTS /usr/local/opt/qt5/bin ENV PATH) + find_program(MACDEPLOYQT_EXE macdeployqt HINTS ${Qt5_PREFIX}/bin ENV PATH) if(NOT MACDEPLOYQT_EXE) message(FATAL_ERROR "macdeployqt is required to build in macOS") else() From 6531f94f8635d25735852d678e707e60eb375c3b Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 19:33:55 +0100 Subject: [PATCH 09/15] Try to change both the REALPATH and the symlink location --- src/proxy/CMakeLists.txt | 19 +++++++++++-------- 1 file changed, 11 insertions(+), 8 deletions(-) diff --git a/src/proxy/CMakeLists.txt b/src/proxy/CMakeLists.txt index f19481c06..f4c197e39 100755 --- a/src/proxy/CMakeLists.txt +++ b/src/proxy/CMakeLists.txt @@ -42,14 +42,17 @@ if(WITH_XC_BROWSER) add_custom_command(TARGET keepassxc-proxy POST_BUILD - COMMAND ${CMAKE_INSTALL_NAME_TOOL} -change ${Qt5_PREFIX}/lib/QtCore.framework/Versions/5/QtCore "@executable_path/../Frameworks/QtCore.framework/Versions/5/QtCore" ${PROXY_APP_DIR} + COMMAND ${CMAKE_INSTALL_NAME_TOOL} + -change ${Qt5_PREFIX}/lib/QtCore.framework/Versions/5/QtCore + "@executable_path/../Frameworks/QtCore.framework/Versions/5/QtCore" + -change /usr/local/opt/qt/lib/QtCore.framework/Versions/5/QtCore + "@executable_path/../Frameworks/QtCore.framework/Versions/5/QtCore" + -change ${Qt5_PREFIX}/lib/QtNetwork.framework/Versions/5/QtNetwork + "@executable_path/../Frameworks/QtNetwork.framework/Versions/5/QtNetwork" + -change /usr/local/opt/qt/lib/QtNetwork.framework/Versions/5/QtNetwork + "@executable_path/../Frameworks/QtNetwork.framework/Versions/5/QtNetwork" + ${PROXY_APP_DIR} WORKING_DIRECTORY ${CMAKE_BINARY_DIR}/src - COMMENT "Changing linking of keepassxc-proxy QtCore") - - add_custom_command(TARGET keepassxc-proxy - POST_BUILD - COMMAND ${CMAKE_INSTALL_NAME_TOOL} -change ${Qt5_PREFIX}/lib/QtNetwork.framework/Versions/5/QtNetwork "@executable_path/../Frameworks/QtNetwork.framework/Versions/5/QtNetwork" ${PROXY_APP_DIR} - WORKING_DIRECTORY ${CMAKE_BINARY_DIR}/src - COMMENT "Changing linking of keepassxc-proxy QtNetwork") + COMMENT "Changing linking of keepassxc-proxy") endif() endif() From 395afe59eb816679b4d486a6b7fcd1c6b186febb Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 19:38:40 +0100 Subject: [PATCH 10/15] Update release-tool to use generic /usr/local/opt/qt path on macOS --- release-tool | 7 +------ 1 file changed, 1 insertion(+), 6 deletions(-) diff --git a/release-tool b/release-tool index c0739a0b4..74f205900 100755 --- a/release-tool +++ b/release-tool @@ -658,17 +658,12 @@ build() { if [ "" == "$DOCKER_IMAGE" ]; then if [ "$(uname -s)" == "Darwin" ]; then # Building on macOS - local qt_vers="$(ls /usr/local/Cellar/qt 2> /dev/null | sort -r | head -n1)" - if [ "" == "$qt_vers" ]; then - exitError "Couldn't find Qt5! Please make sure it is available in '/usr/local/Cellar/qt'." - fi - export MACOSX_DEPLOYMENT_TARGET=10.10 logInfo "Configuring build..." cmake -DCMAKE_BUILD_TYPE=Release \ -DCMAKE_OSX_ARCHITECTURES=x86_64 -DCMAKE_INSTALL_PREFIX="${INSTALL_PREFIX}" \ - -DCMAKE_PREFIX_PATH="/usr/local/Cellar/qt/${qt_vers}/lib/cmake" \ + -DCMAKE_PREFIX_PATH="/usr/local/opt/qt/lib/cmake" \ ${CMAKE_OPTIONS} "$SRC_DIR" logInfo "Compiling and packaging sources..." From 4c8d426f23b35c8865bc81f8fcd9d21e3869879c Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 20:06:33 +0100 Subject: [PATCH 11/15] Use copy instead of rename for unsafe saving on Linux Resolves #1511 See https://bugreports.qt.io/browse/QTBUG-64008 --- src/core/Database.cpp | 8 ++++++++ 1 file changed, 8 insertions(+) diff --git a/src/core/Database.cpp b/src/core/Database.cpp index 94b41cdf0..00cb76f48 100644 --- a/src/core/Database.cpp +++ b/src/core/Database.cpp @@ -537,11 +537,19 @@ QString Database::saveToFile(QString filePath, bool atomic, bool backup) // Delete the original db and move the temp file in place QFile::remove(filePath); +#ifdef Q_OS_LINUX + // workaround to make this workaround work, see: https://bugreports.qt.io/browse/QTBUG-64008 + if (tempFile.copy(filePath)) { + // successfully saved database file + return {}; + } +#else if (tempFile.rename(filePath)) { // successfully saved database file tempFile.setAutoRemove(false); return {}; } +#endif } error = tempFile.errorString(); } From 59f17ab8f3a62fb9f214a88967f62f4ea924f2b4 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 14:00:52 +0100 Subject: [PATCH 12/15] Fix missing Qt platform styles and CA bundles in Windows release deployment --- src/CMakeLists.txt | 9 ++++++++- src/gui/EditWidgetIcons.cpp | 7 +++++++ 2 files changed, 15 insertions(+), 1 deletion(-) diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index fd7527e03..8c3245a28 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -384,7 +384,11 @@ if(MINGW) # install Qt5 plugins set(PLUGINS_DIR ${Qt5_PREFIX}/share/qt5/plugins) - install(FILES ${PLUGINS_DIR}/platforms/qwindows$<$:d>.dll DESTINATION "platforms") + install(FILES + ${PLUGINS_DIR}/platforms/qwindows$<$:d>.dll + ${PLUGINS_DIR}/platforms/qdirect2d$<$:d>.dll + DESTINATION "platforms") + install(FILES ${PLUGINS_DIR}/styles/qwindowsvistastyle$<$:d>.dll DESTINATION "styles") install(FILES ${PLUGINS_DIR}/platforminputcontexts/qtvirtualkeyboardplugin$<$:d>.dll DESTINATION "platforminputcontexts") install(FILES ${PLUGINS_DIR}/iconengines/qsvgicon$<$:d>.dll DESTINATION "iconengines") install(FILES @@ -395,4 +399,7 @@ if(MINGW) ${PLUGINS_DIR}/imageformats/qsvg$<$:d>.dll ${PLUGINS_DIR}/imageformats/qwebp$<$:d>.dll DESTINATION "imageformats") + + # install CA cert chains + install(FILES ${Qt5_PREFIX}/ssl/certs/ca-bundle.crt DESTINATION "ssl/certs") endif() diff --git a/src/gui/EditWidgetIcons.cpp b/src/gui/EditWidgetIcons.cpp index 9a73c293c..1c33150b5 100644 --- a/src/gui/EditWidgetIcons.cpp +++ b/src/gui/EditWidgetIcons.cpp @@ -202,6 +202,13 @@ QImage EditWidgetIcons::fetchFavicon(const QUrl& url) curl_easy_setopt(curl, CURLOPT_FAILONERROR, 1L); curl_easy_setopt(curl, CURLOPT_WRITEDATA, &imagedata); curl_easy_setopt(curl, CURLOPT_WRITEFUNCTION, &writeCurlResponse); + curl_easy_setopt(curl, CURLOPT_SSL_VERIFYPEER, 1L); +#ifdef Q_OS_WIN + const QDir appDir = QFileInfo(QCoreApplication::applicationFilePath()).absoluteDir(); + if (appDir.exists("ssl\\certs")) { + curl_easy_setopt(curl, CURLOPT_CAINFO, (appDir.absolutePath() + "\\ssl\\certs\\ca-bundle.crt").toLatin1().data()); + } +#endif // Perform the request in another thread CURLcode result = AsyncTask::runAndWaitForFuture([curl]() { From 3cde0d988edc4e013c2bf4edf9761223a5723f4c Mon Sep 17 00:00:00 2001 From: varjolintu Date: Sat, 24 Feb 2018 09:59:49 +0200 Subject: [PATCH 13/15] Kills keepassxc-proxy and KeePassXC during install or uninstall under Windows --- share/windows/wix-template.xml | 16 ++++++++++++++++ src/CMakeLists.txt | 5 +++++ 2 files changed, 21 insertions(+) diff --git a/share/windows/wix-template.xml b/share/windows/wix-template.xml index 1e47029ef..44cab1641 100644 --- a/share/windows/wix-template.xml +++ b/share/windows/wix-template.xml @@ -3,6 +3,7 @@ + + + + + + + + + + + + + Installed + Installed + diff --git a/src/CMakeLists.txt b/src/CMakeLists.txt index 8c3245a28..69526967c 100644 --- a/src/CMakeLists.txt +++ b/src/CMakeLists.txt @@ -362,6 +362,10 @@ if(MINGW) set(CPACK_NSIS_MUI_UNWELCOMEFINISHPAGE_BITMAP "${CPACK_NSIS_MUI_WELCOMEFINISHPAGE_BITMAP}") 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_EXTRA_PREINSTALL_COMMANDS "ExecWait 'Taskkill /IM KeePassXC.exe'") + set(CPACK_NSIS_EXTRA_PREINSTALL_COMMANDS "${CPACK_NSIS_EXTRA_PREINSTALL_COMMANDS}\nExecWait 'Taskkill /IM keepassxc-proxy.exe /F'") + set(CPACK_NSIS_EXTRA_UNINSTALL_COMMANDS "ExecWait 'Taskkill /IM KeePassXC.exe'") + set(CPACK_NSIS_EXTRA_UNINSTALL_COMMANDS "${CPACK_NSIS_EXTRA_UNINSTALL_COMMANDS}\nExecWait 'Taskkill /IM keepassxc-proxy.exe /F'") set(CPACK_NSIS_URL_INFO_ABOUT "https://keepassxc.org") set(CPACK_NSIS_DISPLAY_NAME ${PROGNAME}) set(CPACK_NSIS_PACKAGE_NAME "${PROGNAME} v${KEEPASSXC_VERSION}") @@ -373,6 +377,7 @@ if(MINGW) set(CPACK_WIX_TEMPLATE "${CMAKE_SOURCE_DIR}/share/windows/wix-template.xml") set(CPACK_WIX_PATCH_FILE "${CMAKE_SOURCE_DIR}/share/windows/wix-patch.xml") set(CPACK_WIX_PROPERTY_ARPURLINFOABOUT "https://keepassxc.org") + set(CPACK_WIX_EXTENSIONS "WixUtilExtension.dll") include(CPack) install(CODE " From d8866c64d2a5b1f5b0c6767d5e7c4e4b6bc92253 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 22:36:40 +0100 Subject: [PATCH 14/15] Update CHANGELOG for 2.3.0 --- CHANGELOG | 52 ++++++++++++++++++ .../linux/org.keepassxc.KeePassXC.appdata.xml | 54 +++++++++++++++++++ snapcraft.yaml | 2 +- 3 files changed, 107 insertions(+), 1 deletion(-) diff --git a/CHANGELOG b/CHANGELOG index 24e935548..038943890 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -1,3 +1,55 @@ +2.3.0 (2018-02-27) +========================= + +- Add support for KDBX 4.0, Argon2 and ChaCha20 [#148, #1179, #1230, #1494] +- Add SSH Agent feature [#1098, #1450, #1463] +- Add preview panel with details of the selected entry [#879, #1338] +- Add more and configurable columns to entry table and allow copying of values by double click [#1305] +- Add KeePassXC-Browser API as a replacement for KeePassHTTP [#608] +- Deprecate KeePassHTTP [#1392] +- Add support for Steam one-time passwords [#1206] +- Add support for multiple Auto-Type sequences for a single entry [#1390] +- Adjust YubiKey HMAC-SHA1 challenge-response key generation for KDBX 4.0 [#1060] +- Replace qHttp with cURL for website icon downloads [#1460] +- Remove lock file [#1231] +- Add option to create backup file before saving [#1385] +- Ask to save a generated password before closing the entry password generator [#1499] +- Resolve placeholders recursively [#1078] +- Add Auto-Type button to the toolbar [#1056] +- Improve window focus handling for Auto-Type dialogs [#1204, #1490] +- Auto-Type dialog and password generator can now be exited with ESC [#1252, #1412] +- Add optional dark tray icon [#1154] +- Add new "Unsafe saving" option to work around saving problems with file sync services [#1385] +- Add IBus support to AppImage and additional image formats to Windows builds [#1534, #1537] +- Add diceware password generator to CLI [#1406] +- Add --key-file option to CLI [#816, #824] +- Add DBus interface for opening and closing KeePassXC databases [#283] +- Add KDBX compression options to database settings [#1419] +- Discourage use of old fixed-length key files in favor of arbitrary files [#1326, #1327] +- Correct reference resolution in entry fields [#1486] +- Fix window state and recent databases not being remembered on exit [#1453] +- Correct history item generation when configuring TOTP for an entry [#1446] +- Correct multiple TOTP bugs [#1414] +- Automatic saving after every change is now a default [#279] +- Allow creation of new entries during search [#1398] +- Correct menu issues on macOS [#1335] +- Allow compilation on OpenBSD [#1328] +- Improve entry attachments view [#1139, #1298] +- Fix auto lock for Gnome and Xfce [#910, #1249] +- Don't remember key files in file dialogs when the setting is disabled [#1188] +- Improve database merging and conflict resolution [#807, #1165] +- Fix macOS pasteboard issues [#1202] +- Improve startup times on some platforms [#1205] +- Hide the notes field by default [#1124] +- Toggle main window by clicking tray icon with the middle mouse button [#992] +- Fix custom icons not copied over when databases are merged [#1008] +- Allow use of DEL key to delete entries [#914] +- Correct intermittent crash due to stale history items [#1527] +- Sanitize newline characters in title, username and URL fields [#1502] +- Reopen previously opened databases in correct order [#774] +- Use system's zxcvbn library if available [#701] +- Implement various i18n improvements [#690, #875, #1436] + 2.2.4 (2017-12-13) ========================= diff --git a/share/linux/org.keepassxc.KeePassXC.appdata.xml b/share/linux/org.keepassxc.KeePassXC.appdata.xml index e15d24f03..39dfa7d3a 100644 --- a/share/linux/org.keepassxc.KeePassXC.appdata.xml +++ b/share/linux/org.keepassxc.KeePassXC.appdata.xml @@ -50,6 +50,60 @@ + + +
    +
  • Add support for KDBX 4.0, Argon2 and ChaCha20 [#148, #1179, #1230, #1494]
  • +
  • Add SSH Agent feature [#1098, #1450, #1463]
  • +
  • Add preview panel with details of the selected entry [#879, #1338]
  • +
  • Add more and configurable columns to entry table and allow copying of values by double click [#1305]
  • +
  • Add KeePassXC-Browser API as a replacement for KeePassHTTP [#608]
  • +
  • Deprecate KeePassHTTP [#1392]
  • +
  • Add support for Steam one-time passwords [#1206]
  • +
  • Add support for multiple Auto-Type sequences for a single entry [#1390]
  • +
  • Adjust YubiKey HMAC-SHA1 challenge-response key generation for KDBX 4.0 [#1060]
  • +
  • Replace qHttp with cURL for website icon downloads [#1460]
  • +
  • Remove lock file [#1231]
  • +
  • Add option to create backup file before saving [#1385]
  • +
  • Ask to save a generated password before closing the entry password generator [#1499]
  • +
  • Resolve placeholders recursively [#1078]
  • +
  • Add Auto-Type button to the toolbar [#1056]
  • +
  • Improve window focus handling for Auto-Type dialogs [#1204, #1490]
  • +
  • Auto-Type dialog and password generator can now be exited with ESC [#1252, #1412]
  • +
  • Add optional dark tray icon [#1154]
  • +
  • Add new "Unsafe saving" option to work around saving problems with file sync services [#1385]
  • +
  • Add IBus support to AppImage and additional image formats to Windows builds [#1534, #1537]
  • +
  • Add diceware password generator to CLI [#1406]
  • +
  • Add --key-file option to CLI [#816, #824]
  • +
  • Add DBus interface for opening and closing KeePassXC databases [#283]
  • +
  • Add KDBX compression options to database settings [#1419]
  • +
  • Discourage use of old fixed-length key files in favor of arbitrary files [#1326, #1327]
  • +
  • Correct reference resolution in entry fields [#1486]
  • +
  • Fix window state and recent databases not being remembered on exit [#1453]
  • +
  • Correct history item generation when configuring TOTP for an entry [#1446]
  • +
  • Correct multiple TOTP bugs [#1414]
  • +
  • Automatic saving after every change is now a default [#279]
  • +
  • Allow creation of new entries during search [#1398]
  • +
  • Correct menu issues on macOS [#1335]
  • +
  • Allow compilation on OpenBSD [#1328]
  • +
  • Improve entry attachments view [#1139, #1298]
  • +
  • Fix auto lock for Gnome and Xfce [#910, #1249]
  • +
  • Don't remember key files in file dialogs when the setting is disabled [#1188]
  • +
  • Improve database merging and conflict resolution [#807, #1165]
  • +
  • Fix macOS pasteboard issues [#1202]
  • +
  • Improve startup times on some platforms [#1205]
  • +
  • Hide the notes field by default [#1124]
  • +
  • Toggle main window by clicking tray icon with the middle mouse button [#992]
  • +
  • Fix custom icons not copied over when databases are merged [#1008]
  • +
  • Allow use of DEL key to delete entries [#914]
  • +
  • Correct intermittent crash due to stale history items [#1527]
  • +
  • Sanitize newline characters in title, username and URL fields [#1502]
  • +
  • Reopen previously opened databases in correct order [#774]
  • +
  • Use system's zxcvbn library if available [#701]
  • +
  • Implement various i18n improvements [#690, #875, #1436]
  • +
+
+
    diff --git a/snapcraft.yaml b/snapcraft.yaml index 146754fca..f4b906619 100644 --- a/snapcraft.yaml +++ b/snapcraft.yaml @@ -1,5 +1,5 @@ name: keepassxc -version: 2.3.0-beta1 +version: 2.3.0 grade: stable summary: Community-driven port of the Windows application “KeePass Password Safe” description: | From 1db064425a22d997a2b6740c73a7b0cb1310fe07 Mon Sep 17 00:00:00 2001 From: Janek Bevendorff Date: Tue, 27 Feb 2018 22:37:59 +0100 Subject: [PATCH 15/15] Update translations --- share/translations/keepassx_ar.ts | 156 +++---- share/translations/keepassx_ca.ts | 24 +- share/translations/keepassx_cs.ts | 205 +++++---- share/translations/keepassx_da.ts | 262 ++++++----- share/translations/keepassx_de.ts | 72 +-- share/translations/keepassx_el.ts | 32 +- share/translations/keepassx_en.ts | 12 +- share/translations/keepassx_en_US.ts | 24 +- share/translations/keepassx_es.ts | 76 ++-- share/translations/keepassx_fi.ts | 215 ++++----- share/translations/keepassx_fr.ts | 262 +++++------ share/translations/keepassx_hu.ts | 47 +- share/translations/keepassx_id.ts | 42 +- share/translations/keepassx_it.ts | 79 ++-- share/translations/keepassx_ja.ts | 85 ++-- share/translations/keepassx_ko.ts | 38 +- share/translations/keepassx_lt.ts | 60 +-- share/translations/keepassx_nl_NL.ts | 164 +++---- share/translations/keepassx_pl.ts | 87 ++-- share/translations/keepassx_pt_BR.ts | 657 ++++++++++++++------------- share/translations/keepassx_pt_PT.ts | 102 +++-- share/translations/keepassx_ro.ts | 48 +- share/translations/keepassx_ru.ts | 205 +++++---- share/translations/keepassx_sr.ts | 71 +-- share/translations/keepassx_sv.ts | 76 ++-- share/translations/keepassx_th.ts | 38 +- share/translations/keepassx_tr.ts | 22 +- share/translations/keepassx_uk.ts | 84 ++-- share/translations/keepassx_zh_CN.ts | 26 +- share/translations/keepassx_zh_TW.ts | 32 +- 30 files changed, 1734 insertions(+), 1569 deletions(-) diff --git a/share/translations/keepassx_ar.ts b/share/translations/keepassx_ar.ts index 75b9f930e..c2bbcd163 100644 --- a/share/translations/keepassx_ar.ts +++ b/share/translations/keepassx_ar.ts @@ -7,7 +7,7 @@ About - حول + عن Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> @@ -122,7 +122,7 @@ Please select whether you want to allow access. Auto-Type - KeePassXC - الطباعة التلقائية - KeePassXC + المكمل التلقائي - KeePassXC Auto-Type @@ -183,11 +183,11 @@ Please select whether you want to allow access. AutoTypeSelectDialog Auto-Type - KeePassXC - الطباعة التلقائية - KeePassXC + المكمل التلقائي - KeePassXC Select entry to Auto-Type: - حدد مدخل للطباعة التلقائية: + حدد مدخل للمكمل التلقائي: @@ -373,6 +373,10 @@ Please select whether you want to allow access. Select custom proxy location حدد موقع خادم الوكيل المخصص + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + نحن متأسفون, ولكن KeePassXC-Browser غير مدعوم لإصدارات Snap في الوقت الراهن. + BrowserService @@ -475,7 +479,7 @@ Please unlock the selected database or choose another one which is unlocked. Enter password: - أدخل كلمة السر: + أدخل كلمة المرور: Repeat password: @@ -527,7 +531,7 @@ Please unlock the selected database or choose another one which is unlocked. Do you really want to use an empty string as password? - هل تريد حقًا استخدام مُدخل فارغ ككلمة مرور؟ + هل تريد حقًا استخدام كلمات فارغة ككلمة مرور؟ Different passwords supplied. @@ -613,7 +617,7 @@ Please consider generating a new key file. Number of headers line to discard - + عدد رؤوس الأسطر لتجاهلها Consider '\' an escape character @@ -633,7 +637,7 @@ Please consider generating a new key file. Empty fieldname - إسم الحقل فارغ + column @@ -1092,7 +1096,7 @@ Disable safe saves and try again? Move entry to recycle bin? - نقل المُدخل إلى سلة المهملات؟ + نقل المدخل إلى سلة المحذوفات؟ Do you really want to move entry "%1" to the recycle bin? @@ -1100,7 +1104,7 @@ Disable safe saves and try again? Move entries to recycle bin? - نقل المُدخلات إلى سلة المهملات؟ + نقل المدخلات إلى سلة المحذوفات؟ Do you really want to move %n entry(s) to the recycle bin? @@ -1132,7 +1136,7 @@ Disable safe saves and try again? No current database. - لا يوجد قاعدة بيانات حالية. + لا يوجد قاعدة بيانات حالية No source database, nothing to do. @@ -1175,10 +1179,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? هل أنت متأكد من حذف كل شيء من سلة المهملات نهائيًا؟ - - Entry updated successfully. - - DetailsWidget @@ -1279,7 +1279,7 @@ Do you want to merge your changes? Auto-Type - الطباعة التلقائية + المكمل التلقائي Properties @@ -1503,7 +1503,7 @@ Do you want to merge your changes? Username: - اسم المستخدم: + اسم المستخدم Expires @@ -1614,7 +1614,7 @@ Do you want to merge your changes? Disable - تعطيل + قم ب تعطيل Inherit from parent group (%1) @@ -1641,7 +1641,7 @@ Do you want to merge your changes? Auto-Type - الطباعة التلقائية + المكمل التلقائي &Use default Auto-Type sequence of parent group @@ -1959,6 +1959,10 @@ This may cause the affected plugins to malfunction. Reset to defaults إعادة التعيين إلى الإعدادات الافتراضية + + Attachments (icon) + المرفقات (رمز) + Group @@ -2185,24 +2189,24 @@ This may cause the affected plugins to malfunction. Invalid variant map entry type Translation: variant map = data structure for storing meta data - + نوع إدخال الخريطة المتنوعة غير صحيح Invalid variant map field type size Translation: variant map = data structure for storing meta data - + حقل حجم النوع للخريطة المتنوعة غير صحيح Kdbx4Writer Invalid symmetric cipher algorithm. - + خورزامية تشفير بالمفتاح المتناظر غير صحيحة Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - + خطأ في الحجم الرابع بخورزامية تشفير بالمفتاح المتناظر Unable to calculate master key @@ -2218,7 +2222,7 @@ This may cause the affected plugins to malfunction. KdbxReader Invalid cipher uuid length - + طول تشفير uuid غير صحيح Unsupported cipher @@ -2226,35 +2230,35 @@ This may cause the affected plugins to malfunction. Invalid compression flags length - + طول علامات الضغط غير صحيح Unsupported compression algorithm - + خورزامية الضغط غير مدعومة Invalid master seed size - + حجم seed الرئيسي غير صحيح Invalid transform seed size - + حجم seed للتحول غير صحيح Invalid transform rounds size - + حجم جولات التحول غير صحيح Invalid start bytes size - + حجم بتات البداية غير صحيح Invalid random stream id size - + حجم معرف random stream غير صحيح Invalid inner random stream cipher - + خطأ داخلي بخورزامية random stream Not a KeePass database. @@ -2269,14 +2273,14 @@ This is a one-way migration. You won't be able to open the imported databas Unsupported KeePass 2 database version. - + إصدار قاعدة بيانات 2 KeePass غير مدعوم. KdbxXmlReader XML parsing failure: %1 - + فشل تحليل XML: %1 No root group @@ -2284,11 +2288,11 @@ This is a one-way migration. You won't be able to open the imported databas Missing icon uuid or data - + uuid او بيانات الرمز مفقودة Missing custom data key or value - + مفتاح البيانات المخصص او قيمته مفقودة Multiple group elements @@ -2296,11 +2300,11 @@ This is a one-way migration. You won't be able to open the imported databas Null group uuid - + uuid المجموعة غير معروف Invalid group icon number - + رقم رمز المجموعة غير صحيح Invalid EnableAutoType value @@ -2308,59 +2312,59 @@ This is a one-way migration. You won't be able to open the imported databas Invalid EnableSearching value - + قيمة EnableSearching غير صحيحة No group uuid found - + لم يُعثر على uuid المجموعة Null DeleteObject uuid - + Null DeleteObject uuid Missing DeletedObject uuid or time - + uuid او وقت DeletedObject مفقود Null entry uuid - + uuid الإدخال غير معروف Invalid entry icon number - + رقم الرمز المُدخل غير صحيح History element in history entry - + سجل العنصر في سجل الإدخال No entry uuid found - + لم يُعثر على uuid المُدخل History element with different uuid - + سجل العنصر مع uuid مختلف Unable to decrypt entry string - + يتعذر فك تشفير سلسلة الإدخال Duplicate custom attribute found - + عُثر على خاصية مخصصة مكررة Entry string key or value missing - + مفتاح سلسلة الإدخال أو القيمة مفقودة Duplicate attachment found - + عُثر على مرفق مكرر Entry binary key or value missing - + مُدخل المفتاح الثنائي او القيمة مفقودة Auto-type association window or sequence missing @@ -2368,11 +2372,11 @@ This is a one-way migration. You won't be able to open the imported databas Invalid bool value - + مُدخل القيمة المنطقية غير صحيح Invalid date time value - + قيمة وقت التاريخ غير صحيحة Invalid color value @@ -2380,7 +2384,7 @@ This is a one-way migration. You won't be able to open the imported databas Invalid color rgb part - + جزء من لون rgb غير صحيح Invalid number value @@ -2388,12 +2392,12 @@ This is a one-way migration. You won't be able to open the imported databas Invalid uuid value - + قيمة uuid غير صحيحة Unable to decompress binary Translator meant is a binary data inside an entry - + تعذر فك ضغط القيمة الثنائية @@ -2428,27 +2432,27 @@ This is a one-way migration. You won't be able to open the imported databas Unable to read encryption IV IV = Initialization Vector for symmetric cipher - + غير قادر على قراءة قيمة التشفير الرابع Invalid number of groups - + عدد غير صالح من المجموعات Invalid number of entries - + عدد الإدخالات غير صالح Invalid content hash size - + حجم محتوى الهاش غير صحيح Invalid transform seed size - + حجم seed للتحول غير صحيح Invalid number of transform rounds - + عدد جولات التحول غير صحيح Unable to construct group tree @@ -2602,7 +2606,7 @@ This is a one-way migration. You won't be able to open the imported databas E&ntries - المُدخلات + Copy att&ribute to clipboard @@ -2750,7 +2754,7 @@ This is a one-way migration. You won't be able to open the imported databas &Notes - &الملاحظات + &ملاحظات Copy notes to clipboard @@ -3100,7 +3104,7 @@ Using default port 19455. Lower Case Letters - أحرف صغيرة + الحروف صغيرة Numbers @@ -3267,7 +3271,7 @@ Using default port 19455. Key file of the database. - ملف المفتاح لقاعدة البيانات. + ملف المفتاح لقاعدة البيانات path @@ -3283,7 +3287,7 @@ Using default port 19455. URL for the entry. - الرابط للمُدخل. + الرابط للمُدخل URL @@ -3360,7 +3364,7 @@ Using default port 19455. Insert password to unlock %1: - ادخل كلمة المرور لإلغاء قفل %1: + ادخل كلمة المرور لإلغاء القفل %1: Failed to load key file %1 : %2 @@ -3424,7 +3428,7 @@ Available commands: Key file of the database to merge from. - ملف المفتاح لقاعدة البيانات للدمج منه. + ملف قاعدة البيانات للدمج منه. Show an entry's information. @@ -3692,7 +3696,7 @@ Please unlock the selected database or choose another one which is unlocked. KeePassXC: No keys found - KeePassXC: لم يُعثر على أية مفاتيح + KeePassXC: لم يتم العثور على أية مفاتيح No shared encryption-keys found in KeePassHttp Settings. @@ -3778,7 +3782,7 @@ Please unlock the selected database or choose another one which is unlocked. Automatically save after every change - الحفظ تلقائيًا بعد كل تعديل + Automatically reload the database when modified externally @@ -3826,7 +3830,7 @@ Please unlock the selected database or choose another one which is unlocked. Auto-Type - الطباعة التلقائية + المكمل التلقائي Use entry title to match windows for global Auto-Type @@ -3895,7 +3899,7 @@ Please unlock the selected database or choose another one which is unlocked. Lock databases after inactivity of - أغلق قواعد البيانات بعد حالة عدم النشاط ل + أغلق قواعد البيانات بعد حالات عدم النشاط ل Convenience @@ -3998,11 +4002,11 @@ Please unlock the selected database or choose another one which is unlocked. Copy - نسخ + نسخة Expires in - تنتهي في + وتنتهي في seconds diff --git a/share/translations/keepassx_ca.ts b/share/translations/keepassx_ca.ts index 077dcaf15..ad40c798c 100644 --- a/share/translations/keepassx_ca.ts +++ b/share/translations/keepassx_ca.ts @@ -372,6 +372,10 @@ Seleccioneu si voleu permetre l'accés. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -486,7 +490,7 @@ Per favor, desbloqueu la base de dades seleccionada o escolliu-ne una altra. Browse - Navega + Navegar Create @@ -498,7 +502,7 @@ Per favor, desbloqueu la base de dades seleccionada o escolliu-ne una altra. Refresh - Actualitza + L'actualitza Key files @@ -746,7 +750,7 @@ Please consider generating a new key file. Key files - Fitxers de clau + Arxius de clau Select key file @@ -1102,7 +1106,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Realment voleu moure %n entry(s) a la Paperera de reciclatge?Realment voleu moure %n entrada(es) a la paperera? Execute command? @@ -1173,10 +1177,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Esteu segur que voleu suprimir permanentment tot el contingut de la paperera? - - Entry updated successfully. - - DetailsWidget @@ -1353,11 +1353,11 @@ Do you want to merge your changes? %n week(s) - + %n setmanes%n setmana(es) %n month(s) - + %n mes (OS)%n mes(os) 1 year @@ -1952,6 +1952,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group diff --git a/share/translations/keepassx_cs.ts b/share/translations/keepassx_cs.ts index 76c1df6a5..5d2382ef3 100644 --- a/share/translations/keepassx_cs.ts +++ b/share/translations/keepassx_cs.ts @@ -86,7 +86,7 @@ Jádro systému: %3 %4 AccessControlDialog KeePassXC HTTP Confirm Access - Potvrzení přístupu pro KeePassXC HTTP + Potvrzení přístupu KeePassXC HTTP Remember this decision @@ -153,11 +153,11 @@ Umožnit přístup? Sequence - Posloupnost + Pořadí Default sequence - Výchozí posloupnost + Výchozí pořadí @@ -325,7 +325,7 @@ Umožnit přístup? &Return advanced string fields which start with "KPH: " - Odpovědět kolonkami pok&ročilých textových řetězců které začínají na „KPH: “ + Odpovědět také kolonkami pok&ročilých textových řetězců které začínají na „KPH: “ Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. @@ -373,6 +373,10 @@ Umožnit přístup? Select custom proxy location Vybrat uživatelem určené umístění zprostředkovávající aplikace + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Je nám líto, ale KeePassXC-Browser v tuto chvíli není ve snap vydáních podporován. + BrowserService @@ -444,7 +448,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Successfully removed %n encryption key(s) from KeePassXC settings. - Úspěšně odebrán %n šifrovací klíč z nastavení KeePassXC.Úspěšně odebrány %n šifrovací klíče z nastavení KeePassXC.Úspěšně odebráno %n šifrovacích klíčů z nastavení KeePassXC. + %n šifrovací klíč úspěšně odebrán z nastavení KeePassXC.%n šifrovací klíče úspěšně odebrány z nastavení KeePassXC.%n šifrovacích klíčů úspěšně odebráno z nastavení KeePassXC. Removing stored permissions… @@ -460,7 +464,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Successfully removed permissions from %n entry(s). - Úspěšně odebrána oprávnění z %n položky.Úspěšně odebrána oprávnění ze %n položek.Úspěšně odebrána oprávnění z %n položek. + Z %n položky úspěšně odebrána oprávnění.Ze %n položek úspěšně odebrána oprávnění.Z %n položek úspěšně odebrána oprávnění. KeePassXC: No entry with permissions found! @@ -499,7 +503,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Cha&llenge Response - &Výzva–odpověď + Výzva–odpověď Refresh @@ -545,14 +549,14 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Legacy key file format - Starší formát souboru s klíčem + Starý formát souboru s klíčem You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - Používáte starší formát souboru s klíčem, který v budoucnu nemusí být podporován. + Používáte starý formát souboru s klíčem, který v budoucnu nemusí být podporován. Zvažte vytvoření nového souboru s klíčem. @@ -604,7 +608,7 @@ Zvažte vytvoření nového souboru s klíčem. Text is qualified by - Text je určen pomocí + Text je zařazován pomocí Fields are separated by @@ -620,11 +624,11 @@ Zvažte vytvoření nového souboru s klíčem. Number of headers line to discard - Počet řádků hlavičky, které zahodit + Počet řádek s hlavičkou, kterou zahodit Consider '\' an escape character - Považovat „\“ za význam zbavující (escape) znak + Považovat „\“ za únikový znak Preview @@ -640,7 +644,7 @@ Zvažte vytvoření nového souboru s klíčem. Empty fieldname - Prázdný název kolonky + Prázný název kolonky column @@ -681,18 +685,18 @@ Zvažte vytvoření nového souboru s klíčem. Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč CsvParserModel %n byte(s), - %n bajt,%n bajty,%n bajtů, + %n bajt%n bajty%n bajtů %n row(s), - %n řádek,%n řádky,%n řádků, + %n řádek%n řádky%n řádků %n column(s) @@ -731,7 +735,7 @@ Zvažte vytvoření nového souboru s klíčem. Can't open key file - Nedaří se otevřít soubor s klíčem + Soubor s klíčem se nedaří otevřít Legacy key file format @@ -779,7 +783,7 @@ Zvažte vytvoření nového souboru s klíčem. Unable to open the database. - Databázi se nedaří otevřít. + Nedaří se otevřít databázi. Database opened fine. Nothing to do. @@ -954,7 +958,7 @@ Pokud tento počet ponecháte, může být velmi snadné prolomit šifrování v KeePass 2 Database - Databáze ve formátu KeePass 2 + Databáze ve formátu KeePass verze 2 All files @@ -966,7 +970,7 @@ Pokud tento počet ponecháte, může být velmi snadné prolomit šifrování v File not found! - Soubor nenalezen! + Soubor nebyl nalezen! Unable to open the database. @@ -1109,7 +1113,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? Do you really want to move entry "%1" to the recycle bin? - Opravdu chcete přesunout záznam „%1“ do Koše? + Opravdu přesunout záznam "%1" do Koše? Move entries to recycle bin? @@ -1117,7 +1121,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? Do you really want to move %n entry(s) to the recycle bin? - Opravdu chcete přesunout %n položku do Koše?Opravdu chcete přesunout %n položky do Koše?Opravdu chcete přesunout %n položek do Koše? + Opravdu přesunout %n záznam do Koše? ()Opravdu přesunout %n záznamy do Koše? ()Opravdu přesunout %n záznamů do Koše? Execute command? @@ -1125,7 +1129,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? Do you really want to execute the following command?<br><br>%1<br> - Opravdu chcete spustit následující příkaz?<br><br>%1<br> + Opravdu spustit následující příkaz?<br><br>%1<br> Remember my choice @@ -1141,7 +1145,7 @@ Vypnout bezpečné ukládání a zkusit to znovu? Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč No current database. @@ -1179,7 +1183,7 @@ Přejete si je sloučit? Could not open the new database file while attempting to autoreload this database. - Nepodařilo se otevřít nový databázový soubor při pokusu o automatické znovunačtení této databáze. + Nepodařilo se otevřít nový soubor, obsahující aktuální verzi této databáze. Empty recycle bin? @@ -1187,11 +1191,7 @@ Přejete si je sloučit? Are you sure you want to permanently delete everything from your recycle bin? - Opravdu natrvalo smazat všechno z Koše? - - - Entry updated successfully. - + Opravdu chcete natrvalo smazat všechno z Koše? @@ -1381,15 +1381,15 @@ Přejete si je sloučit? Apply generated password? - + Použít vytvořené heslo? Do you want to apply the generated password to this entry? - + Opravdu chcete použít vytvořené heslo na tuto položku? Entry updated successfully. - + Položka úspěšně aktualizována. @@ -1416,7 +1416,7 @@ Přejete si je sloučit? Reveal - Odkrýt + Odhalit Attachments @@ -1424,11 +1424,11 @@ Přejete si je sloučit? Foreground Color: - + Barva popředí: Background Color: - + Barva pozadí: @@ -1439,11 +1439,11 @@ Přejete si je sloučit? Inherit default Auto-Type sequence from the &group - &Převzít výchozí posloupnost automatického vyplňování od skupiny + Převzít výchozí pořadí automatického vyplňování od skupiny &Use custom Auto-Type sequence: - Po&užít uživatelem určenou posloupnost automatického vyplňování: + Po&užít vlastní pořadí automatického vyplňování: Window Associations @@ -1632,7 +1632,7 @@ Přejete si je sloučit? Inherit from parent group (%1) - Převzít z nadřazené skupiny (%1) + Převzít od nadřazené skupiny (%1) @@ -1659,11 +1659,11 @@ Přejete si je sloučit? &Use default Auto-Type sequence of parent group - Převzít výchozí posloupnost a&utomatického vyplňování z nadřazené skupiny + Převzít výchozí pořadí a&utomatického vyplňování nadřazené skupiny Set default Auto-Type se&quence - &Nastavit výchozí posloupnost automatického vyplňování + Nastavit výchozí pořadí automatického vyplňování @@ -1674,15 +1674,15 @@ Přejete si je sloučit? Use custo&m icon - Použít uživatele&m určenou ikonu + Použít svou vlastní ikonu Add custom icon - Přidat uživatelem určenou ikonu + Přidat svou vlastní ikonu Delete custom icon - Smazat uživatelem určenou ikonu + Smazat svou vlastní ikonu Download favicon @@ -1714,7 +1714,7 @@ Přejete si je sloučit? Custom icon already exists - Tato uživatelem určená ikona už existuje + Tato vlastní ikona už existuje Confirm Delete @@ -1741,11 +1741,11 @@ Přejete si je sloučit? Uuid: - Nikde se neopakující se identifikátor: + Univerzálně jedinečný identifikátor: Plugin Data - + Data zásuvného modulu Remove @@ -1753,20 +1753,21 @@ Přejete si je sloučit? Delete plugin data? - + Smazat data zásuvného modulu? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Opravdu chcete smazat označená data zásuvného modulu? +Dotčený zásuvný modul to může rozbít. Key - + Klíč Value - + Hodnota @@ -1973,6 +1974,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Vrátit na výchozí + + Attachments (icon) + Přípony (ikona) + Group @@ -2055,7 +2060,7 @@ This may cause the affected plugins to malfunction. Close message - Zavřít zprávu + Uzavřít správu @@ -2432,7 +2437,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Not a KeePass database. - Nejedná se o databázi KeePass. + Nejedná se o databázi Keepass. Unsupported encryption algorithm. @@ -2440,7 +2445,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Unsupported KeePass database version. - Nepodporovaná verze KeePass databáze. + Nepodporovaná verze databáze KeePass. Unable to read encryption IV @@ -2477,11 +2482,11 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Unable to calculate master key - Nedaří se vypočítat hlavní klíč + Nedaří se spočítat hlavní klíč Wrong key or database file is corrupt. - Byl zadán nesprávný klíč, nebo je soubor s databází poškozený. + Byl zadán chybný klíč, nebo je poškozen databázový soubor. Key transformation failed @@ -2588,7 +2593,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Another instance of KeePassXC is already running. - Už je spuštěná jiná instance KeePassXC. + Již je spuštěná jiná instance KeePassXC. Fatal error while testing the cryptographic functions. @@ -2615,7 +2620,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Help - &Nápověda + Nápověda E&ntries @@ -2631,7 +2636,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Groups - S&kupiny + Skupiny &Tools @@ -2639,7 +2644,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Quit - &Ukončit + Ukončit &About @@ -2651,11 +2656,11 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Save database - &Uložit databázi + Uložit databázi &Close database - &Zavřít databázi + Zavřít databázi &New database @@ -2675,7 +2680,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Delete entry - &Smazat záznam + Smazat záznam &Add new group @@ -2683,11 +2688,11 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Edit group - &Upravit skupinu + Upravit skupinu &Delete group - &Smazat skupinu + Smazat skupinu Sa&ve database as... @@ -2707,11 +2712,11 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Clone entry - &Klonovat záznam + Klonovat záznam &Find - &Najít + Najít Copy &username @@ -2723,7 +2728,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Cop&y password - &Zkopírovat heslo + Zkopírovat heslo Copy password to clipboard @@ -2735,7 +2740,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Password Generator - Vytváření hesel + Generátor hesel &Perform Auto-Type @@ -2747,7 +2752,7 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev &Lock databases - &Uzamknout databáze + Uzamknout databáze &Title @@ -2791,15 +2796,15 @@ Jedná se o jednosměrný převod. Databázi, vzniklou z importu, nepůjde otev Show TOTP - Zobrazit na času založené jednorázové heslo (TOTP) + Zobrazit TOTP Set up TOTP... - Nastavit na času založené jednorázové heslo (TOTP)… + Nastavit TOTP… Copy &TOTP - Zkopírovat na času založené jednorázové heslo (&TOTP) + Zkopírovat &TOTP E&mpty recycle bin @@ -2990,19 +2995,19 @@ Tato verze není určena pro produkční použití. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Odpoví pouze nejlepšími shodami pro konkrétní URL adresu namísto všech položek pro celou doménu. + Vrátí pouze nejlepší shody pro konkrétní URL adresu namísto všech položek pro celou doménu. &Return only best matching entries - Odpovídat pouze nejlépe se shodujícími položkami + V&racet pouze nejlépe odpovídající položky Re&quest to unlock the database if it is locked - &Vyžádat odemknutí zamčené databáze + Vyžádat odemknutí zamčené databáze Only entries with the same scheme (http://, https://, ftp://, ...) are returned. - Je odpovězeno pouze položkami se stejným schématem (http://, https://, ftp://, …). + Jsou vráceny pouze položky se stejným schématem (http://, https://, ftp://, …). &Match URL schemes @@ -3026,7 +3031,7 @@ Tato verze není určena pro produkční použití. Password Generator - Vytváření hesel + Generátor hesel Advanced @@ -3042,7 +3047,7 @@ Tato verze není určena pro produkční použití. Only the selected database has to be connected with a client. - Pouze označené databáze je třeba spojit s klientem. + Pouze označené databáze budou spojeny s klientem. Searc&h in all opened databases for matching entries @@ -3050,11 +3055,11 @@ Tato verze není určena pro produkční použití. Automatically creating or updating string fields is not supported. - Automatické vytváření nebo aktualizace není u textových kolonek podporované! + Automatická vytváření nebo aktualizace nejsou u textových kolonek podporované! &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: “ + Odpovědět také kolonkami pok&ročilých textových řetězců které začínají na „KPH:“ HTTP Port: @@ -3084,7 +3089,7 @@ Tato verze není určena pro produkční použití. Cannot bind to privileged ports below 1024! Using default port 19455. Není možné navázat na porty s číslem nižším, než 1024! -Náhradně bude použit výchozí port 19455. +Náhradně bude použit port 19455. @@ -3188,7 +3193,7 @@ Náhradně bude použit výchozí port 19455. Password Quality: %1 - Odolnost hesla: %1 + Kvalita hesla: %1 Poor @@ -3463,7 +3468,7 @@ Příkazy k dispozici: NULL device - Prázdné zařízení + NULL zařízení error reading from device @@ -3477,7 +3482,7 @@ Příkazy k dispozici: malformed string - chybně formovaný řetězec + špatně formovaný řetězec missing closing quote @@ -3541,7 +3546,7 @@ Příkazy k dispozici: Browser Integration - Napojení webového prohlížeče + Napojení na webový prohlížeč YubiKey[%1] Challenge Response - Slot %2 - %3 @@ -3633,7 +3638,7 @@ Příkazy k dispozici: QtIOCompressor::open The gzip format not supported in this version of zlib. - Formát komprese gzip není podporován verzí knihovny zlib, která je právě používána na tomto systému. + Použitý formát gzip komprese není podporován verzí knihovny zlib, která je právě používána na tomto systému. Internal zlib error: @@ -3684,8 +3689,8 @@ neopakující se název pro identifikaci a potvrďte ho. A shared encryption-key with the name "%1" already exists. Do you want to overwrite it? - Už existuje sdílený šifrovací klíč s názvem „%1“. -Chcete ho chcete přepsat? + Již existuje sdílený šifrovací klíč s názvem „%1“. +Chcete ho přepsat? KeePassXC: Update Entry @@ -3715,7 +3720,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. KeePassXC: No keys found - KeePassXC: Nebyly nalezeny žádné klíče + KeePassXC: Klíče nebyly nalezeny No shared encryption-keys found in KeePassHttp Settings. @@ -3727,7 +3732,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. The active database does not contain an entry of KeePassHttp Settings. - Právě otevřená databáze neobsahuje žádný záznam nastavení pro KeePassHttp. + Právě otevřená databáze neobsahuje žádný záznam nastavení KeePassHttp. Removing stored permissions... @@ -3743,11 +3748,11 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Successfully removed permissions from %n entries. - Úspěšně odebrána oprávnění z %n položky.Úspěšně odebrána oprávnění ze %n položek.Úspěšně odebrána oprávnění z %n položek. + Úspěšně odebrána oprávnění z %n položky.Úspěšně odebrána oprávnění ze %n položek.Úspěšně odebrána oprávnění ze %n položek. KeePassXC: No entry with permissions found! - KeePassXC: Nebyl nalezen žádný záznam s oprávněními! + KeePassXC: Nebyl nalezen záznam s oprávněními! The active database does not contain an entry with permissions. @@ -3770,7 +3775,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Access error for config file %1 - Chyba přístupu k souboru s nastaveními %1 + Chyba přístupu pro soubor s nastaveními %1 @@ -3805,7 +3810,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Automatically reload the database when modified externally - V případě úpravy zvenčí, automaticky znovu načíst databázi + V případě úpravy zvenčí, automaticky opětovně načíst databázi Minimize when copying to clipboard @@ -3817,11 +3822,11 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Use group icon on entry creation - Pro vytvářený záznam použít ikonu skupiny, pod kterou je vytvářen + Pro vytvářený záznam použít ikonu skupiny, do které spadá Don't mark database as modified for non-data changes (e.g., expanding groups) - Neoznačovat databázi jako upravenou při změnách, nepostihujících údaje (např. rozkliknutí skupin) + Neoznačovat databázi jako upravenou při změnách, nepostihujících údaje (např. rozšíření skupin) Hide the Details view @@ -3926,7 +3931,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. Lock databases when session is locked or lid is closed - Zamknout databáze když je zamčeno sezení uživatele v operačním systému nebo je zavřeno víko notebooku + Zamknout databáze když je zamčena relace nebo je zavřeno víko notebooku Lock databases after minimizing the window @@ -3965,7 +3970,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. SetupTotpDialog Setup TOTP - Nastavit na času založené jednorázové heslo (TOTP) + Nastavit TOTP Key: @@ -4094,7 +4099,7 @@ Buď jí odemkněte, nebo vyberte jinou, odemčenou. path to a custom config file - umístění uživatelem určeného souboru s nastaveními + umístění vlastního souboru s nastaveními key file of the database diff --git a/share/translations/keepassx_da.ts b/share/translations/keepassx_da.ts index 31c93e6cf..decc99069 100644 --- a/share/translations/keepassx_da.ts +++ b/share/translations/keepassx_da.ts @@ -73,12 +73,13 @@ Kerne: %3 %4 Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - + Særlig tak fra KeePassXC holdet går til debfx for at udvikle den oprindelige KeePassX. Build Type: %1 - + Opret type:%1 + @@ -193,7 +194,7 @@ Vælg venligst hvorvidt du vil tillade denne adgang. BrowserAccessControlDialog KeePassXC-Browser Confirm Access - + KeePassXC-Browser Bekræft Adgang Remember this decision @@ -218,7 +219,7 @@ Vælg venligst hvorvidt du vil tillade denne adgang. BrowserOptionDialog Dialog - + Dialog This is required for accessing your databases with KeePassXC-Browser @@ -238,24 +239,24 @@ Vælg venligst hvorvidt du vil tillade denne adgang. &Google Chrome - + &Google Chrome &Firefox - + &Firefox &Chromium - + &Chromium &Vivaldi - + &Vivaldi Show a &notification when credentials are requested Credentials mean login data requested via browser extension - + Vis en notifikation når legitimationsoplysninger forespørges Re&quest to unlock the database if it is locked @@ -263,11 +264,11 @@ Vælg venligst hvorvidt du vil tillade denne adgang. Only entries with the same scheme (http://, https://, ...) are returned. - + Kun poster med samme skema (http://, https://, ftp://, ...) bliver returneret. &Match URL scheme (e.g., https://...) - + &Match URL skemaer Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -275,25 +276,25 @@ Vælg venligst hvorvidt du vil tillade denne adgang. &Return only best-matching credentials - + &Returnér kun de bedst matchende poster Sort &matching credentials by title Credentials mean login data requested via browser extension - + Sorter matchende poster efter &navn Sort matching credentials by &username Credentials mean login data requested via browser extension - + Sorter matchende poster efter &brugernavn &Disconnect all browsers - + &Fjern tilslutning til alle browsere Forget all remembered &permissions - + Fjern alle tilladelser fra hukommelse Advanced @@ -302,7 +303,7 @@ Vælg venligst hvorvidt du vil tillade denne adgang. Never &ask before accessing credentials Credentials mean login data requested via browser extension - + Spørg aldrig om lov for hente leigitamationsoplysninger Never ask before &updating credentials @@ -324,15 +325,15 @@ Vælg venligst hvorvidt du vil tillade denne adgang. &Return advanced string fields which start with "KPH: " - + &Vis avancerede tekst felter som begynder med "KPH:" Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - + Opdaterer KeePassXC eller keepassxc-proxy binære sti automatisk til beskedscript ved opstart Update &native messaging manifest files at startup - + Opdater besked manifest dokumenter ved opstart Support a proxy application between KeePassXC and browser extension. @@ -340,7 +341,7 @@ Vælg venligst hvorvidt du vil tillade denne adgang. Use a &proxy application between KeePassXC and browser extension - + Understøt en proxy applikation mellem KeePassXC og browser-udvidelse. Use a custom proxy location if you installed a proxy manually. @@ -349,7 +350,7 @@ Vælg venligst hvorvidt du vil tillade denne adgang. Use a &custom proxy location Meant is the proxy for KeePassXC-Browser - + Vælg en brugerdefineret proxy lokation Browse... @@ -372,6 +373,10 @@ Vælg venligst hvorvidt du vil tillade denne adgang. Select custom proxy location Vælg en brugerdefineret proxy lokation + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -405,7 +410,7 @@ Vil du overskrive den? KeePassXC: Update Entry - + KeePassXC: Opdater post Do you want to update the information in %1 - %2? @@ -443,7 +448,7 @@ Lås den valgte database op eller vælg en anden som er åbnet. Successfully removed %n encryption key(s) from KeePassXC settings. - Succesfuldt fjernet %n kryptering nøgle(r) fra KeePassXC indstillinger.Fjernede succesfuldt %n krypteringsnøgle(r) fra KeePassXC indstillinger. + Removing stored permissions… @@ -463,11 +468,11 @@ Lås den valgte database op eller vælg en anden som er åbnet. KeePassXC: No entry with permissions found! - + KeePassXC: Ingen nøgler fundet The active database does not contain an entry with permissions. - + Den aktive database indholder ikke en post med tilladelser @@ -544,14 +549,16 @@ Lås den valgte database op eller vælg en anden som er åbnet. Legacy key file format - + Forældet nøglefilformat You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Du benytter et forældet nøglefilformat, som muligvis ikke vil blive understøttet i fremtiden. + +Overvej at generere en ny nøglefil. Changing master key failed: no YubiKey inserted. @@ -684,15 +691,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - + %n byte(s),%n byte(s), %n row(s), - + %n række(r),%n række(r), %n column(s) - + %n kolonne(r)%n kolonne(r) @@ -731,18 +738,20 @@ Please consider generating a new key file. Legacy key file format - + Forældet nøglefilformat You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Du benytter et forældet nøglefilformat, som muligvis ikke vil blive understøttet i fremtiden. + +Overvej at generere en ny nøglefil. Don't show this warning again - + Vis ikke denne advarsel igen All files @@ -828,7 +837,7 @@ Hvis du vil beholde antallet, så kan din database tage timer eller dage (eller Number of rounds too low Key transformation rounds - + Antallet af runder er for lavt You are using a very low number of key transform rounds with AES-KDF. @@ -859,7 +868,7 @@ If you keep this number, your database may be too easy to crack! DatabaseSettingsWidgetEncryption Encryption Algorithm: - + Krypteringsalgoritme AES: 256 Bit (default) @@ -1014,7 +1023,7 @@ Gem disse ændringer? Writing the database failed. - Skrivning til database fejler. + Kan ikke skrive til databasen. Passwords @@ -1108,7 +1117,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Ønsker du virkelig at flytte %n post over i papirkurven?Ønsker du virkelig at flytte %n poster over i papirkurven? Execute command? @@ -1132,7 +1141,7 @@ Disable safe saves and try again? Unable to calculate master key - Kan ikke beregne hovednøgle + Kan ikke beregne hovednøgle No current database. @@ -1179,10 +1188,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - - DetailsWidget @@ -1192,7 +1197,7 @@ Do you want to merge your changes? Close - + Luk General @@ -1359,11 +1364,11 @@ Do you want to merge your changes? %n week(s) - + %n uge%n uger %n month(s) - + %n måned%n måneder 1 year @@ -1936,7 +1941,7 @@ This may cause the affected plugins to malfunction. EntryView Customize View - + Tilpas visning Hide Usernames @@ -1958,6 +1963,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Nulstil til standard-indstillinger + + Attachments (icon) + + Group @@ -2073,7 +2082,7 @@ This may cause the affected plugins to malfunction. Kdbx4Reader missing database headers - + Database headers mangler Unable to calculate master key @@ -2081,11 +2090,11 @@ This may cause the affected plugins to malfunction. Invalid header checksum size - + Invalid størrelse for gruppefelt Header SHA256 mismatch - + Header SHA256 stemmer ikke Wrong key or database file is corrupt. (HMAC mismatch) @@ -2097,23 +2106,23 @@ This may cause the affected plugins to malfunction. Invalid header id size - + Invalid størrelse for gruppefelt Invalid header field length - + Invalid størrelse i headerfelt Invalid header data length - + Invalid størrelse i headerfelt Failed to open buffer for KDF parameters in header - + Kan ikke åbne buffer for KDF parametre i header Unsupported key derivation function (KDF) or invalid parameters - + Ikke understøtet nøgleafledningsfunktion (KDF) eller invalide parametre Legacy header fields found in KDBX4 file. @@ -2121,11 +2130,11 @@ This may cause the affected plugins to malfunction. Invalid inner header id size - + Invalid størrelse i indre headerfelt id Invalid inner header field length - + Invalid størrelse i headerfelt Invalid inner header binary size @@ -2417,7 +2426,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Not a KeePass database. - Dette er ikke en KeePass database. + Ikke en KeePass database. Unsupported encryption algorithm. @@ -2425,7 +2434,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Unsupported KeePass database version. - KeePass database version ikke understøttet. + Ikke understøttet KeePass database version Unable to read encryption IV @@ -2506,15 +2515,15 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Incorrect group icon field size - + Invalid størrelse for gruppefelt Incorrect group level field size - + Invalid størrelse for gruppefelt Invalid group field type - + Invalid type for gruppefelt Missing group id or level @@ -2522,19 +2531,19 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Missing entry field type number - + Manglende type nummer for gruppefelt Invalid entry field size - + Invalid størrelse for gruppefelt Read entry field data doesn't match size - + Postens data længde passer ikke Invalid entry uuid field size - + Invalid uuid værdi Invalid entry group id field size @@ -2604,11 +2613,11 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo E&ntries - + Poster Copy att&ribute to clipboard - + Kopiér att&ribute til udklipsholder Time-based one-time password @@ -2620,7 +2629,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo &Tools - &Værktøj + &Quit @@ -2648,7 +2657,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Merge from KeePassX database - + Flet og kombiner fra KeePassX database &Add new entry @@ -2676,11 +2685,11 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Sa&ve database as... - + Gem database som Change &master key... - + Skift &hovednøgle... &Database settings @@ -2708,7 +2717,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Cop&y password - + Kopier kodeord Copy password to clipboard @@ -2728,7 +2737,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo &Open URL - &Åben URL + &Åbn URL &Lock databases @@ -2772,7 +2781,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Re&pair database... - + Reparer database Show TOTP @@ -2780,7 +2789,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo Set up TOTP... - + Indstil TOTP... Copy &TOTP @@ -2788,7 +2797,7 @@ Dette er en envejs konvertering. Du vil ikke være i stand til at åbne den impo E&mpty recycle bin - + Tøm skraldespand Clear history @@ -2859,7 +2868,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. PEM boundary mismatch - + PEM grænse-mismatch Base64 decoding failed @@ -2871,7 +2880,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. Key file magic header id invalid - + Nøglefil magic i header er invalid Found zero keys @@ -2887,7 +2896,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. No private key payload to decrypt - + Der er ingen privat nøgle at dekryptere Trying to run KDF without cipher @@ -2895,15 +2904,15 @@ Denne version er ikke beregnet til at blive brugt i produktion. Passphrase is required to decrypt this key - + Kodefrase er nødvendig for at dekryptere denne nøgle Key derivation failed, key file corrupted? - + Nøgleafledning fejlede, er nøglefilen korrupt? Decryption failed, wrong passphrase? - + Dekryptering fejlede, forkert kodefrase? Unexpected EOF while reading public key @@ -2915,19 +2924,19 @@ Denne version er ikke beregnet til at blive brugt i produktion. Can't write public key as it is empty - + Kan ikke skrive offentlig nøgle, da den er tom Unexpected EOF when writing public key - + Offentlig nøgle sluttede uventet under skrivning Can't write private key as it is empty - + Kan ikke skrive nøglen da den er tom Unexpected EOF when writing private key - + Privat nøgle sluttede uventet under skrivnig Unsupported key type: %1 @@ -2954,7 +2963,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. OptionDialog Dialog - + Dialog This is required for accessing your databases from ChromeIPass or PassIFox @@ -2971,7 +2980,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. Sh&ow a notification when credentials are requested Credentials mean login data requested via browser extension - + Vis en notifikation når legitimationsoplysninger forespørges Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -2995,19 +3004,19 @@ Denne version er ikke beregnet til at blive brugt i produktion. Sort matching entries by &username - + Sorter matchende poster efter &brugernavn Sort &matching entries by title - + Sorter &passende poster efter navn R&emove all shared encryption keys from active database - + Fjern alle delte krypteringsnøgler i den aktive database Re&move all stored permissions from entries in active database - + Fjern alle gemte tilladelser fra poster i den aktive database Password Generator @@ -3019,11 +3028,11 @@ Denne version er ikke beregnet til at blive brugt i produktion. Always allow &access to entries - + Tillad altid &adgang til poster Always allow &updating entries - + Tillad alltid &optaterede poster Only the selected database has to be connected with a client. @@ -3031,7 +3040,7 @@ Denne version er ikke beregnet til at blive brugt i produktion. Searc&h in all opened databases for matching entries - + &Returnér kun de bedst matchende poster Automatically creating or updating string fields is not supported. @@ -3039,19 +3048,19 @@ Denne version er ikke beregnet til at blive brugt i produktion. &Return advanced string fields which start with "KPH: " - + &Vis avancerede tekst felter som begynder med "KPH:" HTTP Port: - + HTTP Port: Default port: 19455 - + Standard port: 19455 KeePassXC will listen to this port on 127.0.0.1 - + KeePassXC vil lytte til dette port på 127.0.0.1 <b>Warning:</b> The following options can be dangerous! @@ -3063,19 +3072,20 @@ Denne version er ikke beregnet til at blive brugt i produktion. Cannot bind to privileged ports - + Kan ikke forbinde via priviligerede porte Cannot bind to privileged ports below 1024! Using default port 19455. - + Kan ikke forbinde til prioriterede port under 1024! +Bruger standard port 19455. PasswordGeneratorWidget %p% - + %p% Password: @@ -3084,11 +3094,11 @@ Using default port 19455. strength Password strength - + styrke entropy - + entropi: Password @@ -3124,35 +3134,35 @@ Using default port 19455. Pick characters from every group - + Vælg tegn fra alle grupper: &Length: - + &Længde: Passphrase - + Nøgleord sætning/frase: Wordlist: - + Ordliste: Word Count: - + Antal ord: Word Separator: - + Ord separator Generate - + Opret Copy - + Kopier Accept @@ -3160,46 +3170,46 @@ Using default port 19455. Close - + Luk Apply - + Entropy: %1 bit Entropy: %1 bit - + Entropy: %1 bit Password Quality: %1 - + Kodeord kvalitet: %1 Poor Password quality - + Dårligt Weak Password quality - + Svagt Good Password quality - + Godt Excellent Password quality - + Udmærket QObject Database not opened - + Databasen er ikke åbnet Database hash not available @@ -3663,7 +3673,7 @@ Do you want to overwrite it? KeePassXC: Update Entry - + KeePassXC: Opdater post Do you want to update the information in %1 - %2? @@ -3721,11 +3731,11 @@ Lås den valgte database op eller vælg en anden som er åbnet. KeePassXC: No entry with permissions found! - + KeePassXC: Ingen nøgler fundet The active database does not contain an entry with permissions. - + Den aktive database indholder ikke en post med tilladelser @@ -3995,7 +4005,7 @@ Lås den valgte database op eller vælg en anden som er åbnet. Copy - + Kopier Expires in diff --git a/share/translations/keepassx_de.ts b/share/translations/keepassx_de.ts index b4f49e6f3..dd0eff6df 100644 --- a/share/translations/keepassx_de.ts +++ b/share/translations/keepassx_de.ts @@ -35,7 +35,7 @@ Copy to clipboard - In die Zwischenablage kopieren + In Zwischenablage kopieren Version %1 @@ -373,6 +373,10 @@ Bitte wählen Sie, ob Sie den Zugriff erlauben möchten. Select custom proxy location Benutzerdefinierten Proxy-Pfad auswählen + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Sorry, aber KeePassXC-Browser wird derzeit für Snap-Releases nicht unterstützt. + BrowserService @@ -444,7 +448,7 @@ Bitte entsperren Sie die ausgewählte Datenbank oder wählen Sie eine andere, di Successfully removed %n encryption key(s) from KeePassXC settings. - Es wurde erfolgreich %n Schlüssel aus den KeePassXC-Einstellungen entfernt.Es wurden erfolgreich %n Schlüssel aus den KeePassXC-Einstellungen entfernt. + Es wurden erfolgreich %n Schlüssel aus den KeePassXC-Einstellungen entfernt.Es wurden erfolgreich %n Schlüssel aus den KeePassXC-Einstellungen entfernt. Removing stored permissions… @@ -557,7 +561,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Changing master key failed: no YubiKey inserted. - Ändern des Master-Passworts fehlgeschlagen: kein YubiKey eingesteckt. + Ändern des Hauptschlüssels fehlgeschlagen: kein YubiKey eingesteckt. @@ -572,7 +576,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Replace username and password with references - Benutzernamen und Passwort mit Referenzen ersetzen + Benutzernamen und Passwort mit Referencen ersetzen Copy history @@ -679,14 +683,14 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Unable to calculate master key - Berechnung des Master-Passworts gescheitert + Berechnung des Hauptschlüssels gescheitert CsvParserModel %n byte(s), - %n Byte%n Bytes + %n Byte,%n Byte, %n row(s), @@ -701,7 +705,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren.DatabaseOpenWidget Enter master key - Master-Passwort eingeben + Hauptschlüssel eingeben Key File: @@ -725,7 +729,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Unable to open the database. - Öffnen der Datenbank ist nicht möglich. + Öffnen der Datenbank nicht möglich. Can't open key file @@ -777,7 +781,7 @@ Bitte denken Sie darüber nach, eine neue Schlüsseldatei zu generieren. Unable to open the database. - Öffnen der Datenbank ist nicht möglich. + Öffnen der Datenbank nicht möglich. Database opened fine. Nothing to do. @@ -858,7 +862,7 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken thread(s) Threads for parallel execution (KDF settings) - Thread Threads + ThreadThreads @@ -992,11 +996,11 @@ Wenn Sie diese Anzahl beibehalten, könnte Ihre Datenbank zu einfach zu knacken Open KeePass 1 database - KeePass 1-Datenbank öffnen + KeePass 1 Datenbank öffnen KeePass 1 database - KeePass 1-Datenbank + KeePass 1 Datenbank Close? @@ -1028,7 +1032,7 @@ Save changes? Save database as - Datenbank speichern als + Datenbank speichern unter Export database to CSV file @@ -1083,7 +1087,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? Change master key - Master-Passwort ändern + Hauptschlüssel ändern Delete entry? @@ -1115,7 +1119,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? Do you really want to move %n entry(s) to the recycle bin? - Möchten Sie wirklich %n Eintrag aus dem Papierkorb löschen?Möchten Sie wirklich %n Einträge aus dem Papierkorb löschen? + Wollen Sie wirklich %n Eintrag in den Papierkorb verschieben?Wollen Sie wirklich %n Einträge in den Papierkorb verschieben? Execute command? @@ -1139,7 +1143,7 @@ Sicheres Speichern deaktivieren und erneut versuchen? Unable to calculate master key - Berechnung des Master-Passworts gescheitert + Berechnung des Hauptschlüssels gescheitert No current database. @@ -1187,10 +1191,6 @@ Möchten Sie Ihre Änderungen zusammenführen? Are you sure you want to permanently delete everything from your recycle bin? Sind Sie sicher, dass Sie den Inhalt des Papierkorbs unwiederbringlich löschen wollen? - - Entry updated successfully. - Eintrag erfolgreich aktualisiert. - DetailsWidget @@ -1339,7 +1339,7 @@ Möchten Sie Ihre Änderungen zusammenführen? Different passwords supplied. - Passwörter sind unterschiedlich + Unterschiedliche Passwörter eingegeben. New attribute @@ -1367,11 +1367,11 @@ Möchten Sie Ihre Änderungen zusammenführen? %n week(s) - %n Woche%n Wochen + %n Woche%n Woche(n) %n month(s) - %n Monat%n Monate + %n Monat%n Monat(en) 1 year @@ -1566,7 +1566,7 @@ Möchten Sie Ihre Änderungen zusammenführen? Copy to clipboard - In Zwischenablage kopieren + In die Zwischenablage kopieren Private key @@ -1645,7 +1645,7 @@ Möchten Sie Ihre Änderungen zusammenführen? Expires - Verfällt + Erlischt Search @@ -1815,7 +1815,7 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Are you sure you want to remove %n attachment(s)? - Sind Sie sicher, dass sie einen Anhang löschen möchten?Sind Sie sicher, dass sie %n Anhänge löschen möchten? + Sind Sie sicher, dass Sie %n Anhang löschen wollen?Sind Sie sicher, dass Sie %n Anhänge löschen möchten? Confirm Remove @@ -1971,6 +1971,10 @@ Dies kann dazu führen, dass die jeweiligen Plugins nicht mehr richtig funktioni Reset to defaults Zurücksetzen + + Attachments (icon) + Anhänge (Icon) + Group @@ -2419,7 +2423,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Unable to open the database. - Öffnen der Datenbank ist nicht möglich. + Öffnen der Datenbank nicht möglich. @@ -2475,7 +2479,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Unable to calculate master key - Berechnung des Master-Passworts gescheitert + Berechnung des Hauptschlüssels gescheitert Wrong key or database file is corrupt. @@ -2661,7 +2665,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Merge from KeePassX database - Mit KeePassXC-Datenbank zusammenführen + Aus KeePassXC-Datenbank zusammenführen &Add new entry @@ -2693,7 +2697,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Change &master key... - &Master-Passwort ändern... + Ha&uptschlüssel ändern... &Database settings @@ -2717,7 +2721,7 @@ Dieser Vorgang ist nur in eine Richtung möglich. Die importierte Datenbank kann Copy username to clipboard - Benutzernamen in die Zwischenablage kopieren + Benutzername in die Zwischenablage kopieren Cop&y password @@ -3008,7 +3012,7 @@ Diese Version ist nicht für den Produktiveinsatz gedacht. Sort matching entries by &username - Sortiere gefundene Einträge nach &Benutzernamen + Sortiere gefundene Einträge nach &Benutzername Sort &matching entries by title @@ -3293,11 +3297,11 @@ Es wird der Standard-Port 19455 verwendet. Username for the entry. - Benutzername für den Eintrag + Nutzername für den Eintrag username - Benutzername + Nutzername URL for the entry. diff --git a/share/translations/keepassx_el.ts b/share/translations/keepassx_el.ts index 13bc946ea..426ed4306 100644 --- a/share/translations/keepassx_el.ts +++ b/share/translations/keepassx_el.ts @@ -372,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -529,7 +533,7 @@ Please unlock the selected database or choose another one which is unlocked. Different passwords supplied. - Παρέχονται διαφορετικοί κωδικοί. + Έχετε εισάγει διαφορετικούς κωδικούς. Failed to set %1 as the Key file: @@ -717,11 +721,11 @@ Please consider generating a new key file. Unable to open the database. - Δεν είναι δυνατό να ανοίξει τη βάση δεδομένων. + Αδύνατο να ανοιχτεί η βάση δεδομένων. Can't open key file - Δεν είναι δυνατό να ανοίξει αρχείο κλειδιού + Αποτυχία ανοίγματος αρχείο κλειδιού Legacy key file format @@ -740,7 +744,7 @@ Please consider generating a new key file. All files - Όλα τα αρχεία + Όλα τα αρχεία Key files @@ -945,7 +949,7 @@ If you keep this number, your database may be too easy to crack! Open database - Άνοιγμα Βάσης Δεδομένων + Άνοιγμα βάσης δεδομένων File not found! @@ -1013,7 +1017,7 @@ Save changes? Save database as - Αποθήκευση βάσης δεδομένων ως + Αποθήκευση βάσης δεδομένων σαν Export database to CSV file @@ -1025,7 +1029,7 @@ Save changes? New database - Νέα Βάση Δεδομένων + Νέα βάση δεδομένων locked @@ -1170,10 +1174,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Είστε σίγουροι ότι θέλετε να διαγράψετε μόνιμα τα πάντα από το κάδο ανακύκλωσής σας; - - Entry updated successfully. - - DetailsWidget @@ -1601,7 +1601,7 @@ Do you want to merge your changes? Edit group - Επεξεργασία Ομάδας + Επεξεργασία ομάδας Enable @@ -1949,6 +1949,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -2394,7 +2398,7 @@ This is a one-way migration. You won't be able to open the imported databas Unable to open the database. - Δεν είναι δυνατό να ανοίξει τη βάση δεδομένων. + Αποτυχία ανοίγματος βάσης δεδομένων. @@ -2405,7 +2409,7 @@ This is a one-way migration. You won't be able to open the imported databas Not a KeePass database. - Δεν είναι βάση δεδομένων KeePass. + Δεν ειναι βάση δεδομένων KeePass. Unsupported encryption algorithm. diff --git a/share/translations/keepassx_en.ts b/share/translations/keepassx_en.ts index df3ca8e6f..74d4c5325 100644 --- a/share/translations/keepassx_en.ts +++ b/share/translations/keepassx_en.ts @@ -369,6 +369,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -1186,10 +1190,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - - DetailsWidget @@ -1974,6 +1974,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group diff --git a/share/translations/keepassx_en_US.ts b/share/translations/keepassx_en_US.ts index dabdb9c02..fadc52902 100644 --- a/share/translations/keepassx_en_US.ts +++ b/share/translations/keepassx_en_US.ts @@ -373,6 +373,10 @@ Please select whether you want to allow access. Select custom proxy location Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + BrowserService @@ -1119,7 +1123,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - Do you really want to move %n entry to the recycle bin?Do you really want to move %n entries to the recycle bin? + Do you really want to move %n entry(s) to the recycle bin?Do you really want to move %n entry(s) to the recycle bin? Execute command? @@ -1191,10 +1195,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - Entry updated successfully. - DetailsWidget @@ -1371,11 +1371,11 @@ Do you want to merge your changes? %n week(s) - %n week%n weeks + %n week(s)%n week(s) %n month(s) - %n month%n months + %n month(s)%n month(s) 1 year @@ -1743,7 +1743,7 @@ Do you want to merge your changes? Uuid: - UUID: + Uuid: Plugin Data @@ -1819,7 +1819,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Are you sure you want to remove %n attachment?Are you sure you want to remove %n attachments? + Are you sure you want to remove %n attachments?Are you sure you want to remove %n attachments? Confirm Remove @@ -1976,6 +1976,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Reset to defaults + + Attachments (icon) + Attachments (icon) + Group @@ -3715,7 +3719,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Successfully removed %n encryption key from KeePassXC/HTTP Settings.Successfully removed %n encryption keys from KeePassXC/HTTP Settings. + Successfully removed %n encryption key from KeePassHTTP Settings.Successfully removed %n encryption keys from KeePassHTTP Settings. KeePassXC: No keys found diff --git a/share/translations/keepassx_es.ts b/share/translations/keepassx_es.ts index a94469536..562224575 100644 --- a/share/translations/keepassx_es.ts +++ b/share/translations/keepassx_es.ts @@ -27,7 +27,7 @@ Debug Info - Información de depuración + Información de Depuración Include the following information whenever you report a bug: @@ -73,12 +73,13 @@ Núcleo: %3 %4 Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - + Un agradecimiento especial del equipo de KeePassXC a debfx por crear el KeePassX original. Build Type: %1 - + Tipo de compilación: %1 + @@ -372,6 +373,10 @@ Por favor seleccione si desea autorizar su acceso. Select custom proxy location Elegir una ubicación de proxy personalizada + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -460,7 +465,7 @@ Por favor desbloquee la base de datos seleccionada o elija otra que esté desblo Successfully removed permissions from %n entry(s). - Los permisos fueron eliminados exitosamente de %n entradasLos permisos fueron eliminados exitosamente de %n entradas + KeePassXC: No entry with permissions found! @@ -491,7 +496,7 @@ Por favor desbloquee la base de datos seleccionada o elija otra que esté desblo Browse - Navegar + Abrir archivo Create @@ -621,7 +626,7 @@ Considere generar un nuevo archivo llave. Number of headers line to discard - Cantidad de líneas a descartar de la cabecera + Cantidad de líneas a descartar del encabezado Consider '\' an escape character @@ -689,15 +694,15 @@ Considere generar un nuevo archivo llave. CsvParserModel %n byte(s), - %n byte(s), %n byte(s), + %n row(s), - %n fila(s), %n fila(s), + %n column(s) - %n columna(s)%n columna(s) + @@ -728,7 +733,7 @@ Considere generar un nuevo archivo llave. Unable to open the database. - No se pudo abrir la base de datos. + Incapaz de abrir la base de datos. Can't open key file @@ -769,7 +774,7 @@ Considere generar un nuevo archivo llave. DatabaseRepairWidget Repair database - Reparar la base de datos + Reparar base de datos Error @@ -862,7 +867,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< thread(s) Threads for parallel execution (KDF settings) - hilo(s)hilo(s) + @@ -944,7 +949,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< Enable &compression (recommended) - + Habilitar &compresión (recomendado) @@ -956,7 +961,7 @@ Si conserva este número, ¡su base de datos puede ser muy fácil de descifrar!< KeePass 2 Database - Base de datos de KeePass 2 + Base de datos KeePass 2 All files @@ -1024,7 +1029,7 @@ Save changes? Writing the database failed. - Fallo al escribir la base de datos. + La escritura de la base de datos falló. Passwords @@ -1070,12 +1075,13 @@ De lo contrario se perderán los cambios. Disable safe saves? - + ¿Inhabilitar guardado seguro? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - + KeePassXC no ha podido guardar varias veces la base de datos. Es probable que esto se deba a que los servicios de sincronización de archivos mantienen un bloqueo en el archivo guardado. +¿Deshabilite las copias seguras y vuelva a intentarlo? @@ -1118,7 +1124,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + ¿Realmente quiere mover la entrada "%1" a la papelera de reciclaje?¿Realmente quiere mover las entradas "%1" a la papelera de reciclaje? Execute command? @@ -1142,7 +1148,7 @@ Disable safe saves and try again? Unable to calculate master key - No se puede calcular la clave maestra + No se puede calcular la llave maestra No current database. @@ -1189,10 +1195,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? ¿Está seguro que quiere eliminar permanentemente todo de su papelera de reciclaje? - - Entry updated successfully. - - DetailsWidget @@ -1369,11 +1371,11 @@ Do you want to merge your changes? %n week(s) - + %n semana%n semana(s) %n month(s) - + %n mes%n mes(es) 1 year @@ -1381,15 +1383,15 @@ Do you want to merge your changes? Apply generated password? - + ¿Aplicar la contraseña generada? Do you want to apply the generated password to this entry? - + ¿Desea aplicar la contraseña generada a esta entrada? Entry updated successfully. - + Entrada actualizada con éxito. @@ -1424,11 +1426,11 @@ Do you want to merge your changes? Foreground Color: - + Color de Primer Plano: Background Color: - + Color de Segundo Plano: @@ -1463,7 +1465,7 @@ Do you want to merge your changes? Use a specific sequence for this association: - + Usa una secuencia específica para esta asociación: @@ -1532,7 +1534,7 @@ Do you want to merge your changes? Remove key from agent after - + Eliminar después la clave del agente seconds @@ -1880,7 +1882,7 @@ This may cause the affected plugins to malfunction. Username - Nombre de usuario: + Nombre de usuario URL @@ -1969,6 +1971,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -2417,7 +2423,7 @@ Esta migración es en único sentido. No podrá abrir la base de datos importada Unable to open the database. - No se pudo abrir la base de datos. + Incapaz de abrir la base de datos. @@ -3122,7 +3128,7 @@ Usando el puerto por defecto 19455 Special Characters - Caracteres especiales + Caracteres especiales: Extended ASCII diff --git a/share/translations/keepassx_fi.ts b/share/translations/keepassx_fi.ts index 5a3a13e93..033cc6ea0 100644 --- a/share/translations/keepassx_fi.ts +++ b/share/translations/keepassx_fi.ts @@ -61,7 +61,7 @@ CPU architecture: %2 Kernel: %3 %4 Käyttöjärjestelmä: %1 Suoritinarkkitehtuuri: %2 -Ydin: %3 %4 +Kernel: %3 %4 Enabled extensions: @@ -102,8 +102,8 @@ Ydin: %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 pyytää pääsyä seuraavien kohteiden salasanoihin. -Valitse sallitaanko pääsy. + %1 pyytää pääsyä seuraavien tietueiden salasanoihin. +Ole hyvä ja valitse sallitaanko pääsy. @@ -117,7 +117,7 @@ Valitse sallitaanko pääsy. AutoType Couldn't find an entry that matches the window title: - Ikkunan nimeä vastaavaa tietuetta ei löytynyt: + Ikkunan nimeä vastaavaa merkintää ei löytynyt: Auto-Type - KeePassXC @@ -182,11 +182,11 @@ Valitse sallitaanko pääsy. AutoTypeSelectDialog Auto-Type - KeePassXC - Automaattisyöttö - KeePassXC + Automaattitäydennys - KeePassXC Select entry to Auto-Type: - Valitse tietue automaattisyöttöä varten: + Valitse merkintä automaattitäydennystä varten: @@ -210,7 +210,7 @@ Valitse sallitaanko pääsy. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 pyytää pääsyä seuraavien kohteiden salasanoihin. + %1 pyytää pääsyä seuraavien tietueiden salasanoihin. Ole hyvä ja valitse sallitaanko pääsy. @@ -372,6 +372,10 @@ Ole hyvä ja valitse sallitaanko pääsy. Select custom proxy location Valitse mukautettu välitysohjelma + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -485,7 +489,7 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. &Key file - &Avaintiedosto + Avaintiedosto Browse @@ -517,7 +521,7 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. Unable to create Key File : - Avaintiedoston luonti ei onnistunut: + Avaintiedoston luonti ei onnistunut: Select a key file @@ -564,7 +568,7 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. CloneDialog Clone Options - Kloonausasetukset + Kopiointiasetukset Append ' - Clone' to title @@ -639,11 +643,11 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Empty fieldname - Tyhjä kenttänimi + Tyhjä kenttänimi column - sarake + sarake Imported from CSV file @@ -651,7 +655,7 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Original data: - Alkuperäiset tiedot: + Alkuperäiset tiedot: Error(s) detected in CSV file ! @@ -659,7 +663,7 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. more messages skipped] - viestiä lisää ohitettu] + viestiä lisää ohitettu] Error @@ -687,15 +691,15 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. CsvParserModel %n byte(s), - %n tavu.%n tavua, + %n tavua,%n tavua, %n row(s), - %n rivi.%n riviä, + %n riviä,%n riviä, %n column(s) - %n sarake.%n saraketta + %n saraketta%n saraketta @@ -710,7 +714,7 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Password: - Salasana: + Salasana Browse @@ -726,11 +730,11 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Unable to open the database. - Tietokannan avaaminen epäonnistui. + Tietokannan avaaminen ei onnistunut. Can't open key file - Avaintiedoston avaaminen epäonnistui + Avaintiedostoa ei voitu avata Legacy key file format @@ -787,7 +791,7 @@ Ole hyvä ja harkitse uuden avaintiedoston luomista. Success - Onnistui + Onnistui! The database has been successfully repaired @@ -855,12 +859,12 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! MiB Abbreviation for Mebibytes (KDF settings) - MiB Mt + Mt Mt thread(s) Threads for parallel execution (KDF settings) - säie säie(ttä) + säie(ttä) säie(ttä) @@ -922,7 +926,7 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! Max. history items: - Maks. historia-kohteiden lukumäärä: + Maks. historiamerkintöjen lukumäärä: Max. history size: @@ -970,7 +974,7 @@ Jos pidät tämän arvon, tietokanta voi olla liian helppo murtaa! Unable to open the database. - Tietokannan avaaminen epäonnistui. + Tietokannan avaaminen ei onnistunut. File opened in read only mode. @@ -1017,7 +1021,7 @@ Hylkää muutokset ja sulje? "%1" was modified. Save changes? - Tietuetta "%1" muokattiin. + Kohdetta "%1" muokattiin. Tallennetaanko muutokset? @@ -1046,7 +1050,7 @@ Tallennetaanko muutokset? locked - lukittu + Lukittu Lock database @@ -1093,7 +1097,7 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Do you really want to delete the entry "%1" for good? - Haluatko varmasti poistaa tietueen "%1", lopullisesti? + Haluatko varmasti poistaa tietueen "%1" lopullisesti? Delete entries? @@ -1117,7 +1121,7 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Do you really want to move %n entry(s) to the recycle bin? - Haluatko varmasti siirtää %n tietueen roskakoriin?Haluatko varmasti siirtää %n tietuetta roskakoriin? + Haluatko varmasti siirtää %n kappaletta alkioita roskakoriin?Haluatko varmasti siirtää %n tietuetta roskakoriin? Execute command? @@ -1137,7 +1141,7 @@ Ota turvallinen tallennus pois käytöstä ja yritä uudelleen? Do you really want to delete the group "%1" for good? - Haluatko varmasti poistaa ryhmän "%1", lopullisesti? + Haluatko varmasti poistaa ryhmän "%1" lopullisesti? Unable to calculate master key @@ -1189,16 +1193,12 @@ Haluatko yhdistää muutoksesi? Are you sure you want to permanently delete everything from your recycle bin? Haluatko varmasti tyhjentää kaiken pysyvästi roskakorista? - - Entry updated successfully. - - DetailsWidget Generate TOTP Token - Luo ajastetun kertakäyttöisen salasanan (TOTP) tunniste + Luo aikapohjaisen salasanan (TOTP) tunniste Close @@ -1226,11 +1226,11 @@ Haluatko yhdistää muutoksesi? Autotype - Automaattisyöttö + Automaattitäydennys Searching - Hakeminen + Etsitään Attributes @@ -1293,7 +1293,7 @@ Haluatko yhdistää muutoksesi? Auto-Type - Automaattisyöttö + Automaattitäydennys Properties @@ -1369,11 +1369,11 @@ Haluatko yhdistää muutoksesi? %n week(s) - %n viikko%n viikkoa + %n viikkoa%n viikkoa %n month(s) - %n kuukausi%n kuukautta + %n kuukautta%n kuukautta 1 year @@ -1381,15 +1381,15 @@ Haluatko yhdistää muutoksesi? Apply generated password? - + Käytä luotua salasanaa? Do you want to apply the generated password to this entry? - + Haluatko ottaa käyttöön luodun salasanan tälle tietueelle? Entry updated successfully. - + Tietue päivitetty onnistuneesti. @@ -1424,30 +1424,30 @@ Haluatko yhdistää muutoksesi? Foreground Color: - + Korostusväri: Background Color: - + Taustaväri: EditEntryWidgetAutoType Enable Auto-Type for this entry - Salli automaattisyöttö tälle tietueelle + Salli automaattitäydennys tälle merkinnälle Inherit default Auto-Type sequence from the &group - Peri automaattisyötön oletussekvenssi &ryhmältä + Peri automaattitäydennyksen oletussekvenssi &ryhmältä &Use custom Auto-Type sequence: - &Käytä mukautettua automaattisyötön sekvenssiä: + &Käytä mukautettua automaattitäydennyksen sekvenssiä: Window Associations - Ikkunoiden liitokset + Ikkunoiden yhteysasetukset + @@ -1509,11 +1509,11 @@ Haluatko yhdistää muutoksesi? Presets - Esiasetukset + Esiasetus Toggle the checkbox to reveal the notes section. - Ruksi valintaruutu näyttääksesi muistiinpano-osio. + Ruksi valintaruutu näyttääksesi huomautusosio. Username: @@ -1532,11 +1532,11 @@ Haluatko yhdistää muutoksesi? Remove key from agent after - Poista avain agentista kun on kulunut + Poista avain agentilta viiveellä seconds - sekuntia + s Fingerprint @@ -1544,7 +1544,7 @@ Haluatko yhdistää muutoksesi? Remove key from agent when database is closed/locked - Poista avain agentista kun tietokanta suljetaan/lukitaan + Poista avain agentista kun tietokanta on suljettu/lukittu Public key @@ -1552,7 +1552,7 @@ Haluatko yhdistää muutoksesi? Add key to agent when database is opened/unlocked - Lisää avain agenttiin kun tietokanta avataan/lukitaan + Lisää avain agenttiin kun tietokanta on avattu/lukitus avattu Comment @@ -1655,15 +1655,15 @@ Haluatko yhdistää muutoksesi? Auto-Type - Automaattisyöttö + Automaattitäydennys &Use default Auto-Type sequence of parent group - &Peri automaattisyötön sekvenssi emoryhmältä + &Peri auromaattitäydennyksen sekvenssi isäntäryhmältä Set default Auto-Type se&quence - Aseta automaattisyötön &oletussekvenssi + Aseta automaattitäydennyksen &oletussekvenssi @@ -1745,7 +1745,7 @@ Haluatko yhdistää muutoksesi? Plugin Data - + Liitännäistiedot Remove @@ -1753,20 +1753,21 @@ Haluatko yhdistää muutoksesi? Delete plugin data? - + Poista liitännäistiedot? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Haluatko varmasti poistaa valitun liitännäistiedon? +Tämä voi vikaannuttaa tietoa käyttävän liitännäisen. Key - + Avain Value - + Arvo @@ -1816,7 +1817,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Haluatko varmasti poistaa &n liitettä?Haluatko varmasti poistaa &n liitettä? + Haluatko varmasti poistaa %n liitettä?Haluatko varmasti poistaa %n liitettä? Confirm Remove @@ -1896,7 +1897,7 @@ This may cause the affected plugins to malfunction. Ref: Reference abbreviation - Viittaus: + Viittaus: Group @@ -1973,6 +1974,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Palauta oletusasetukset + + Attachments (icon) + + Group @@ -2421,7 +2426,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant Unable to open the database. - Tietokannan avaaminen epäonnistui. + Tietokannan avaaminen ei onnistunut. @@ -2607,7 +2612,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant &Recent databases - Viimeisimmät tietokannat + &Viimeisimmät tietokannat Import @@ -2631,7 +2636,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant &Groups - Ryhmät + &Ryhmät &Tools @@ -2639,7 +2644,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant &Quit - &Lopeta + L&opeta &About @@ -2663,11 +2668,11 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant Merge from KeePassX database - Yhdistä KeePassXC-tietokannasta + Yhdistä KeePassX-tietokannasta &Add new entry - Lisää &tietue + &Lisää tietue &View/Edit entry @@ -2699,7 +2704,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant &Database settings - Tietokannan &asetukset + Tietok&annan asetukset Database settings @@ -2715,7 +2720,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant Copy &username - Kopioi käyttäjä&tunnus + Kopioi &käyttäjätunnus Copy username to clipboard @@ -2739,11 +2744,11 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant &Perform Auto-Type - Suorita automaattisyöttö + S&uorita automaattitäydennys &Open URL - Avaa &URL + &Avaa URL &Lock databases @@ -2771,7 +2776,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant Copy notes to clipboard - Kopioi muistiinpanot leikepöydälle + Kopioi huomautukset leikepöydälle &Export to CSV file... @@ -2835,7 +2840,7 @@ Tämä muunnos toimii yhdensuuntaisesti. Et välttämättä saa enää tietokant KeePass 2 Database - KeePass 2 -tietokanta + Keepass 2 -tietokanta All files @@ -2890,7 +2895,7 @@ Tätä versiota ei ole tarkoitettu päivittäiseen käyttöön. Found zero keys - Löytyi nolla avainta + Yhtään avainta ei löytynyt Failed to read public key. @@ -2902,23 +2907,23 @@ Tätä versiota ei ole tarkoitettu päivittäiseen käyttöön. No private key payload to decrypt - Salauksen purku epäonnistui: yksityisen avaimen sisältö on tyhjä + Salauksen purku epäonnistui: salainen avain ei sisällä dataa Trying to run KDF without cipher - Yritetään tehdä avainmuunnosfunktiota ilman salausta + Yritetään tehdä avainderivaatiofunktiota ilman salausta Passphrase is required to decrypt this key - Avaimen purkuun vaaditaan salalause + Avaimen purkuun vaaditaan tunnuslause Key derivation failed, key file corrupted? - Avaimen muuntaminen epäonnistui. Onko avaintiedosto korruptoitunut? + Avaimen derivointi epäonnistui. Onko avaintiedosto korruptoitunut? Decryption failed, wrong passphrase? - Salauksen purku epäonnistui, väärä salalause? + Salauksen purku epäonnistui, väärä tunnuslause? Unexpected EOF while reading public key @@ -3006,15 +3011,15 @@ Tätä versiota ei ole tarkoitettu päivittäiseen käyttöön. &Match URL schemes - &Sovita verkko-osoitteen kaavaan + Sovita verkko-osoitteen kaavaan Sort matching entries by &username - Järjestä sopivat tietueet &käyttäjätunnuksen mukaan + Järjestä &vastaavat tietueet käyttäjätunnuksen mukaan Sort &matching entries by title - Järjestä sopivat tietueet &nimen mukaan + Järjestä &vastaavat merkinnät otsikon mukaan R&emove all shared encryption keys from active database @@ -3030,7 +3035,7 @@ Tätä versiota ei ole tarkoitettu päivittäiseen käyttöön. Advanced - Lisäasetukset + Lisää.. Always allow &access to entries @@ -3148,7 +3153,7 @@ Käytetään oletusporttia 19455. Passphrase - Salalause + Tunnuslause Wordlist: @@ -3279,7 +3284,7 @@ Käytetään oletusporttia 19455. Add a new entry to a database. - Lisää uusi tietue tietokantaan. + Lisää uusi tietue tietokantaan Path of the database. @@ -3295,7 +3300,7 @@ Käytetään oletusporttia 19455. Username for the entry. - Tietueen käyttäjänimi. + Tietueen käyttäjänimi username @@ -3348,11 +3353,11 @@ Käytetään oletusporttia 19455. Title for the entry. - Tietueen nimi + Tietueen otsikko. title - nimi + otsikko Path of the entry to edit. @@ -3473,7 +3478,7 @@ Käytettävissä olevat komennot: file empty ! - tiedosto on tyhjä ! + tiedosto tyhjä ! @@ -3611,7 +3616,7 @@ Käytettävissä olevat komennot: QtIOCompressor Internal zlib error when compressing: - Sisäinen zlib virhe pakatessa: + Sisäinen zlib-virhe pakatessa: Error writing to underlying device: @@ -3638,7 +3643,7 @@ Käytettävissä olevat komennot: Internal zlib error: - Sisäinen zlib-virhe: + Sisäinen zlib-virhe: @@ -3712,7 +3717,7 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Poistettiin %n salausavain(ta) KeePassX/Http-asetuksista.Poistettiin %n salausavain(ta) KeePassX/Http-asetuksista. + Poistettiin %n salausavain KeePassX/Http-asetuksista.Poistettiin %n salausavainta KeePassX/Http-asetuksista. KeePassXC: No keys found @@ -3744,11 +3749,11 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. Successfully removed permissions from %n entries. - Poistettiin käyttöoikeudet %1:n tietueen tiedoista.Poistettiin käyttöoikeudet %1:n tietueen tiedoista. + Poistettiin käyttöoikeus %n tietueelta.Poistettiin käyttöoikeus %n tietueelta. KeePassXC: No entry with permissions found! - KeePassXC: Tietuetta käyttöoikeuksilla ei löytynyt! + KeePassXC: Merkintää käyttöoikeuksilla ei löytynyt! The active database does not contain an entry with permissions. @@ -3850,27 +3855,27 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. Auto-Type - Automaattisyöttö + Automaattitäydennys Use entry title to match windows for global Auto-Type - Tietue on sopiva, jos sen nimi sisältyy kohdeikkunan otsikkoon yleisessä automaattisyötössä + Tietue on sopiva, jos sen nimi sisältyy kohdeikkunan otsikkoon yleisessä automaattitäydennyksessä Use entry URL to match windows for global Auto-Type - Tietue on sopiva, jos sen osoite sisältyy kohdeikkunan otsikkoon yleisessä automaattisyötössä + Tietue on sopiva, jos sen osoite sisältyy kohdeikkunan otsikkoon yleisessä automaattitäydennyksessä Always ask before performing Auto-Type - Kysy aina ennen automaattisyötön käyttämistä + Kysy aina ennen automaattitäydennyksen käyttämistä Global Auto-Type shortcut - Yleisen automaattisyötön pikanäppäin + Globaalin automaattitäydennyksen pikanäppäin Auto-Type delay - Automaattisyötön viive + Automaattitäydennyksen viive ms @@ -3947,7 +3952,7 @@ Avaa valittu tietokanta tai valitse toinen avattu tietokanta. Hide entry notes by default - Piilota tietueiden muistiinpanot + Piilota tietueiden huomautukset Privacy diff --git a/share/translations/keepassx_fr.ts b/share/translations/keepassx_fr.ts index 3655a9e90..12a428dcd 100644 --- a/share/translations/keepassx_fr.ts +++ b/share/translations/keepassx_fr.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC est distribué suivant les termes de la Licence Publique Générale GNU (GNU GPL), soit la version 2 de la Licence soit (à votre gré) la 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 choix). Contributors @@ -23,7 +23,7 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Voir les contributions sur GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Voir Contributions sur GitHub</a> Debug Info @@ -31,7 +31,7 @@ Include the following information whenever you report a bug: - Inclure les informations suivantes lorsque vous signaler un bug : + Inclure l'information suivante lorsque vous signaler un bug : Copy to clipboard @@ -45,11 +45,11 @@ Revision: %1 - Révision : %1 + Révision: %1 Distribution: %1 - Distribution : %1 + Distribution: %1 Libraries: @@ -61,7 +61,7 @@ CPU architecture: %2 Kernel: %3 %4 Système d'exploitation : %1 Architecture CPU : %2 -Noyau : %3 %4 +Kernel : %3 %4 Enabled extensions: @@ -86,7 +86,7 @@ Noyau : %3 %4 AccessControlDialog KeePassXC HTTP Confirm Access - Confirmer l'accès pour KeePassXC HTTP + Accès KeePassXC HTTP confirmé Remember this decision @@ -103,7 +103,7 @@ Noyau : %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 a demandé l’accès aux mots de passe pour le ou les élément(s) suivant(s). + %1 a demandé l’accès aux mots de passe pour l'élément suivant (ou les éléments suivants). Veuillez sélectionner si vous souhaitez autoriser l’accès. @@ -122,7 +122,7 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Auto-Type - KeePassXC - Saisie automatique - KeePassXC + Remplissage automatique - KeePassXC Auto-Type @@ -183,11 +183,11 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. AutoTypeSelectDialog Auto-Type - KeePassXC - Saisie automatique - KeePassXC + Remplissage automatique - KeePassXC Select entry to Auto-Type: - Sélectionner une entrée à saisir automatiquement : + Choisissez un champ pour Auto-Type : @@ -373,6 +373,10 @@ Veuillez sélectionner si vous souhaitez autoriser l’accès. Select custom proxy location Sélectionner un proxy personnalisé + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -444,7 +448,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Successfully removed %n encryption key(s) from KeePassXC settings. - Cette clé de chiffrement a été retirée avec succès des paramètres de KeepassXC.%n clés de chiffrement on été retirées avec succès des paramètres de KeePassXC. + %n clé(s) de chiffrement ont été retirées avec succès des paramètres de KeePassXC.%n clé(s) de chiffrement ont été retirées avec succès des paramètres de KeePassXC. Removing stored permissions… @@ -460,7 +464,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Successfully removed permissions from %n entry(s). - Les permissions de cette entrée ont été retirées avec succès.Les permissions de %n entrées ont été retirées avec succès. + Les permissions de %n entrées ont été retirées avec succès.Autorisations retirées avec succès de %s entrée(s) KeePassXC: No entry with permissions found! @@ -487,11 +491,11 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui &Key file - Fichier clé + Fichier-clé Browse - Parcourir + Naviguer Create @@ -507,7 +511,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Key files - Fichiers clés + Fichiers-clés All files @@ -515,15 +519,15 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Create Key File... - Créer un fichier clé... + Créer un fichier-clé... Unable to create Key File : - Impossible de créer un fichier clé : + Impossible de créer un fichier-clé : Select a key file - Choisir un fichier clé + Choisir un fichier-clé Empty password @@ -531,7 +535,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Do you really want to use an empty string as password? - Voulez-vous vraiment utiliser une chaîne de caractères vide comme mot de passe ? + Voulez-vous vraiment utiliser une chaîne vide comme mot de passe ? Different passwords supplied. @@ -540,7 +544,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Failed to set %1 as the Key file: %2 - Impossible de définir %1 comme fichier clé : + Impossible de définir %1 comme fichier-clé : %2 @@ -559,7 +563,7 @@ Veuillez envisager de générer un nouveau fichier clé. Changing master key failed: no YubiKey inserted. - Échec du changement de clé maître : pas de YubiKey insérée. + Échec du changement de clé maître: pas de YubiKey insérée. @@ -585,7 +589,7 @@ Veuillez envisager de générer un nouveau fichier clé. CsvImportWidget Import CSV fields - Importer les champs du CSV + Importer les champs CSV filename @@ -621,7 +625,7 @@ Veuillez envisager de générer un nouveau fichier clé. Number of headers line to discard - Nombre de lignes d'en-têtes à ignorer + Nombre de lignes d'en-tête à ignorer Consider '\' an escape character @@ -649,7 +653,7 @@ Veuillez envisager de générer un nouveau fichier clé. Imported from CSV file - Importé depuis un fichier CSV + Importé du fichier CSV Original data: @@ -657,7 +661,7 @@ Veuillez envisager de générer un nouveau fichier clé. Error(s) detected in CSV file ! - Erreur(s) détectée(s) dans le fichier CSV! + Erreur(s) détectées dans le fichier CSV! more messages skipped] @@ -670,7 +674,7 @@ Veuillez envisager de générer un nouveau fichier clé. CSV import: writer has errors: - Importation du CSV : erreurs d'écriture: + Import CSV: erreurs d'écriture: @@ -689,15 +693,15 @@ Veuillez envisager de générer un nouveau fichier clé. CsvParserModel %n byte(s), - %n octet(s)%n octet(s) + %n octet (s), %n octet(s), %n row(s), - %n Row (s), %n ligne(s), + %n Row (s), %n rangée(s), %n column(s) - %n colonne%n colonne(s) + %n/des colonnes%n colonne(s) @@ -708,7 +712,7 @@ Veuillez envisager de générer un nouveau fichier clé. Key File: - Fichier clé : + Fichier-clé : Password: @@ -716,7 +720,7 @@ Veuillez envisager de générer un nouveau fichier clé. Browse - Parcourir + Naviguer Refresh @@ -732,7 +736,7 @@ Veuillez envisager de générer un nouveau fichier clé. Can't open key file - Impossible d'ouvrir le fichier clé + Impossible d'ouvrir le fichier-clé Legacy key file format @@ -758,11 +762,11 @@ Veuillez envisager de générer un nouveau fichier clé. Key files - Fichiers clés + Fichiers-clés Select key file - Choisissez un fichier clé + Choisissez un fichier-clé @@ -777,7 +781,7 @@ Veuillez envisager de générer un nouveau fichier clé. Can't open key file - Impossible d'ouvrir le fichier clé + Impossible d'ouvrir le fichier-clé Unable to open the database. @@ -857,12 +861,12 @@ Si vous conservez ce nombre, la sécurité de votre base de données peut être MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + MioMio thread(s) Threads for parallel execution (KDF settings) - fil(s) d'exécutionfil(s) d'exécution + fil(s) d'exécutionfil(s) d'exécution @@ -956,7 +960,7 @@ Si vous conservez ce nombre, la sécurité de votre base de données peut être KeePass 2 Database - Base de données KeePass 2 + Base de données Keepass 2 All files @@ -1000,7 +1004,7 @@ Si vous conservez ce nombre, la sécurité de votre base de données peut être KeePass 1 database - Base de données KeePass 1 + Base de données Keepass 1 Close? @@ -1032,7 +1036,7 @@ Enregistrer les modifications ? Save database as - Enregistrer la base de données sous + Enregistrer comme nouvelle base de données Export database to CSV file @@ -1087,7 +1091,7 @@ Désactiver les sauvegardes sécurisées et essayer à nouveau? Change master key - Modifier la clé maître + Changer la clé maître Delete entry? @@ -1115,11 +1119,11 @@ Désactiver les sauvegardes sécurisées et essayer à nouveau? Move entries to recycle bin? - Déplacer les entrées dans la corbeille ? + Déplacer les entrées vers la corbeille ? Do you really want to move %n entry(s) to the recycle bin? - Voulez-vous vraiment déplacer %n entrée vers la corbeille ?Voulez-vous vraiment déplacer %n entrées dans la corbeille? + Voulez-vous déplacer %n entrée(s) vers la corbeille ?Voulez-vous déplacer %n entrée(s) vers la corbeille ? Execute command? @@ -1189,11 +1193,7 @@ Voulez-vous fusionner vos modifications ? Are you sure you want to permanently delete everything from your recycle bin? - Êtes-vous certain de vouloir vider définitivement la corbeille? - - - Entry updated successfully. - + Êtes-vous certain de vouloir vider définitivement votre corbeille? @@ -1268,7 +1268,7 @@ Voulez-vous fusionner vos modifications ? [PROTECTED] - [PROTÉGER] + [PROTÉGÉ] Disabled @@ -1295,7 +1295,7 @@ Voulez-vous fusionner vos modifications ? Auto-Type - Saisie automatique + Remplissage automatique Properties @@ -1343,7 +1343,7 @@ Voulez-vous fusionner vos modifications ? Different passwords supplied. - Les mots de passe insérés sont différents. + Les mots de passe ne sont pas identiques. New attribute @@ -1351,7 +1351,7 @@ Voulez-vous fusionner vos modifications ? Confirm Remove - Confirmer la suppression + Confirmez la suppression Are you sure you want to remove this attribute? @@ -1383,15 +1383,15 @@ Voulez-vous fusionner vos modifications ? Apply generated password? - + Appliquer le mot de passe généré ? Do you want to apply the generated password to this entry? - + Souhaitez-vous appliquer le mot de passe généré à cette entrée ? Entry updated successfully. - + Entrée mise à jour avec succès. @@ -1422,30 +1422,30 @@ Voulez-vous fusionner vos modifications ? Attachments - Fichiers attachés + Affichage Foreground Color: - + Couleur du texte : Background Color: - + Couleur du fond : EditEntryWidgetAutoType Enable Auto-Type for this entry - Activer la saisie automatique pour cette entrée + Activer le remplissage automatique pour cette entrée Inherit default Auto-Type sequence from the &group - Utiliser la séquence par défaut de saisie automatique du &groupe + Utiliser la séquence de remplissage automatique par défaut du groupe &Use custom Auto-Type sequence: - &Utiliser une séquence personnalisée de saisie automatique : + Utiliser une séquence de remplissage automatique personnalisée : Window Associations @@ -1653,19 +1653,19 @@ Voulez-vous fusionner vos modifications ? Search - Recherche + Chercher Auto-Type - Saisie automatique + Saisie-Automatique &Use default Auto-Type sequence of parent group - &Utiliser la séquence par défaut de saisie automatique du groupe parent + &Utiliser la séquence de Saisie-Automatique du groupe parent Set default Auto-Type se&quence - Définir la sé&quence par défaut de la saisie automatique + Définir la sé&quence par défaut de la Saisie-Automatique @@ -1696,7 +1696,7 @@ Voulez-vous fusionner vos modifications ? Hint: You can enable Google as a fallback under Tools>Settings>Security - Astuce : Vous pouvez activer Google en second recours sous Outils>Paramètres>Sécurité + Astuce : Vous pouvez activer Google en tant que repli sous Outils>Paramètres>Sécurité Images @@ -1704,7 +1704,7 @@ Voulez-vous fusionner vos modifications ? All files - Tous les fichiers + Tous les dossiers Select Image @@ -1747,7 +1747,7 @@ Voulez-vous fusionner vos modifications ? Plugin Data - + Données de l'extension Remove @@ -1755,20 +1755,20 @@ Voulez-vous fusionner vos modifications ? Delete plugin data? - + Supprimer les données de l'extension ? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Souhaitez-vous vraiment supprimer les données de l'extension sélectionnée ? Cela peut causer un dysfonctionnement de l'extension. Key - + Clé Value - + Valeur @@ -1818,7 +1818,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Êtes-vous sûr de vouloir supprimer ce fichier attaché?Êtes-vous sûr de vouloir supprimer ces %n fichiers attachés? + Êtes-vous sûr de vouloir supprimer ces %n fichiers attachés ?Êtes-vous sûr de vouloir supprimer ces %n fichiers attachés ? Confirm Remove @@ -1953,27 +1953,31 @@ This may cause the affected plugins to malfunction. EntryView Customize View - Personnaliser l’affichage + Personnaliser la vue Hide Usernames - Masquer les noms d’utilisateur + Cacher les noms d'utilisateurs Hide Passwords - Masquer les mots de passe + Cacher les mots de passe Fit to window - Ajuster à la fenêtre + Adapter à la fenêtre Fit to contents - Ajuster au contenu + Adapter au contenu Reset to defaults - Réinitialiser aux valeurs par défaut + Remettre les paramètres par défaut + + + Attachments (icon) + @@ -1998,7 +2002,7 @@ This may cause the affected plugins to malfunction. HttpPasswordGeneratorWidget Length: - Longueur : + Longueur: Character Types @@ -2419,7 +2423,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l KeePass1OpenWidget Import KeePass1 database - Importer une base de données au format KeePass 1 + Importer une base de données au format KeePass1 Unable to open the database. @@ -2430,7 +2434,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l KeePass1Reader Unable to read keyfile. - Impossible de lire le fichier clé. + Impossible de lire le fichier-clé. Not a KeePass database. @@ -2586,7 +2590,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l The lock file could not be created. Single-instance mode disabled. - Le fichier de verrouillage ne peut pas être créé. Le mode d'instance unique est désactivé. + Le fichier verrou ne peut pas être créé. Le mode instance-unique est désactivé. Another instance of KeePassXC is already running. @@ -2609,7 +2613,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Recent databases - &Bases de données récentes + Bases de données récentes Import @@ -2617,15 +2621,15 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Help - &Aide + Aide E&ntries - E&ntrées + Entrées Copy att&ribute to clipboard - Copier l'att&ribut dans le presse-papier + Copier l'attribut dans le presse-papier Time-based one-time password @@ -2633,7 +2637,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Groups - &Groupes + Groupes &Tools @@ -2653,11 +2657,11 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Save database - &Enregistrer la base de données + Enregistrer la base de données &Close database - &Fermer la base de données + Fermer la base de données &New database @@ -2665,19 +2669,19 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l Merge from KeePassX database - Fusionner avec la base de données de KeePassX... + Fusionner depuis la base de données KeePassX &Add new entry - &Ajouter une nouvelle entrée + Ajouter une nouvelle entrée &View/Edit entry - &Voir/Éditer l'entrée + Voir/Editer l'entrée &Delete entry - &Supprimer l'entrée + Supprimer l'entrée &Add new group @@ -2693,7 +2697,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l Sa&ve database as... - En&registrer la base de données sous... + Sau&ver la base de données sous... Change &master key... @@ -2701,7 +2705,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Database settings - &Paramètres de la base de données + Paramètre de la base de &données Database settings @@ -2709,7 +2713,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Clone entry - &Cloner l'entrée + Cloner l'entrée &Find @@ -2725,7 +2729,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l Cop&y password - Cop&ier le mot de passe + Copier le mot de passe Copy password to clipboard @@ -2733,7 +2737,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Settings - &Paramètres + Paramètres Password Generator @@ -2741,7 +2745,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Perform Auto-Type - &Exécuter la saisie automatique + Exécuter la saisie semi-automatique &Open URL @@ -2749,7 +2753,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l &Lock databases - &Verrouiller les bases de données + Verrouiller les bases de données &Title @@ -2821,7 +2825,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l read-only - Lecture seule + Lecture seulement Settings @@ -2833,7 +2837,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l Quit KeePassXC - Quitter KeePassXC + Quitter KeePass XC KeePass 2 Database @@ -2845,7 +2849,7 @@ Il s'agit d'une migration à sens unique. Vous ne pourrez pas ouvrir l Open database - Ouvrir la base de données + Ouvrir une base de données Save repaired database @@ -2988,7 +2992,7 @@ Cette version n’est pas destinée à la production. Sh&ow a notification when credentials are requested Credentials mean login data requested via browser extension - Af&ficher une notification quand les identifiants sont demandés + Montrer une notification quand les références sont demandées Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -3056,7 +3060,7 @@ Cette version n’est pas destinée à la production. &Return advanced string fields which start with "KPH: " - & Retourne les champs avancés de chaîne de caractères qui commencent par "KPH :" + & Retourne les champs avancés de type chaîne qui commencent par "KPH :" HTTP Port: @@ -3068,7 +3072,7 @@ Cette version n’est pas destinée à la production. KeePassXC will listen to this port on 127.0.0.1 - KeePassXC va écouter ce port sur 127.0.0.1 + KeepassXC va écouter ce port sur 127.0.0.1 <b>Warning:</b> The following options can be dangerous! @@ -3114,7 +3118,7 @@ Restauration du port 19455 par défaut. Character Types - Types de caractères: + Types de caractères Upper Case Letters @@ -3126,7 +3130,7 @@ Restauration du port 19455 par défaut. Numbers - Chiffres + Nombres Special Characters @@ -3138,7 +3142,7 @@ Restauration du port 19455 par défaut. Exclude look-alike characters - Exclure les caractères qui se ressemblent + Exclure les caractères se ressemblant Pick characters from every group @@ -3480,7 +3484,7 @@ Commandes disponibles : malformed string - chaîne de caractères malformée + chaîne malformée missing closing quote @@ -3544,7 +3548,7 @@ Commandes disponibles : Browser Integration - Intégration au navigateur web + Intégration Navigateur YubiKey[%1] Challenge Response - Slot %2 - %3 @@ -3651,7 +3655,7 @@ Commandes disponibles : Search - Recherche + Chercher Clear @@ -3714,7 +3718,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Cette clé de chiffrement a été retirée avec succès des paramètres de KeePassX/Http.%n clés de chiffrement ont été retirées avec succès des paramètres de KeePassX/Http. + Réussi à retirer le chiffrement %n-clé (s) de paramètres KeePassX/Http.%n-clé(s) chiffrement ont été retirées des paramètres KeePassX/Http. KeePassXC: No keys found @@ -3726,7 +3730,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui KeePassXC: Settings not available! - KeePassXC : Paramètres indisponibles ! + KeePassXC: Paramètre indisponible ! The active database does not contain an entry of KeePassHttp Settings. @@ -3746,7 +3750,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Successfully removed permissions from %n entries. - Les permissions de l'entrée ont été retirées avec succès.Les permissions de %n entrées ont été retirées avec succès. + Correctement supprimé les autorisations de %n entrées.Les autorisations de %n entrées ont été correctement supprimées. KeePassXC: No entry with permissions found! @@ -3852,7 +3856,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Auto-Type - Saisie automatique + Saisie-Automatique Use entry title to match windows for global Auto-Type @@ -3864,15 +3868,15 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Always ask before performing Auto-Type - Toujours demander avant de procéder à une saisie automatique + Toujours demander avant de procéder à une Saisie-Automatique Global Auto-Type shortcut - Raccourci de la saisie automatique + Raccourci de la Saisie-Automatique Auto-Type delay - Délais de remplissage de la saisie automatique + Délais de Remplissage de la Saisie-Automatique ms @@ -3885,7 +3889,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui File Management - Gestion des fichiers + Gestion de fichiers Safely save database files (may be incompatible with Dropbox, etc) @@ -3908,7 +3912,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui SettingsWidgetSecurity Timeouts - Expirations + Timeouts Clear clipboard after @@ -3929,11 +3933,11 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Lock databases when session is locked or lid is closed - Verrouiller les bases de données quand la session est verrouillée ou l'écran rabattu + Verrouiller les bases de données quand la session est verrouillée ou le capot fermé Lock databases after minimizing the window - Verrouiller les bases de données lorsque la fenêtre est minimisée + Verrouiller la base de données lorsque la fenêtre est minimisée Don't require password repeat when it is visible @@ -3957,7 +3961,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Use Google as fallback for downloading website icons - Utilisez Google en second recours pour télécharger les icônes des sites internet + Utilisez Google en secours pour télécharger des icônes de site web Re-lock previously locked database after performing Auto-Type @@ -4062,7 +4066,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Import from CSV - Importer depuis un CSV + Import depuis CSV Recent databases @@ -4070,7 +4074,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui Welcome to KeePassXC %1 - Bienvenue sur KeePassXC %1 + Bienvenue dans KeePassXC %1 @@ -4101,7 +4105,7 @@ Veuillez déverrouiller la base de données sélectionnée ou en choisir une qui key file of the database - Fichier clé de la base de données + Fichier-clé de la base de données read password of the database from stdin diff --git a/share/translations/keepassx_hu.ts b/share/translations/keepassx_hu.ts index fe7f8f8e8..a84903fa6 100644 --- a/share/translations/keepassx_hu.ts +++ b/share/translations/keepassx_hu.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - A KeePassXC a GNU General Public License (GPL) 2-es vagy (válaszhatóan) 3-as verziója szerint kerül terjesztésre. + A KeePassXC a GNU General Public License (GPL) 2. vagy (válaszhatóan ) 3. verziója szerint kerül terjesztésre. Contributors @@ -372,6 +372,10 @@ Válassza ki, hogy engedélyezi-e a hozzáférést. Select custom proxy location Egyedi proxyhely kijelölése + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Sajnáljuk, de a KeePassXC-Browser pillanatnyilag nem támogatja a Snap kiadásokat. + BrowserService @@ -773,7 +777,7 @@ Megfontolandó egy új kulcsfájl készítése. Can't open key file - Nem lehet megnyitni a kulcsfájlt + Nem lehet megnyitni a kulcsfájl Unable to open the database. @@ -988,7 +992,7 @@ Ezt a számot megtartva az adatbázis nagyon könnyen törhető lesz. Merge database - Adatbázis egyesítése + Adatbázis összeolvasztása Open KeePass 1 database @@ -1167,7 +1171,7 @@ Letiltható a biztonságos mentés és úgy megkísérelhető a mentés? Merge Request - Egyesítési kérelem + Összeolvasztási kérelem The database file has changed and you have unsaved changes. @@ -1187,10 +1191,6 @@ Egyesíti a módosításokat? Are you sure you want to permanently delete everything from your recycle bin? Valóban véglegesen töröl mindent a kukából? - - Entry updated successfully. - - DetailsWidget @@ -1379,15 +1379,15 @@ Egyesíti a módosításokat? Apply generated password? - + Alkalmazható az előállított jelszó? Do you want to apply the generated password to this entry? - + Valóban alkalmazható az előállított jelszó ehhez a bejegyzéshez? Entry updated successfully. - + Bejegyzés sikeresen frissítve. @@ -1422,11 +1422,11 @@ Egyesíti a módosításokat? Foreground Color: - + Előtérszín: Background Color: - + Háttérszín: @@ -1739,11 +1739,11 @@ Egyesíti a módosításokat? Uuid: - UUID: + Uuid: Plugin Data - + Bővítmény adati Remove @@ -1751,20 +1751,21 @@ Egyesíti a módosításokat? Delete plugin data? - + Törölhetők a bővítmény adatai? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Valóban törölhetők a kijelölt bővítmény adata? +Ez a kijelölt bővítmény hibás működését eredményezheti. Key - + Kulcs Value - + Érték @@ -1971,6 +1972,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Visszaállítás alapértelmezettre + + Attachments (icon) + Mellékletek (ikon) + Group @@ -2030,7 +2035,7 @@ This may cause the affected plugins to malfunction. /*_& ... - /*_& … + /*_& ... Exclude look-alike characters @@ -2661,7 +2666,7 @@ Ez egyirányú migráció. Nem lehet majd megnyitni az importált adatbázist a Merge from KeePassX database - Egyesítés KeePassX adatbázisból + Összeolvasztás KeePassX adatbázisból &Add new entry diff --git a/share/translations/keepassx_id.ts b/share/translations/keepassx_id.ts index dcd4a5b96..0540b5afb 100644 --- a/share/translations/keepassx_id.ts +++ b/share/translations/keepassx_id.ts @@ -23,7 +23,7 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Lihat Semua Kontribusi di GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Lihat Semua Kontribusi pada GitHub</a> Debug Info @@ -372,6 +372,10 @@ Silakan pilih apakah Anda ingin mengizinkannya. Select custom proxy location Pilih lokasi proksi khusus + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -443,7 +447,7 @@ Silakan buka kunci atau pilih yang lainnya yang tidak terkunci. Successfully removed %n encryption key(s) from KeePassXC settings. - Berhasil membuang %n kunci enkripsi dari pengaturan KeePassXC. + Removing stored permissions… @@ -459,7 +463,7 @@ Silakan buka kunci atau pilih yang lainnya yang tidak terkunci. Successfully removed permissions from %n entry(s). - Berhasil membuang perizinan dari %n entri. + KeePassXC: No entry with permissions found! @@ -510,7 +514,7 @@ Silakan buka kunci atau pilih yang lainnya yang tidak terkunci. All files - Semua Berkas + Semua berkas Create Key File... @@ -588,11 +592,11 @@ Harap pertimbangkan membuat berkas kunci baru. filename - nama berkas + filename size, rows, columns - ukuran, baris, kolom + size, rows, columns Encoding @@ -753,7 +757,7 @@ Harap pertimbangkan membuat berkas kunci baru. All files - Semua Berkas + Semua berkas Key files @@ -852,7 +856,7 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + thread(s) @@ -951,11 +955,11 @@ If you keep this number, your database may be too easy to crack! KeePass 2 Database - Basis Data KeePass 2 + Basis data KeePass 2 All files - Semua Berkas + Semua berkas Open database @@ -1019,7 +1023,7 @@ Simpan perubahan? Writing the database failed. - Gagal menyimpan basis data. + Gagal membuat basis data. Passwords @@ -1186,10 +1190,6 @@ Apakah Anda ingin menggabungkan ubahan Anda? Are you sure you want to permanently delete everything from your recycle bin? Apakah Anda yakin ingin menghapus semuanya secara permanen dari keranjang sampah? - - Entry updated successfully. - - DetailsWidget @@ -1699,7 +1699,7 @@ Apakah Anda ingin menggabungkan ubahan Anda? All files - Semua Berkas + Semua berkas Select Image @@ -1813,7 +1813,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Apakah Anda yakin ingin membuang %n lampiran? + Confirm Remove @@ -1970,6 +1970,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Kembalikan ke setelan bawaan + + Attachments (icon) + + Group @@ -3708,7 +3712,7 @@ Silakan buka kunci atau pilih yang lainnya yang tidak terkunci. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Berhasil membuang %n kunci enkripsi dari Pengaturan KeePassX/Http + Berhasil membuang %n kunci terenkripsi dari Pengaturan KeePassXC/Http. KeePassXC: No keys found @@ -3740,7 +3744,7 @@ Silakan buka kunci atau pilih yang lainnya yang tidak terkunci. Successfully removed permissions from %n entries. - Berhasil membuang perizinan dari %n entri. + Berhasil membuang izin dari %n entri. KeePassXC: No entry with permissions found! diff --git a/share/translations/keepassx_it.ts b/share/translations/keepassx_it.ts index 76365f2b3..d9bacbf49 100644 --- a/share/translations/keepassx_it.ts +++ b/share/translations/keepassx_it.ts @@ -3,7 +3,7 @@ AboutDialog About KeePassXC - Informazioni su KeePassXC + Info su KeePassXC About @@ -27,7 +27,7 @@ Debug Info - Informazioni di debug + Informazioni debug Include the following information whenever you report a bug: @@ -86,11 +86,11 @@ Kernel: %3 %4 AccessControlDialog KeePassXC HTTP Confirm Access - Conferma l'accesso per KeePassXC HTTP + KeePassXC HTTP conferma accesso Remember this decision - Ricorda questa scelta + Ricorda questa decisione Allow @@ -122,7 +122,7 @@ Seleziona se vuoi consentire l'accesso. Auto-Type - KeePassXC - KeePassXC - Completamento automatico + Auto-completamento - KeePassXC Auto-Type @@ -187,7 +187,7 @@ Seleziona se vuoi consentire l'accesso. Select entry to Auto-Type: - Seleziona una voce per il completamento automatico: + Seleziona una voce per l'auto-completamento: @@ -198,7 +198,7 @@ Seleziona se vuoi consentire l'accesso. Remember this decision - Ricorda questa decisione + Ricorda questa scelta Allow @@ -373,6 +373,10 @@ Seleziona se vuoi consentire l'accesso. Select custom proxy location Selezionare una posizione personalizzata per il proxy + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Siamo spiacenti, ma KeePassXC-Browser non è supportato per i rilasci di Snap al momento. + BrowserService @@ -443,7 +447,7 @@ Sblocca il database selezionato o scegline un altro che sia sbloccato. Successfully removed %n encryption key(s) from KeePassXC settings. - Rimossa con successo %n chiave di cifratura dalle impostazioni di KeePassXC.Rimosse con successo %n chiavi di cifratura dalle impostazioni di KeePassXC. + Rimosso con successo %n chiavi di crittografia da KeePassXC impostazioni.Rimossa(e) con successo %n chiave(i) di crittografia dalle impostazioni di KeePassXC. Removing stored permissions… @@ -459,7 +463,7 @@ Sblocca il database selezionato o scegline un altro che sia sbloccato. Successfully removed permissions from %n entry(s). - Permessi rimossi con successo da %n voce.Permessi rimossi con successo da %n voci. + Rimosso con successo le autorizzazioni da %n ha.Rimossa(e) con successo le autorizzazioni da %n voce(i). KeePassXC: No entry with permissions found! @@ -861,7 +865,7 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f thread(s) Threads for parallel execution (KDF settings) - threadthread + iscritto (i) thread(s) @@ -931,7 +935,7 @@ Se continui con questo numero, il tuo database potrebbe essere decifrato molto f MiB - MB + MiB Use recycle bin @@ -1023,7 +1027,7 @@ Vuoi salvare le modifiche? Writing the database failed. - Scrittura database non riuscita. + Scrittura del database non riuscita. Passwords @@ -1039,7 +1043,7 @@ Vuoi salvare le modifiche? Writing the CSV file failed. - Scrittura file CSV non riuscita. + Scrittura file CSV fallita. New database @@ -1118,7 +1122,7 @@ Disabilitare i salvataggi sicuri e riprovare? Do you really want to move %n entry(s) to the recycle bin? - Vuoi veramente cestinare %n voce?Vuoi veramente cestinare %n voci? + Vuoi veramente spostare %n elemento nel Cestino?Vuoi veramente cestinare %n voci? Execute command? @@ -1190,10 +1194,6 @@ Vuoi fondere i cambiamenti? Are you sure you want to permanently delete everything from your recycle bin? Sei sicuro di voler eliminare definitivamente tutto dal cestino? - - Entry updated successfully. - - DetailsWidget @@ -1382,15 +1382,15 @@ Vuoi fondere i cambiamenti? Apply generated password? - + Applicare la password generata? Do you want to apply the generated password to this entry? - + Desideri applicare la password generata a questa voce? Entry updated successfully. - + Voce aggiornata correttamente. @@ -1425,11 +1425,11 @@ Vuoi fondere i cambiamenti? Foreground Color: - + Colore di primo piano: Background Color: - + Colore di sfondo: @@ -1444,7 +1444,7 @@ Vuoi fondere i cambiamenti? &Use custom Auto-Type sequence: - &Usa sequenza di completamento automatico personalizzata: + &Usa sequenza di compeltamento automatico personalizzata: Window Associations @@ -1746,7 +1746,7 @@ Vuoi fondere i cambiamenti? Plugin Data - + Dati del plugin Remove @@ -1754,20 +1754,21 @@ Vuoi fondere i cambiamenti? Delete plugin data? - + Eliminare i dati del plugin? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Vuoi davvero eliminare i dati del plugin selezionato? +Ciò potrebbe causare malfunzionamenti ai plugin interessati. Key - + Chiave Value - + Valore @@ -1817,7 +1818,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Sei sicuro di voler rimuovere %n allegato?Sei sicuro di voler rimuovere %n allegati? + Sei sicuro di che voler rimuovere %n allegati?Sei sicuro di voler rimuovere %n allegato(i)? Confirm Remove @@ -1974,6 +1975,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Ripristina valori predefiniti + + Attachments (icon) + Allegati (icona) + Group @@ -2001,7 +2006,7 @@ This may cause the affected plugins to malfunction. Character Types - Tipi di carattere + Tipi carattere Upper Case Letters @@ -2907,7 +2912,7 @@ Questa versione non è pensata per essere utilizzata in ambito di produzione. Trying to run KDF without cipher - Sto cercando di eseguire KDF senza cifratura + Tentativo di eseguire KDF senza crittografia Passphrase is required to decrypt this key @@ -2987,7 +2992,7 @@ Questa versione non è pensata per essere utilizzata in ambito di produzione. Sh&ow a notification when credentials are requested Credentials mean login data requested via browser extension - Visualizza una n&otifica quando sono richieste le credenziali + Visualizza una n&otifica quando sono richeste le credenziali Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -3713,7 +3718,7 @@ Sblocca il database selezionato o scegline un altro che sia sbloccato. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Rimossa con successo %n chiave di cifratura dalle impostazioni di KeePassX/Http.Rimosse con successo %n chiavi di cifratura dalle impostazioni di KeePassX/Http. + Rimossa con successo %n chiave di cifratura dalle impostazioni di KeePassX/Http.Rimossa(e) con successo %n chiave(i) di cifratura dalle impostazioni di KeePassX/Http. KeePassXC: No keys found @@ -3831,15 +3836,15 @@ Sblocca il database selezionato o scegline un altro che sia sbloccato. Show a system tray icon - Visualizza un'icona nell'area di notifica di sistema + Visualizza un'icona nell'area di notifica del sistema Hide window to system tray when minimized - Nascondi la finestra nell'area di notifica di sistema quando viene minimizzata + Nascondi la finestra nell'area di notifica del sistema quando viene minimizzata Hide window to system tray instead of app exit - Nascondi la finestra nell'area di notifica di sistema invece di chiudere l'applicazione + Nascondi la finestra nella barra di sistema invece di chiudere l'applicazione Dark system tray icon diff --git a/share/translations/keepassx_ja.ts b/share/translations/keepassx_ja.ts index 1a7afdd9a..1a3c9317f 100644 --- a/share/translations/keepassx_ja.ts +++ b/share/translations/keepassx_ja.ts @@ -60,7 +60,7 @@ CPU architecture: %2 Kernel: %3 %4 オペレーティングシステム: %1 -CPU アーキテクチャ: %2 +CPU アーキテクチャー: %2 カーネル: %3 %4 @@ -227,7 +227,7 @@ Please select whether you want to allow access. Enable KeepassXC browser integration - KeepassXC のブラウザ統合を有効にする + KeepassXC のブラウザー統合を有効にする General @@ -235,7 +235,7 @@ Please select whether you want to allow access. Enable integration for these browsers: - これらのブラウザの統合を有効にする: + これらのブラウザーの統合を有効にする: &Google Chrome @@ -290,7 +290,7 @@ Please select whether you want to allow access. &Disconnect all browsers - 全てのブラウザの接続を断つ(&D) + 全てのブラウザーの接続を断つ(&D) Forget all remembered &permissions @@ -337,11 +337,11 @@ Please select whether you want to allow access. Support a proxy application between KeePassXC and browser extension. - KeePassXC とブラウザの拡張機能との間でプロキシアプリケーションをサポートします。 + KeePassXC とブラウザーの拡張機能との間でプロキシアプリケーションをサポートします。 Use a &proxy application between KeePassXC and browser extension - KeePassXC とブラウザの拡張機能との間でプロキシアプリケーションを使用する(&P) + KeePassXC とブラウザーの拡張機能との間でプロキシアプリケーションを使用する(&P) Use a custom proxy location if you installed a proxy manually. @@ -373,6 +373,10 @@ Please select whether you want to allow access. Select custom proxy location カスタムプロキシを選択する + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + 申し訳ありませんが、今の所 KeePassXC-Browser は Snap リリースではサポートしていません。 + BrowserService @@ -444,7 +448,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption key(s) from KeePassXC settings. - KeePassXC の設定から %n 個の暗号化キーが無事に削除されました。 + KeePassXC の設定から %n 個の暗号化キーが正常に削除されました。 Removing stored permissions… @@ -460,7 +464,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entry(s). - %n 個のエントリーからアクセス許可が無事に削除されました。 + %n 個のエントリーからアクセス許可が正常に削除されました。 KeePassXC: No entry with permissions found! @@ -653,7 +657,7 @@ Please consider generating a new key file. Original data: - 元データ: + 元データ: Error(s) detected in CSV file ! @@ -857,7 +861,7 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + MiB thread(s) @@ -1019,7 +1023,7 @@ Discard changes and close anyway? "%1" was modified. Save changes? - "%1" は更新されています。 + "%1" は編集されています。 変更を保存しますか? @@ -1032,7 +1036,7 @@ Save changes? Save database as - ファイル名をつけてデータベースを保存 + データベースを別名で保存 Export database to CSV file @@ -1191,10 +1195,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? ゴミ箱にある全項目を永久に削除してもよろしいですか? - - Entry updated successfully. - - DetailsWidget @@ -1232,7 +1232,7 @@ Do you want to merge your changes? Searching - 検索中 + 検索 Attributes @@ -1371,11 +1371,11 @@ Do you want to merge your changes? %n week(s) - %n 週間 + %n週間 %n month(s) - %n ヶ月 + %nヶ月 1 year @@ -1383,15 +1383,15 @@ Do you want to merge your changes? Apply generated password? - + 生成されたパスワードを適用しますか? Do you want to apply the generated password to this entry? - + 生成されたパスワードをこのエントリーに適用しますか? Entry updated successfully. - + エントリーは正常に更新されました。 @@ -1426,11 +1426,11 @@ Do you want to merge your changes? Foreground Color: - + 文字色: Background Color: - + 背景色: @@ -1465,7 +1465,7 @@ Do you want to merge your changes? Use a specific sequence for this association: - このアソシエーションに特定のシーケンスを使用する: + この関連付けに特定のシーケンスを使用する: @@ -1641,7 +1641,7 @@ Do you want to merge your changes? EditGroupWidgetMain Name - 名前 + グループ名 Notes @@ -1747,7 +1747,7 @@ Do you want to merge your changes? Plugin Data - + プラグインデータ Remove @@ -1755,20 +1755,21 @@ Do you want to merge your changes? Delete plugin data? - + プラグインデータを削除しますか? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + 本当に選択したプラグインデータを削除しますか? +プラグインの動作に影響を与える可能性があります。 Key - + キー Value - + @@ -1898,7 +1899,7 @@ This may cause the affected plugins to malfunction. Ref: Reference abbreviation - 参照: + 参照: Group @@ -1975,6 +1976,10 @@ This may cause the affected plugins to malfunction. Reset to defaults デフォルトにリセット + + Attachments (icon) + 添付ファイル (アイコン) + Group @@ -2817,7 +2822,7 @@ This is a one-way migration. You won't be able to open the imported databas <p>It looks like you are using KeePassHTTP for browser integration. This feature has been deprecated and will be removed in the future.<br>Please switch to KeePassXC-Browser instead! For help with migration, visit our <a class="link" href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a> (warning %1 of 3).</p> - <p>ブラウザ統合に KeePassHTTP を使用しています。この機能は将来的に廃止され、削除されます。<br>代わりに KeePassXC-Browser を使用してください。移行に関するヘルプは <a class="link" href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a> を参照してください (%1 / 3 回目の警告)。</p> + <p>ブラウザー統合に KeePassHTTP を使用しています。この機能は将来的に廃止され、削除されます。<br>代わりに KeePassXC-Browser を使用してください。移行に関するヘルプは <a class="link" href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a> を参照してください (%1 / 3 回目の警告)。</p> read-only @@ -3540,11 +3545,11 @@ Available commands: Legacy Browser Integration - レガシーなブラウザ統合 + レガシーなブラウザー統合 Browser Integration - ブラウザ統合 + ブラウザー統合 YubiKey[%1] Challenge Response - Slot %2 - %3 @@ -3617,15 +3622,15 @@ Available commands: Error writing to underlying device: - 基本デバイスへの書き込み時にエラーが発生しました: + 基本デバイスへの書き込み時にエラーが発生しました: Error opening underlying device: - 基本デバイスを開く際にエラーが発生しました: + 基本デバイスを開く時にエラーが発生しました: Error reading data from underlying device: - 基本デバイスから読み込み時にエラーが発生しました: + 基本デバイスから読み込み時にエラーが発生しました: Internal zlib error when decompressing: @@ -3714,7 +3719,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - KeePassX/Http の設定から %n 個の暗号化キーが無事に削除されました。 + KeePassX/Http の設定から %n 個の暗号化キーが正常に削除されました。 KeePassXC: No keys found @@ -3746,7 +3751,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entries. - %n 個のエントリーからアクセス許可が無事に削除されました。 + %n 個のエントリーからアクセス許可が正常に削除されました。 KeePassXC: No entry with permissions found! diff --git a/share/translations/keepassx_ko.ts b/share/translations/keepassx_ko.ts index 91be825e7..8dc271166 100644 --- a/share/translations/keepassx_ko.ts +++ b/share/translations/keepassx_ko.ts @@ -11,7 +11,7 @@ Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> - <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> 사이트에 버그를 보고해 주십시오 + <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> 사이트에 버그를 보고해 주십시오 KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. @@ -372,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location 사용자 정의 프록시 위치 지정 + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -443,7 +447,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption key(s) from KeePassXC settings. - KeePassXC 설정에서 암호화 키 %n개를 삭제했습니다. + Removing stored permissions… @@ -459,7 +463,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entry(s). - 항목 %n개에 저장된 권한을 삭제했습니다. + KeePassXC: No entry with permissions found! @@ -651,7 +655,7 @@ Please consider generating a new key file. Original data: - 원본 데이터: + 원본 데이터: Error(s) detected in CSV file ! @@ -1140,7 +1144,7 @@ Disable safe saves and try again? Unable to calculate master key - 마스터 키를 계산할 수 없습니다 + 마스터 키를 계산할 수 없음 No current database. @@ -1188,10 +1192,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? 휴지통에 있는 항목을 영원히 삭제하시겠습니까? - - Entry updated successfully. - - DetailsWidget @@ -1815,7 +1815,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - 첨부 항목 %n개를 삭제하시겠습니까? + Confirm Remove @@ -1972,6 +1972,10 @@ This may cause the affected plugins to malfunction. Reset to defaults 기본값으로 복원 + + Attachments (icon) + + Group @@ -2476,7 +2480,7 @@ This is a one-way migration. You won't be able to open the imported databas Unable to calculate master key - 마스터 키를 계산할 수 없습니다 + 마스터 키를 계산할 수 없음 Wrong key or database file is corrupt. @@ -3609,23 +3613,23 @@ Available commands: QtIOCompressor Internal zlib error when compressing: - 압축 중 내부 zlib 오류 발생: + 압축 중 내부 zlib 오류 발생: Error writing to underlying device: - 장치에 기록하는 중 오류 발생: + 장치에 기록하는 중 오류 발생: Error opening underlying device: - 장치를 여는 중 오류 발생: + 장치를 여는 중 오류 발생: Error reading data from underlying device: - 장치에서 읽는 중 오류 발생: + 장치에서 읽는 중 오류 발생: Internal zlib error when decompressing: - 압축 푸는 중 내부 zlib 오류 발생: + 압축 푸는 중 내부 zlib 오류 발생: @@ -4024,7 +4028,7 @@ Please unlock the selected database or choose another one which is unlocked. Expires in - 만료 시간 + 만료 시간: seconds diff --git a/share/translations/keepassx_lt.ts b/share/translations/keepassx_lt.ts index 6ab9b483d..8ec502b80 100644 --- a/share/translations/keepassx_lt.ts +++ b/share/translations/keepassx_lt.ts @@ -45,7 +45,7 @@ Revision: %1 - Poversijis: %1 + Revizija: %1 Distribution: %1 @@ -373,6 +373,10 @@ Pasirinkite, ar norite leisti prieigą. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -441,7 +445,7 @@ Prašome atrakinti pasirinktą duomenų bazę arba pasirinkti kitą, kuri būtų Successfully removed %n encryption key(s) from KeePassXC settings. - %n šifravimo raktas sėkmingai pašalintas iš KeePassXC nustatymų.%n šifravimo raktai sėkmingai pašalinti iš KeePassXC nustatymų.%n šifravimo raktų sėkmingai pašalinta iš KeePassXC nustatymų. + Removing stored permissions… @@ -564,7 +568,7 @@ Please consider generating a new key file. Append ' - Clone' to title - Pridėti prie pavadinimo " - Dublikatas" + Pridėti prie antraštės " - Dublikatas" Replace username and password with references @@ -844,12 +848,12 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB MiB + thread(s) Threads for parallel execution (KDF settings) - gija gijos gijų + @@ -983,7 +987,7 @@ If you keep this number, your database may be too easy to crack! Open KeePass 1 database - Atverkite KeePass 1 duomenų bazę + Atverti KeePass 1 duomenų bazę KeePass 1 database @@ -991,12 +995,12 @@ If you keep this number, your database may be too easy to crack! Close? - Užverti? + Uždaryti? "%1" is in edit mode. Discard changes and close anyway? - "%1" yra redagavimo veiksenoje. + "%1" yra taisymo veiksenoje. Vis tiek atmesti pakeitimus ir užverti? @@ -1044,7 +1048,7 @@ Save changes? Can't lock the database as you are currently editing it. Please press cancel to finish your changes or discard them. - Nepavyksta užrakinti duomenų bazės, kadangi šiuo metu ją redaguojate. + Nepavyksta užrakinti duomenų bazės, kadangi šiuo metu ją taisote. Spauskite atšaukti, kad užbaigtumėte savo pakeitimus arba juos atmestumėte. @@ -1105,7 +1109,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Ar tikrai norite perkelti %n įrašą į šiukšlinę?Ar tikrai norite perkelti %n įrašus į šiukšlinę?Ar tikrai norite perkelti %n įrašų į šiukšlinę? Execute command? @@ -1177,10 +1181,6 @@ Ar norite sulieti savo pakeitimus? Are you sure you want to permanently delete everything from your recycle bin? Ar tikrai norite negrįžtamai viską ištrinti iš savo šiukšlinės? - - Entry updated successfully. - - DetailsWidget @@ -1325,7 +1325,7 @@ Ar norite sulieti savo pakeitimus? Edit entry - Keisti įrašą + Taisyti įrašą Different passwords supplied. @@ -1369,7 +1369,7 @@ Ar norite sulieti savo pakeitimus? Apply generated password? - + Naudoti sugeneruotą slaptaždoį? Do you want to apply the generated password to this entry? @@ -1608,7 +1608,7 @@ Ar norite sulieti savo pakeitimus? Edit group - Keisti grupę + Taisyti grupę Enable @@ -1804,7 +1804,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Ar tikrai norite pašalinti %n priedą?Ar tikrai norite pašalinti %n priedus?Ar tikrai norite pašalinti %n priedų? + Confirm Remove @@ -1961,6 +1961,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Atstatyti į numatytuosius + + Attachments (icon) + + Group @@ -2743,7 +2747,7 @@ Tai yra vienakryptis perkėlimas. Jūs negalėsite atverti importuotos duomenų Copy title to clipboard - Kopijuoti pavadinimą į iškarpinę + Kopijuoti antraštę į iškarpinę &URL @@ -3233,7 +3237,7 @@ Naudojamas numatytasis prievadas 19455. Key change was not successful - + Rakto keitimas nepavyko Encryption key is not recognized @@ -3326,7 +3330,7 @@ Naudojamas numatytasis prievadas 19455. Timeout in seconds before clearing the clipboard. - Skirtas laikas, sekundėmis, prieš išvalant iškarpinę. + Laiko limitas, sekundėmis, prieš išvalant iškarpinę. Edit an entry. @@ -3334,7 +3338,7 @@ Naudojamas numatytasis prievadas 19455. Title for the entry. - Įrašo pavadinimas. + Įrašo antraštė. title @@ -3435,7 +3439,7 @@ Prieinamos komandos: Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - + Požymių, kuriuos rodyti, pavadinimai. Ši parinktis gali būti nurodyta daugiau nei vieną kartą, kiekvienoje eilutėje nurodyta tvarka rodant po atskirą požymį. Jei nėra nurodyti jokie požymiai, bus nurodyta numatytųjų požymių santrauka. attribute @@ -3553,7 +3557,7 @@ Prieinamos komandos: count - + kiekis Wordlist for the diceware generator. @@ -3695,7 +3699,7 @@ Prašome atrakinti pasirinktą duomenų bazę arba pasirinkti kitą, kuri būtų Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - + %n šifravimo raktas sėkmingai pašalintas iš KeePassX/Http nustatymų.%n šifravimo raktai sėkmingai pašalinti iš KeePassX/Http nustatymų.%n šifravimo raktų sėkmingai pašalinta iš KeePassX/Http nustatymų. KeePassXC: No keys found @@ -3727,7 +3731,7 @@ Prašome atrakinti pasirinktą duomenų bazę arba pasirinkti kitą, kuri būtų Successfully removed permissions from %n entries. - + Leidimai sėkmingai pašalinti iš %n įrašo.Leidimai sėkmingai pašalinti iš %n įrašų.Leidimai sėkmingai pašalinti iš %n įrašų. KeePassXC: No entry with permissions found! @@ -3862,7 +3866,7 @@ Prašome atrakinti pasirinktą duomenų bazę arba pasirinkti kitą, kuri būtų Startup - + Įjungimo File Management @@ -3874,7 +3878,7 @@ Prašome atrakinti pasirinktą duomenų bazę arba pasirinkti kitą, kuri būtų Backup database file before saving - + Išsaugoti duomenų bazę prieš išsaugant Entry Management diff --git a/share/translations/keepassx_nl_NL.ts b/share/translations/keepassx_nl_NL.ts index 546f8524c..1ea6ac0f7 100644 --- a/share/translations/keepassx_nl_NL.ts +++ b/share/translations/keepassx_nl_NL.ts @@ -19,15 +19,15 @@ Contributors - Bijdragers + Bijdragen van <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Toon bijdragingen op GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Toon bijdragen op GitHub</a> Debug Info - Debuggingsinformatie + Debug informatie Include the following information whenever you report a bug: @@ -126,7 +126,7 @@ Geef aan of je toegang wilt toestaan of niet. Auto-Type - Auto-typen - KeePassX + Auto-typen The Syntax of your Auto-Type statement is incorrect! @@ -272,7 +272,7 @@ Geef aan of je toegang wilt toestaan of niet. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Geeft alleen de beste overeenkomsten weer voor een specifieke URL in plaats van alle invoer voor het hele domein. + Geeft alleen de beste overeenkomsten terug voor een specifieke URL in plaats van alle invoer voor het hele domein. &Return only best-matching credentials @@ -373,6 +373,10 @@ Geef aan of je toegang wilt toestaan of niet. Select custom proxy location Selecteer aangepaste proxy locatie + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -444,7 +448,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Successfully removed %n encryption key(s) from KeePassXC settings. - Coderingssleutel uit KeePassXC instellingen verwijderd.%n coderingssleutels uit KeePassXC instellingen verwijderd. + %n encryptie-sleutel verwijderd uit KeePassXC-instellingen.%n encryptie-sleutels verwijderd uit KeePassXC-instellingen. Removing stored permissions… @@ -460,7 +464,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Successfully removed permissions from %n entry(s). - Permissies zijn verwijderd uit %n item(s).Permissies zijn verwijderd uit %n item(s). + Permissies zijn verwijderd uit %n item.Permissies zijn verwijderd uit %n items. KeePassXC: No entry with permissions found! @@ -535,7 +539,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Different passwords supplied. - Je hebt verschillende wachtwoorden opgegeven. + U heeft verschillende wachtwoorden opgegeven. Failed to set %1 as the Key file: @@ -688,15 +692,15 @@ Overweeg aub een nieuw sleutelbestand te genereren. CsvParserModel %n byte(s), - %n byte(s), %n byte(s), + 1 byte,%n bytes, %n row(s), - %n rij(en), %n rij(en), + 1 rij,%n rijen, %n column(s) - %n kolom(men)%n kolom(men) + 1 kolom%n kolommen @@ -727,7 +731,7 @@ Overweeg aub een nieuw sleutelbestand te genereren. Unable to open the database. - Het is niet mogelijk om de database te openen. + Niet mogelijk om de database te openen. Can't open key file @@ -779,7 +783,7 @@ Overweeg aub een nieuw sleutelbestand te genereren. Unable to open the database. - Het is niet mogelijk om de database te openen. + Niet mogelijk om de database te openen. Database opened fine. Nothing to do. @@ -855,12 +859,12 @@ Als je dit aantal aanhoud is het mogelijk heel gemakkelijk om de database te kra MiB Abbreviation for Mebibytes (KDF settings) - MiB MiB + MiBMiB thread(s) Threads for parallel execution (KDF settings) - executie thread executie thread(s) + executie thread executie threads @@ -930,7 +934,7 @@ Als je dit aantal aanhoud is het mogelijk heel gemakkelijk om de database te kra MiB - MiB + MiB Use recycle bin @@ -1085,7 +1089,7 @@ Uitschakelen van veilig opslaan en opnieuw proberen? Change master key - Hoofdsleutel wijzigen + Wijzig hoofdsleutel Delete entry? @@ -1105,7 +1109,7 @@ Uitschakelen van veilig opslaan en opnieuw proberen? Move entry to recycle bin? - Wilt je het item naar de prullenbak verplaatsen? + Wilt u het item naar de prullenbak verplaatsen? Do you really want to move entry "%1" to the recycle bin? @@ -1117,7 +1121,7 @@ Uitschakelen van veilig opslaan en opnieuw proberen? Do you really want to move %n entry(s) to the recycle bin? - Wil je echt %n item(s) naar de Prullenbak verplaatsen?Wil je echt %n item(s) naar de Prullenbak verplaatsen? + Wil je echt %n item naar de Prullenbak verplaatsen?Wil je echt %n item(s) naar de Prullenbak verplaatsen? Execute command? @@ -1189,10 +1193,6 @@ Wil je de wijzigingen samenvoegen? Are you sure you want to permanently delete everything from your recycle bin? Weet je zeker dat je alles uit de prullenbak definitief wil verwijderen? - - Entry updated successfully. - Het item is bijgewerkt. - DetailsWidget @@ -1226,7 +1226,7 @@ Wil je de wijzigingen samenvoegen? Autotype - Auto-typen + Autotype Searching @@ -1341,7 +1341,7 @@ Wil je de wijzigingen samenvoegen? Different passwords supplied. - Je hebt verschillende wachtwoorden opgegeven. + Verschillende wachtwoorden opgegeven. New attribute @@ -1369,11 +1369,11 @@ Wil je de wijzigingen samenvoegen? %n week(s) - 1 week%n weken + %n week%n weken %n month(s) - 1 maand%n maanden + %n maand%n maanden 1 year @@ -1424,7 +1424,7 @@ Wil je de wijzigingen samenvoegen? Foreground Color: - Kleur voorgrond: + Voorgrond kleur: Background Color: @@ -1435,15 +1435,15 @@ Wil je de wijzigingen samenvoegen? EditEntryWidgetAutoType Enable Auto-Type for this entry - Auto-typen activeren voor dit item + Auto-typen inschakelen voor dit item Inherit default Auto-Type sequence from the &group - Neem standaard Auto-typen volgorde over van de &groep + Erf standaard auto-typevolgorde van de &groep &Use custom Auto-Type sequence: - &Gebruik aangepaste Auto-typen volgorde: + &Gebruik aangepaste auto-typevolgorde: Window Associations @@ -1620,7 +1620,7 @@ Wil je de wijzigingen samenvoegen? Edit group - Bewerk groep + Groep wijzigen Enable @@ -1655,15 +1655,15 @@ Wil je de wijzigingen samenvoegen? Auto-Type - Auto-typen + Auto-typen - KeePassX &Use default Auto-Type sequence of parent group - &Gebruik de standaard Auto-typen volgorde van de bovenliggende groep + &Gebruik de standaard autot-type volgorde van de bovenliggende groep Set default Auto-Type se&quence - Stel de standaard Auto-Typen volgord&e in + Stel de standaard auto-type volgord&e in @@ -1714,7 +1714,7 @@ Wil je de wijzigingen samenvoegen? Custom icon already exists - Icoon bestaat al + Speciaal pictogram bestaat al Confirm Delete @@ -1763,7 +1763,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Key - Sleutel + Wachtwoord Value @@ -1817,7 +1817,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Are you sure you want to remove %n attachment(s)? - Weet je zeker dat je de bijlage wilt verwijderen?Weet je zeker dat je %n bijlagen wil verwijderen? + Weet je zeker dat je %n bijlage wil verwijderen?Weet je zeker dat je %n bijlagen wil verwijderen? Confirm Remove @@ -1952,7 +1952,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. EntryView Customize View - Weergave aanpassen + Pas weergave aan Hide Usernames @@ -1964,16 +1964,20 @@ Hierdoor werken de plugins mogelijk niet meer goed. Fit to window - Aanpassen aan venster + Pas aan venster aan Fit to contents - Aanpassen aan inhoud + Pas aan inhoud aan Reset to defaults Terugzetten op standaardwaarden + + Attachments (icon) + + Group @@ -2067,7 +2071,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Unable to issue challenge-response. - Challenge-response uitgeven niet mogelijk + Challenge-response uitgeven niet mogelijk. Wrong key or database file is corrupt. @@ -2078,7 +2082,7 @@ Hierdoor werken de plugins mogelijk niet meer goed. Kdbx3Writer Unable to issue challenge-response. - Challenge-response uitgeven niet mogelijk + Challenge-response uitgeven niet mogelijk. Unable to calculate master key @@ -2422,7 +2426,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Unable to open the database. - Het is niet mogelijk om de database te openen. + Niet mogelijk om de database te openen. @@ -2433,7 +2437,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Not a KeePass database. - Geen Keepass-database. + Geen Keepass-database Unsupported encryption algorithm. @@ -2441,7 +2445,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Unsupported KeePass database version. - Niet-ondersteunde versie van Keepass-database. + Niet-ondersteunde versie van Keepass-database Unable to read encryption IV @@ -2581,11 +2585,11 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Main Existing single-instance lock file is invalid. Launching new instance. - Het bestaande single-instance lockbestand is niet geldig. Een nieuwe instance wordt gestart. + Het bestaande single-instance vergrendelbestand is niet geldig. Een nieuwe instance wordt gestart. The lock file could not be created. Single-instance mode disabled. - Het lockbestand kon niet worden aangemaakt. Single-instance mode uitgeschakeld. + Het vergrendelbestand kon niet worden aangemaakt. Single-instance mode uitgeschakeld. Another instance of KeePassXC is already running. @@ -2597,7 +2601,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open KeePassXC - Error - KeePassX - Fout + KeePassXC - Fout @@ -2700,11 +2704,11 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open &Database settings - &Database instellingen + &Database-instellingen Database settings - Database instellingen + Database-instellingen &Clone entry @@ -2740,7 +2744,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open &Perform Auto-Type - &Voer Auto-typen uit + &Voer auto-typen uit &Open URL @@ -2836,7 +2840,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open KeePass 2 Database - KeePass 2-database + KeePass 2 Database All files @@ -2844,7 +2848,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Open database - Database openen + Open database Save repaired database @@ -2852,7 +2856,7 @@ Deze actie is niet omkeerbaar. Je kunt de geïmporteerde database niet meer open Writing the database failed. - Het opslaan van de database is mislukt. + Opslaan van de database is mislukt. Please touch the button on your YubiKey! @@ -2978,7 +2982,7 @@ Deze versie is niet bedoeld voor productie doeleinden. Enable KeePassHTTP server - Schakel de KeePassHTTP server in + Activeer de KeePassHTTP server General @@ -2991,11 +2995,11 @@ Deze versie is niet bedoeld voor productie doeleinden. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Geeft alleen de beste overeenkomsten weer voor een specifieke URL in plaats van alle invoer voor het hele domein. + Geeft alleen de beste overeenkomsten terug voor een specifieke URL in plaats van alle invoer voor het hele domein. &Return only best matching entries - Geef alleen de best ove&reenkomende invoer + Geef alleen de best ove&reenkomende invoer terug Re&quest to unlock the database if it is locked @@ -3003,7 +3007,7 @@ Deze versie is niet bedoeld voor productie doeleinden. Only entries with the same scheme (http://, https://, ftp://, ...) are returned. - Alleen invoer van hetzelfde schema (http://, https://, ftp://,...) worden gegeven. + Alleen invoer van hetzelfde schema (http://, https://, ftp://,...) worden teruggegeven. &Match URL schemes @@ -3055,7 +3059,7 @@ Deze versie is niet bedoeld voor productie doeleinden. &Return advanced string fields which start with "KPH: " - Geef geadvanceerde teken&reeks velden die met "KH: " beginnen. + &Geef geadvanceerde tekenreeks velden terug die met "KH: " beginnen. HTTP Port: @@ -3137,7 +3141,7 @@ Standaardpoort 19455 wordt gebruikt. Exclude look-alike characters - Sluit op elkaar lijkende tekens uit + Geen op elkaar lijkende tekens Pick characters from every group @@ -3345,7 +3349,7 @@ Standaardpoort 19455 wordt gebruikt. Edit an entry. - Een element bewerken. + Een item bewerken. Title for the entry. @@ -3420,7 +3424,7 @@ Beschikbare instructies: Find entries quickly. - Zoek invoer snel. + Zoek ingang snel. Search term. @@ -3448,7 +3452,7 @@ Beschikbare instructies: Show an entry's information. - Toon de informatie die hoort bij een invoer. + Toon de informatie die hoort bij een item. Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. @@ -3482,19 +3486,19 @@ Beschikbare instructies: missing closing quote - afsluitende aanhalingsteken ontbreekt + afsluitend aanhalingsteken ontbreekt AES: 256-bit - AES: 256-bits + AES: 256-bit Twofish: 256-bit - Twofish: 256-bits + Twofish: 256-bit ChaCha20: 256-bit - ChaCha20: 256-bits + ChaCha20: 256-bit Argon2 (KDBX 4 – recommended) @@ -3744,7 +3748,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Successfully removed permissions from %n entries. - Permissies zijn verwijderd uit %n items.Permissies zijn verwijderd uit %n items. + Permissies verwijderd uit %n item.Permissies verwijderd uit %n items. KeePassXC: No entry with permissions found! @@ -3850,27 +3854,27 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Auto-Type - Auto-typen + Auto-typen - KeePassX Use entry title to match windows for global Auto-Type - Laat vensternaam overeenkomen met item naam bij Auto-typen + Gebruik naam van item als vensternaam voor auto-typen Use entry URL to match windows for global Auto-Type - Laat URL overeenkomen met item URL bij Auto-typen + Laat URL overeenkomen met item URL bij auto-typen Always ask before performing Auto-Type - Vraag altijd voordat Auto-typen gebruikt wordt + Vraag altijd voordat auto-type gebruikt wordt Global Auto-Type shortcut - Globale sneltoets voor Auto-typen + Globale sneltoets voor auto-typen Auto-Type delay - Vertraging bij Auto-typen + auto-typevertraging ms @@ -3947,7 +3951,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Hide entry notes by default - Verberg aantekening standaard + Verberg standaard item aantekeningen Privacy @@ -3955,7 +3959,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Use Google as fallback for downloading website icons - Gebruik Google als alternatieve manier voor het downloaden van de websiteiconen + Gebruik Google om op terug te vallen voor het downloaden van de websiteiconen Re-lock previously locked database after performing Auto-Type @@ -3974,7 +3978,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. Default RFC 6238 token settings - Standaard RFC 6238 token instellingen + Standaard "RFC 6238 token" instellingen Steam token settings @@ -4075,7 +4079,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database.main Remove an entry from the database. - Verwijder een ingang uit het gegevensbestand. + Verwijder een item uit het gegevensbestand. Path of the database. @@ -4087,7 +4091,7 @@ Ontgrendel de geselecteerde database of kies een ontgrendelde database. KeePassXC - cross-platform password manager - KeepassX - multi-platform wachtwoordbeheerder + KeepassXC - multi-platform wachtwoordbeheerder filenames of the password databases to open (*.kdbx) diff --git a/share/translations/keepassx_pl.ts b/share/translations/keepassx_pl.ts index 37919ae4a..04c5dc4b5 100644 --- a/share/translations/keepassx_pl.ts +++ b/share/translations/keepassx_pl.ts @@ -118,7 +118,7 @@ Wybierz, czy chcesz zezwolić na dostęp. AutoType Couldn't find an entry that matches the window title: - Nie mogę znaleźć wpisu, który by pasował do tytułu okna: + Nie mogę znaleźć wpisu, który by pasował do tytułu okna: Auto-Type - KeePassXC @@ -373,6 +373,10 @@ Wybierz, czy chcesz zezwolić na dostęp. Select custom proxy location Wybierz niestandardową lokalizację proxy + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Przykro nam, ale KeePassXC-Browser obecnie nie obsługuje wydań Snap. + BrowserService @@ -460,7 +464,7 @@ Proszę odblokować wybraną bazę albo wybrać inną, która jest odblokowana.< Successfully removed permissions from %n entry(s). - Pomyślnie usunięto uprawnienia z %n wpisu.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisu(ów). + Pomyślnie usunięto uprawnienia z %n wpisu.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów. KeePassXC: No entry with permissions found! @@ -519,7 +523,7 @@ Proszę odblokować wybraną bazę albo wybrać inną, która jest odblokowana.< Unable to create Key File : - Nie można utworzyć pliku klucza : + Nie można utworzyć pliku klucza : Select a key file @@ -641,11 +645,11 @@ Proszę rozważyć wygenerowanie nowego pliku klucza. Empty fieldname - Puste pole tytuł + Puste pole tytuł column - kolumna + kolumna Imported from CSV file @@ -653,7 +657,7 @@ Proszę rozważyć wygenerowanie nowego pliku klucza. Original data: - Oryginalne dane: + Oryginalne dane: Error(s) detected in CSV file ! @@ -689,15 +693,15 @@ Proszę rozważyć wygenerowanie nowego pliku klucza. CsvParserModel %n byte(s), - %n bajt, %n bajty, %n bajtów, %n bajtów, + %n bajt, %n bajty, %n bajtów, %n bajt, %n row(s), - %n rząd, %n rzędy, %n rzędów, %n rzędów, + %n rząd, %n rzędy, %n rzędów, %n rząd, %n column(s) - %n kolumna%n kolumny%n kolumn%n kolumn + %n kolumna%n kolumny%n kolumn%n kolumna @@ -1024,7 +1028,7 @@ Zapisać zmiany? Writing the database failed. - Błąd przy zapisie bazy danych. + Błąd w zapisywaniu bazy danych. Passwords @@ -1119,7 +1123,7 @@ Wyłączyć bezpieczne zapisywanie i spróbować ponownie? Do you really want to move %n entry(s) to the recycle bin? - Czy na pewno chcesz przenieść %n wpis do kosza?Czy na pewno chcesz przenieść %n wpisy do kosza?Czy na pewno chcesz przenieść %n wpisów do kosza?Czy na pewno chcesz przenieść %n wpisów do kosza? + Czy na pewno chcesz przenieść %n wpis do kosza?Czy na pewno chcesz przenieść %n wpisów do kosza?Czy na pewno chcesz przenieść %n wpisów do kosza?Czy na pewno chcesz przenieść %n wpisów do kosza? Execute command? @@ -1191,10 +1195,6 @@ Czy chcesz połączyć twoje zmiany? Are you sure you want to permanently delete everything from your recycle bin? Czy na pewno chcesz nieodwracalnie usunąć wszystko z twojego kosza? - - Entry updated successfully. - - DetailsWidget @@ -1371,11 +1371,11 @@ Czy chcesz połączyć twoje zmiany? %n week(s) - %n tydzień%n tygodnie%n tygodni%n tygodni + %n tydzień%n tygodni(e)%n tygodni(e)%n tygodni(e) %n month(s) - %n miesiąc%n miesiące%n miesięcy%n miesięcy + %n miesiąc%n miesiąc(e)%n miesiąc(e)%n miesiąc(e) 1 year @@ -1383,15 +1383,15 @@ Czy chcesz połączyć twoje zmiany? Apply generated password? - + Zastosować wygenerowane hasło? Do you want to apply the generated password to this entry? - + Czy chcesz zastosować wygenerowane hasło do tego wpisu? Entry updated successfully. - + Wpis został pomyślnie zaktualizowany. @@ -1426,11 +1426,11 @@ Czy chcesz połączyć twoje zmiany? Foreground Color: - + Kolor pierwszego planu: Background Color: - + Kolor tła: @@ -1747,7 +1747,7 @@ Czy chcesz połączyć twoje zmiany? Plugin Data - + Dane wtyczki Remove @@ -1755,20 +1755,21 @@ Czy chcesz połączyć twoje zmiany? Delete plugin data? - + Usunąć dane wtyczki? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Czy na pewno chcesz usunąć wybrane dane wtyczki? +Może to spowodować nieprawidłowe działanie wtyczek. Key - + Klucz Value - + Wartość @@ -1898,7 +1899,7 @@ This may cause the affected plugins to malfunction. Ref: Reference abbreviation - Odniesienie: + Odniesienie: Group @@ -1975,6 +1976,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Przywróć domyślne + + Attachments (icon) + Załączniki (ikona) + Group @@ -3118,7 +3123,7 @@ Używam domyślnego portu 19455. Upper Case Letters - Wielkie litery + Duże litery Lower Case Letters @@ -3321,7 +3326,7 @@ Używam domyślnego portu 19455. Length for the generated password. - Długość wygenerowanego hasła. + Długość wygenerowanego hasła length @@ -3422,7 +3427,7 @@ Dostępne polecenia: Find entries quickly. - Szybkie wyszukiwanie wpisów. + Szybkie wyszukiwanie wpisów. Search term. @@ -3613,34 +3618,34 @@ Dostępne polecenia: QtIOCompressor Internal zlib error when compressing: - Błąd wewnętrzny zlib podczas kompresowania: + Błąd wewnętrzny zlib podczas kompresowania: Error writing to underlying device: - Błąd w zapisie na urządzenie: + Błąd w zapisie na urządzenie: Error opening underlying device: - Błąd w otwieraniu z urządzenia: + Błąd w otwieraniu z urządzenia: Error reading data from underlying device: - Błąd w odczycie danych z urządzenia: + Błąd w odczycie danych z urządzenia: Internal zlib error when decompressing: - Błąd wewnętrzny zlib podczas dekompresowania: + Błąd wewnętrzny zlib podczas dekompresowania: QtIOCompressor::open The gzip format not supported in this version of zlib. - Format gzip nie wspierany przez tę wersję zlib. + Format gzip nie wspierany przez tą wersję zlib. Internal zlib error: - Błąd wewnętrzny zlib: + Błąd wewnętrzny zlib: @@ -3714,7 +3719,7 @@ Proszę odblokować wybraną bazę albo wybrać inną, która jest odblokowana.< Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Pomyślnie usunięto %n klucz szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n klucze szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n kluczy szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n kluczy szyfrowania z ustawień KeePassX/Http. + Pomyślnie usunięto %n klucz szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n klucze szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n kluczy szyfrowania z ustawień KeePassX/Http.Pomyślnie usunięto %n klucz szyfrowania z ustawień KeePassX/Http. KeePassXC: No keys found @@ -3746,7 +3751,7 @@ Proszę odblokować wybraną bazę albo wybrać inną, która jest odblokowana.< Successfully removed permissions from %n entries. - Pomyślnie usunięto uprawnienia z %n wpisu.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów. + Pomyślnie usunięto uprawnienia z %n wpisu.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisów.Pomyślnie usunięto uprawnienia z %n wpisu. KeePassXC: No entry with permissions found! @@ -3765,7 +3770,7 @@ Proszę odblokować wybraną bazę albo wybrać inną, która jest odblokowana.< General - Ogólne + Główne Security diff --git a/share/translations/keepassx_pt_BR.ts b/share/translations/keepassx_pt_BR.ts index bfe0d1066..aa99a2e17 100644 --- a/share/translations/keepassx_pt_BR.ts +++ b/share/translations/keepassx_pt_BR.ts @@ -73,12 +73,13 @@ Kernel: %3 %4 Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - + A equipe KeePassXC agradece especialmente a debfx pela criação do KeePassX original. Build Type: %1 - + Tipo de compilação: %1 + @@ -137,11 +138,11 @@ Selecione se deseja permitir o acesso. This Auto-Type command contains very slow key presses. Do you really want to proceed? - + Este comando Autotipo contém pressionamentos de teclas muito lentos. Você realmente deseja prosseguir? This Auto-Type command contains arguments which are repeated very often. Do you really want to proceed? - + Este comando Auto-Type contém os argumentos que são repetidos muitas vezes. Você realmente deseja prosseguir? @@ -255,7 +256,7 @@ Selecione se deseja permitir o acesso. Show a &notification when credentials are requested Credentials mean login data requested via browser extension - + Mostrar &notificação quando as credenciais forem requisitadas Re&quest to unlock the database if it is locked @@ -263,11 +264,11 @@ Selecione se deseja permitir o acesso. Only entries with the same scheme (http://, https://, ...) are returned. - + Apenas entradas com o mesmo esquema (http://, https://,...) são retornados. &Match URL scheme (e.g., https://...) - + &Corresponder ao esquema de URL (por exemplo, https://...) Only returns the best matches for a specific URL instead of all entries for the whole domain. @@ -275,17 +276,17 @@ Selecione se deseja permitir o acesso. &Return only best-matching credentials - + &Retornar apenas credenciais de melhor correspondência Sort &matching credentials by title Credentials mean login data requested via browser extension - + Ordenar credenciais &correspondentes por título Sort matching credentials by &username Credentials mean login data requested via browser extension - + Ordenar credenciais correspondentes por &nome de usuário &Disconnect all browsers @@ -293,7 +294,7 @@ Selecione se deseja permitir o acesso. Forget all remembered &permissions - + Descartar todas as &permissões salvas Advanced @@ -302,21 +303,21 @@ Selecione se deseja permitir o acesso. Never &ask before accessing credentials Credentials mean login data requested via browser extension - + Nunca peça confirmação antes de &acessar as credenciais Never ask before &updating credentials Credentials mean login data requested via browser extension - + Nunca peça confirmação antes de at&ualizar as credenciais Only the selected database has to be connected with a client. - + Somente o banco de dados selecionado deve estar conectado com um cliente. Searc&h in all opened databases for matching credentials Credentials mean login data requested via browser extension - + &Buscar em todos os bancos de dados abertos por credenciais correspondêntes Automatically creating or updating string fields is not supported. @@ -328,28 +329,28 @@ Selecione se deseja permitir o acesso. Updates KeePassXC or keepassxc-proxy binary path automatically to native messaging scripts on startup. - + Atualiza o KeePassXC ou keepassxc-proxy caminho binário automaticamente para o envio de mensagens de scripts nativo na inicialização. Update &native messaging manifest files at startup - + Atualizar arquivos de manifesto de mensagens &nativas na inicialização Support a proxy application between KeePassXC and browser extension. - + Suporte a um aplicativo de proxy entre KeePassXC e extensão de navegador. Use a &proxy application between KeePassXC and browser extension - + Uso um aplicativo &proxy entre KeePassXC e uma extensão do navegador Use a custom proxy location if you installed a proxy manually. - + Use um local de proxy personalizado se você instalou um proxy manualmente. Use a &custom proxy location Meant is the proxy for KeePassXC-Browser - + Use um endereço de proxy &customizado Browse... @@ -358,11 +359,11 @@ Selecione se deseja permitir o acesso. <b>Warning:</b> The following options can be dangerous! - + <b>AVISO:</b> As seguintes opções podem ser perigosas! Executable Files (*.exe);;All Files (*.*) - + Arquivos Executáveis (*.exe);;Todos os Arquivos (*.*) Executable Files (*) @@ -370,7 +371,11 @@ Selecione se deseja permitir o acesso. Select custom proxy location - + Selecione localização para o proxy + + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Desculpe, o KeePassXC-Browser não é suportado em versões Snap no momento. @@ -384,7 +389,9 @@ Selecione se deseja permitir o acesso. If you would like to allow it access to your KeePassXC database, give it a unique name to identify and accept it. - + Você recebeu uma solicitação de associação para a chave acima. + +Se você gostaria de permitir acesso ao seu banco de dados KeePassXC, atribua um nome exclusivo para identifica-lo e aceitá-lo. Save and allow access @@ -397,7 +404,8 @@ give it a unique name to identify and accept it. A shared encryption key with the name "%1" already exists. Do you want to overwrite it? - + Uma chave de criptografia compartilhada com o nome "%1" já existe. +Você deseja sobrescrever-la? KeePassXC: Update Entry @@ -423,7 +431,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< The active database does not contain a settings entry. - + O banco de dados ativo não contém uma entrada de configuração. KeePassXC: No keys found @@ -431,7 +439,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< No shared encryption keys found in KeePassXC Settings. - + Nenhuma chave criptográfica compartilhada encontrada nas Configurações do KeePassXC. KeePassXC: Removed keys from database @@ -439,7 +447,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Successfully removed %n encryption key(s) from KeePassXC settings. - + Removido com sucesso %n chave(s) criptográficas das configurações do KeePassXC.Removido com sucesso %n chave(s) criptográficas das configurações do KeePassXC. Removing stored permissions… @@ -455,7 +463,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Successfully removed permissions from %n entry(s). - + Removido com êxito as permissões de %n entrada(s).Removido com êxito as permissões de %n entrada(s). KeePassXC: No entry with permissions found! @@ -494,7 +502,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Cha&llenge Response - + &Desafio Resposta Refresh @@ -502,11 +510,11 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Key files - Arquivos-chave + Arquivos-Chave All files - Todos arquivos + Todos os Arquivos Create Key File... @@ -547,7 +555,9 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< unsupported in the future. Please consider generating a new key file. - + Você está usando um formato de arquivo de chave legado que pode tornar-se sem suporte no futuro. + +Por favor, considere gerar um novo arquivo de chave. Changing master key failed: no YubiKey inserted. @@ -562,7 +572,7 @@ Please consider generating a new key file. Append ' - Clone' to title - + Anexar '-Clonar' ao título Replace username and password with references @@ -613,7 +623,7 @@ Please consider generating a new key file. Number of headers line to discard - + Número de linhas do cabeçalho a descartar Consider '\' an escape character @@ -681,15 +691,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - %n byte(s), %n byte(s), + %n bytes(s),%n bytes(s), %n row(s), - %n linha(s), %n linha(s), + %n linha(s), %n row(s), %n column(s) - %n coluna(s)%n coluna(s) + coluna (s) %n%n coluna(s) @@ -724,7 +734,7 @@ Please consider generating a new key file. Can't open key file - Não foi possível abrir arquivo-chave + Não foi possível abrir o arquivo-chave Legacy key file format @@ -735,7 +745,9 @@ Please consider generating a new key file. unsupported in the future. Please consider generating a new key file. - + Você está usando um formato de arquivo de chave legado que pode tornar-se sem suporte no futuro. + +Por favor, considere gerar um novo arquivo de chave. Don't show this warning again @@ -743,7 +755,7 @@ Please consider generating a new key file. All files - Todos arquivos + Todos os arquivos Key files @@ -810,7 +822,9 @@ Você pode salvá-lo agora. You are using a very high number of key transform rounds with Argon2. If you keep this number, your database may take hours or days (or even longer) to open! - + Você está usando um número muito elevado de transformação chave rodadas com Argon2. + +Se você mantiver este número, seu banco de dados pode levar horas ou dias (ou até mais) para abrir! Understood, keep number @@ -829,7 +843,9 @@ If you keep this number, your database may take hours or days (or even longer) t You are using a very low number of key transform rounds with AES-KDF. If you keep this number, your database may be too easy to crack! - + Você está usando um número muito baixo de transformação chave rodadas com KDF-AES. + +Se você manter este número, seu banco de dados pode ser facilmente crackeado! KDF unchanged @@ -837,17 +853,17 @@ If you keep this number, your database may be too easy to crack! Failed to transform key with new KDF parameters; KDF unchanged. - + Não foi possível transformar a chave com novos parâmetros KDF; KDF inalterado. MiB Abbreviation for Mebibytes (KDF settings) - + MiB MiB thread(s) Threads for parallel execution (KDF settings) - + thread(s) thread(s) @@ -917,7 +933,7 @@ If you keep this number, your database may be too easy to crack! MiB - MB + MiB Use recycle bin @@ -925,11 +941,11 @@ If you keep this number, your database may be too easy to crack! Additional Database Settings - + Configurações do Banco de Dados Enable &compression (recommended) - + Ativar &compressão (recomendado) @@ -941,11 +957,11 @@ If you keep this number, your database may be too easy to crack! KeePass 2 Database - Banco de dados Keepass 2 + Banco de Dados KeePass 2 All files - Todos arquivos + Todos os arquivos Open database @@ -1009,7 +1025,7 @@ Salvar alterações? Writing the database failed. - Escrita do banco de dados falhou. + Escrever no banco de dados falhou. Passwords @@ -1055,12 +1071,13 @@ Do contrário, suas alterações serão perdidas. Disable safe saves? - + Desativar armazenamento seguro? KeePassXC has failed to save the database multiple times. This is likely caused by file sync services holding a lock on the save file. Disable safe saves and try again? - + KeePassXC não pôde salvar o banco de dados após várias tentativas. Isto é causado provavelmente pelo serviço de sincronização de arquivo que mantém um bloqueio ao salvar o arquivo. +Deseja desabilitar salvamento seguro e tentar de novo? @@ -1071,7 +1088,7 @@ Disable safe saves and try again? Change master key - Alterar chave-mestra + Alterar chave mestra Delete entry? @@ -1103,7 +1120,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Você realmente deseja mover %n entrada para a lixeira?Você realmente deseja mover %n entradas para a lixeira? Execute command? @@ -1127,7 +1144,7 @@ Disable safe saves and try again? Unable to calculate master key - Não foi possível calcular a chave mestre + Não foi possível calcular chave mestra No current database. @@ -1160,7 +1177,8 @@ Disable safe saves and try again? The database file has changed and you have unsaved changes. Do you want to merge your changes? - + O arquivo de banco de dados foi alterado e você tem alterações não salvas. +Você deseja combinar suas alterações? Could not open the new database file while attempting to autoreload this database. @@ -1174,10 +1192,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Você tem certeza que deseja apagar permanentemente tudo que está na lixeira? - - Entry updated successfully. - - DetailsWidget @@ -1358,7 +1372,7 @@ Do you want to merge your changes? %n month(s) - %n mese(s)%n mese(s) + %n mês%n mese(s) 1 year @@ -1366,15 +1380,15 @@ Do you want to merge your changes? Apply generated password? - + Utilizar senha gerada? Do you want to apply the generated password to this entry? - + Deseja aplicar a senha gerada a esta entrada? Entry updated successfully. - + Item atualizado com sucesso. @@ -1409,11 +1423,11 @@ Do you want to merge your changes? Foreground Color: - + Cor de primeiro plano: Background Color: - + Cor de fundo: @@ -1448,7 +1462,7 @@ Do you want to merge your changes? Use a specific sequence for this association: - + Usar sequência especifica para essa associação: @@ -1624,7 +1638,7 @@ Do you want to merge your changes? EditGroupWidgetMain Name - Nome + Nom Notes @@ -1636,7 +1650,7 @@ Do you want to merge your changes? Search - Pesquisar + Buscar Auto-Type @@ -1648,7 +1662,7 @@ Do you want to merge your changes? Set default Auto-Type se&quence - Definir sequência padrão de Auto-Digitar + Definir se&quência padrão de Auto-Digitar @@ -1679,8 +1693,7 @@ Do you want to merge your changes? Hint: You can enable Google as a fallback under Tools>Settings>Security - Dica: Você pode ativar o Google como um recurso em -Ferramentas>Configurações>Segurança + Dica: Você pode ativar o Google como um recurso em Ferramentas>Configurações>Segurança Images @@ -1688,7 +1701,7 @@ Ferramentas>Configurações>Segurança All files - Todos arquivos + Todos os arquivos Select Image @@ -1731,7 +1744,7 @@ Ferramentas>Configurações>Segurança Plugin Data - + Dados do plugin Remove @@ -1739,20 +1752,21 @@ Ferramentas>Configurações>Segurança Delete plugin data? - + Apagar dados do plugin? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Você quer realmente apagar os dados do plugin selecionados? +Isto pode causar mal funcionamento dos plugins afetados. Key - + Chave Value - + Valor @@ -1802,7 +1816,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - + Tem certeza que deseja remover anexos de %n?Tem certeza que deseja remover os %n anexo(s)? Confirm Remove @@ -1815,11 +1829,12 @@ This may cause the affected plugins to malfunction. Unable to create directory: %1 - + Não foi possível criar o diretório: +%1 Are you sure you want to overwrite the existing file "%1" with the attachment? - + Tem certeza que deseja substituir o arquivo existente "%1" com o anexo? Confirm overwrite @@ -1828,17 +1843,20 @@ This may cause the affected plugins to malfunction. Unable to save attachments: %1 - + Não foi possível salvar anexos: +%1 Unable to open attachment: %1 - + Não foi possível abrir anexos: +%1 Unable to open attachments: %1 - + Não foi possível abrir anexos: +%1 Unable to open files: @@ -1914,15 +1932,15 @@ This may cause the affected plugins to malfunction. Created - + Criado Modified - + Modificado Accessed - + Acessado Attachments @@ -1933,27 +1951,31 @@ This may cause the affected plugins to malfunction. EntryView Customize View - + Visualização Personalizada Hide Usernames - + Ocultar nome de usuários Hide Passwords - + Ocultar Senhas Fit to window - + Ajustar à janela Fit to contents - + Ajustar ao conteúdo Reset to defaults - + Redefinir as configurações padrões + + + Attachments (icon) + Anexos (ícone) @@ -1967,11 +1989,11 @@ This may cause the affected plugins to malfunction. HostInstaller KeePassXC: Cannot save file! - + KeePassXC: Não foi possível salvar o arquivo! Cannot save the native messaging script file. - + Não pode salvar o arquivo de script de envio de mensagens nativo. @@ -2026,7 +2048,7 @@ This may cause the affected plugins to malfunction. Extended ASCII - + ASCII extendido @@ -2070,7 +2092,7 @@ This may cause the affected plugins to malfunction. Kdbx4Reader missing database headers - + cabeçalhos de banco de dados ausente Unable to calculate master key @@ -2078,15 +2100,15 @@ This may cause the affected plugins to malfunction. Invalid header checksum size - + Tamanho de soma de verificação do cabeçalho inválido Header SHA256 mismatch - + Incompatibilidade de cabeçalho SHA256 Wrong key or database file is corrupt. (HMAC mismatch) - + Arquivo errado chave ou banco de dados está corrompido. (Incompatibilidade de HMAC) Unknown cipher @@ -2094,111 +2116,111 @@ This may cause the affected plugins to malfunction. Invalid header id size - + Tamanho de header id inválido Invalid header field length - + Comprimento do campo de cabeçalho inválido Invalid header data length - + Comprimento de dados cabeçalho inválido Failed to open buffer for KDF parameters in header - + Falha ao abrir o buffer para parâmetros KDF no cabeçalho Unsupported key derivation function (KDF) or invalid parameters - + Função de derivação de chaves sem suporte (KDF) ou parâmetros inválidos Legacy header fields found in KDBX4 file. - + Campos de cabeçalho de legado encontrados no arquivo KDBX4. Invalid inner header id size - + Cabeçalho interno inválido tamanho do id Invalid inner header field length - + Comprimento do campo de cabeçalho interno inválido Invalid inner header binary size - + Tamanho binário cabeçalho interno inválido Unsupported KeePass variant map version. Translation: variant map = data structure for storing meta data - + Versão não suportada do mapa variante KeePass. Invalid variant map entry name length Translation: variant map = data structure for storing meta data - + Mapa variante inválido item comprimento do nome Invalid variant map entry name data Translation: variant map = data structure for storing meta data - + Mapa de variante inválido dados de nome da entrada Invalid variant map entry value length Translation: variant map = data structure for storing meta data - + Comprimento de valor de entrada inválida de mapa variante Invalid variant map entry value data Translation comment: variant map = data structure for storing meta data - + Mapa de variante inválido dados de valor da entrada Invalid variant map Bool entry value length Translation: variant map = data structure for storing meta data - + Mapa de variante inválida valor do comprimento do item Bool Invalid variant map Int32 entry value length Translation: variant map = data structure for storing meta data - + Mapa de variante inválida valor do comprimento do item Int32 Invalid variant map UInt32 entry value length Translation: variant map = data structure for storing meta data - + Mapa de variante inválida valor do comprimento do item UInt32 Invalid variant map Int64 entry value length Translation: variant map = data structure for storing meta data - + Mapa de variante inválido Int64 comprimento de valor de entrada Invalid variant map UInt64 entry value length Translation: variant map = data structure for storing meta data - + Mapa de variante inválida valor do comprimento do item UInt64 Invalid variant map entry type Translation: variant map = data structure for storing meta data - + Tipo de entrada mapa variante inválido Invalid variant map field type size Translation: variant map = data structure for storing meta data - + Tamanho do campo de tipo de mapa de variante inválido Kdbx4Writer Invalid symmetric cipher algorithm. - + Algoritmo de cifra simétrica inválido. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - + Tamanho de cifra simétrica IV inválida. Unable to calculate master key @@ -2207,50 +2229,50 @@ This may cause the affected plugins to malfunction. Failed to serialize KDF parameters variant map Translation comment: variant map = data structure for storing meta data - + Falha ao serializar mapa variante do KDF parâmetros KdbxReader Invalid cipher uuid length - + Comprimento de uuid cifra inválido Unsupported cipher - + Cifra não suportada Invalid compression flags length - + Comprimento de flags de compressão inválido Unsupported compression algorithm - + Algoritmo de compressão não suportado Invalid master seed size - + Tamanho da semente de mestre inválido Invalid transform seed size - + Tamanho de semente de transformação inválido Invalid transform rounds size - + Tamanho do número de rodadas transformação inválido Invalid start bytes size - + Tamanho de bytes de início inválido Invalid random stream id size - + Tamanho de id de stream aleatório inválido Invalid inner random stream cipher - + Cifra de fluxo aleatório interno inválido Not a KeePass database. @@ -2268,14 +2290,14 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Unsupported KeePass 2 database version. - + Versão do banco de dados KeePass 2 não suportada. KdbxXmlReader XML parsing failure: %1 - + Análise de falha de XML: %1 No root group @@ -2287,112 +2309,112 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Missing custom data key or value - + Chave de dados customizada ou valor ausente Multiple group elements - + Elementos de grupo múltiplo Null group uuid - + Uuid group inválido Invalid group icon number - + Número do grupo de ícone inválido Invalid EnableAutoType value - + Valor de EnableAutoType inválido Invalid EnableSearching value - + Valor EnableSearching inválido No group uuid found - + Nenhum uuid de grupo encontrado Null DeleteObject uuid - + DeleteObject uuid nulo Missing DeletedObject uuid or time - + DeletedObject uuid ou tempo ausente Null entry uuid - + Item uuid nulo Invalid entry icon number - + Entrada de número de ícone inválida History element in history entry - + Elemento de histórico na entrada de histórico No entry uuid found - + Nenhuma entrada uuid encontrado History element with different uuid - + Elemento de história com diferente uuid Unable to decrypt entry string - + Não é possível descriptografar a sequência de caracteres de entrada Duplicate custom attribute found - + Atributo customizado duplicado encontrado Entry string key or value missing - + Chave de cadeia de caracteres de entrada ou valor ausente Duplicate attachment found - + Anexo duplicado encontrado Entry binary key or value missing - + Entrada de chave binária ou valor ausente Auto-type association window or sequence missing - + Janela associada ao Auto-Digitar ou sequência ausente Invalid bool value - + Valor booleano inválido Invalid date time value - + Valor de tempo e data inválido Invalid color value - + Valor de cor inválido Invalid color rgb part - + Valor de número inválido Invalid number value - + Valor numérico inválido Invalid uuid value - + Valor uuid inválido Unable to decompress binary Translator meant is a binary data inside an entry - + Não é possível descompactar binário @@ -2422,36 +2444,36 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Unsupported KeePass database version. - Versão não suportada do banco de dados KeePass. + Versão do banco de dados KeePass não suportada. Unable to read encryption IV IV = Initialization Vector for symmetric cipher - + Não é possível ler criptografia IV Invalid number of groups - + Número de grupos inválido Invalid number of entries - + Número inválido de entradas Invalid content hash size - + Tamanho de hash conteúdo inválido Invalid transform seed size - + Tamanho de semente de transformação inválido Invalid number of transform rounds - + Número inválido de ciclos de transformção Unable to construct group tree - + Não é possível construir árvore de grupo Root @@ -2459,7 +2481,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Unable to calculate master key - Não foi possível calcular a chave mestre + Não foi possível calcular a chave mestra Wrong key or database file is corrupt. @@ -2467,95 +2489,95 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Key transformation failed - + Transformação de chave falhou Invalid group field type number - + Grupo inválido número do tipo de campo Invalid group field size - + Tamanho do campo Grupo inválido Read group field data doesn't match size - + Leitura de grupo dados do campo não correspondem em tamanho Incorrect group id field size - + Tamanho de campo de id de grupo incorreto Incorrect group creation time field size - + Group incorreto tamanho do campo de hora de criação Incorrect group modification time field size - + Grupo incorreto tamanho do campo de hora de criação Incorrect group access time field size - + Grupo incorreto tamanho do campo de hora de acesso Incorrect group expiry time field size - + Grupo incorreto tamanho do campo de hora de expiração Incorrect group icon field size - + Grupo incorreto tamanho do campo de ícone Incorrect group level field size - + Grupo incorreto tamanho do campo de nível Invalid group field type - + Grupo incorreto tipo de campo Missing group id or level - + Id do grupo ou nível ausente Missing entry field type number - + Item ausente número do tipo de campo Invalid entry field size - + Item inválido tamanho do campo Read entry field data doesn't match size - + Leitura do dados de campo de entrada não correspondem com o tamanho Invalid entry uuid field size - + Entrada inválida tamanho do campo uuid Invalid entry group id field size - + Item inválido tamanho do campo de id de groupo Invalid entry icon field size - + Item inválido tamanho de campo de ícone Invalid entry creation time field size - + Item inválido tamanho do campo de hora de criação Invalid entry modification time field size - + Item inválido Tamanho do campo de hora de modificação Invalid entry expiry time field size - + Tamanho de campo de tempo de expiração entrada inválida Invalid entry field type - + Tipo de campo de entrada inválido @@ -2609,7 +2631,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Time-based one-time password - + Senha única baseada em tempo &Groups @@ -2629,7 +2651,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da &Open database... - &Abrir banco de dados... + &Abrir base de dados... &Save database @@ -2673,7 +2695,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da Sa&ve database as... - Sal&var banco de dados como... + Sal&var base de dados como... Change &master key... @@ -2797,7 +2819,7 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da <p>It looks like you are using KeePassHTTP for browser integration. This feature has been deprecated and will be removed in the future.<br>Please switch to KeePassXC-Browser instead! For help with migration, visit our <a class="link" href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a> (warning %1 of 3).</p> - + <p>Parece que você está usando KeePassHTTP para integração do navegador. Esse recurso é obsoleto e será removido no futuro. <br>Por favor mudar para KeePassXC-Browser! Para obter ajuda com a migração, visite o nosso <a class="link" href="https://keepassxc.org/docs/keepassxc-browser-migration"> guia de migração</a> (aviso %1 de 3).</p> read-only @@ -2843,7 +2865,9 @@ Isto é uma migração de caminho único. Você não poderá abrir o banco de da WARNING: You are using an unstable build of KeePassXC! There is a high risk of corruption, maintain a backup of your databases. This version is not meant for production use. - + AVISO: você está usando uma compilação instável do KeePassXC! +Existe um alto risco de corrupção, mantenha um backup de seus bancos de dados. +Esta versão não se destina ao uso em produção. @@ -2854,7 +2878,7 @@ This version is not meant for production use. PEM boundary mismatch - + Incompatibilidade de limite do PEM Base64 decoding failed @@ -2874,7 +2898,7 @@ This version is not meant for production use. Failed to read public key. - Falha ao ler chave pública + Falha ao ler chave pública. Corrupted key file, reading private key failed @@ -2902,47 +2926,47 @@ This version is not meant for production use. Unexpected EOF while reading public key - EOF inesperado enquanto lendo a chave pública. + EOF inesperado enquanto lendo a chave pública Unexpected EOF while reading private key - EOF inesperado enquanto lendo a chave privada. + EOF inesperado enquanto lendo a chave privada Can't write public key as it is empty - Não é possível escrever a chave pública enquanto estiver vazio. + Não é possível escrever a chave pública enquanto estiver vazio Unexpected EOF when writing public key - EOF inesperado enquanto escrevendo a chave pública. + EOF inesperado enquanto escrevendo a chave pública Can't write private key as it is empty - EOF inesperado enquanto escrevendo a chave privada. + Não é possível escrever a chave privada enquanto estiver vazio Unexpected EOF when writing private key - EOF inesperado enquanto escrevendp a chave privada. + EOF inesperado enquanto escrevendp a chave privada Unsupported key type: %1 - + Tipo de chave não suportada: %1 Unknown cipher: %1 - + Cifra desconhecida: %1 Cipher IV is too short for MD5 kdf - + Cifra de IV é muito curta para MD5 kdf Unknown KDF: %1 - + KDF desconhecido: %1 Unknown key type: %1 - + Tipo de chave desconhecida: %1 @@ -2986,7 +3010,7 @@ This version is not meant for production use. &Match URL schemes - + &Combinar esquemas de URL Sort matching entries by &username @@ -3022,7 +3046,7 @@ This version is not meant for production use. Only the selected database has to be connected with a client. - + Somente o banco de dados selecionado deve estar conectado com um cliente. Searc&h in all opened databases for matching entries @@ -3050,11 +3074,11 @@ This version is not meant for production use. <b>Warning:</b> The following options can be dangerous! - + <b>AVISO:</b> As seguintes opções podem ser perigosas! <p>KeePassHTTP has been deprecated and will be removed in the future.<br>Please switch to KeePassXC-Browser instead! For help with migration, visit our <a href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a>.</p> - + <p>KeePassHTTP é obsoleto e será removido no futuro. <br>Por favor mudar para KeePassXC-navegador! Para obter ajuda com a migração, visite o nosso <a href="https://keepassxc.org/docs/keepassxc-browser-migration"> guia de migração</a>.</p> Cannot bind to privileged ports @@ -3092,7 +3116,7 @@ Usando porta padrão 19455. Character Types - Tipo de Caracteres + Tipos de Caracteres Upper Case Letters @@ -3112,11 +3136,11 @@ Usando porta padrão 19455. Extended ASCII - + ASCII extendido Exclude look-alike characters - Excluir caracteres semelhantes + Excluir caracteres similares Pick characters from every group @@ -3195,23 +3219,23 @@ Usando porta padrão 19455. QObject Database not opened - + Banco de dados não foi aberto Database hash not available - + Hash de banco de dados não disponível Client public key not received - + Chave pública do cliente não recebida Cannot decrypt message - + Não é possível descriptografar a mensagem Timeout or cannot connect to KeePassXC - + Tempo limite ou não pode conectar ao KeePassXC Action cancelled or denied @@ -3219,31 +3243,31 @@ Usando porta padrão 19455. Cannot encrypt message or public key not found. Is Native Messaging enabled in KeePassXC? - + Não foi possível criptografar a mensagem ou chave pública não encontrada. O envio de mensagem nativo está habilitado no KeePassXC? KeePassXC association failed, try again - + KeePassXC associação falhou, tente novamente Key change was not successful - + Mudança da chave não foi bem sucedida Encryption key is not recognized - + Chave criptográfica não é reconhecida No saved databases found - + Nenhum banco de dados salvo encontrado Incorrect action - + Ação incorreta Empty message received - + Mensagem vazia recebida No URL provided @@ -3263,7 +3287,7 @@ Usando porta padrão 19455. Path of the database. - Caminho do banco de dados + Caminho do banco de dados. Key file of the database. @@ -3291,15 +3315,15 @@ Usando porta padrão 19455. Prompt for the entry's password. - + Solicitar senha da entrada. Generate a password for the entry. - + Gerar uma senha para a entrada. Length for the generated password. - + Comprimento para a senha gerada. length @@ -3311,7 +3335,7 @@ Usando porta padrão 19455. Copy an entry's password to the clipboard. - + Copiar a senha de uma entrada para a área de transferência. Path of the entry to clip. @@ -3320,7 +3344,7 @@ Usando porta padrão 19455. Timeout in seconds before clearing the clipboard. - + Tempo limite em segundos antes de limpar a área de transferência. Edit an entry. @@ -3340,19 +3364,19 @@ Usando porta padrão 19455. Estimate the entropy of a password. - + Calcular a entropia da senha. Password for which to estimate the entropy. - + Senha para o qual deseja calcular a entropia. Perform advanced analysis on the password. - + Execute análise avançada sobre a senha. Extract and print the content of a database. - + Extrair e imprimir o conteúdo do banco de dados. Path of the database to extract. @@ -3360,25 +3384,30 @@ Usando porta padrão 19455. Insert password to unlock %1: - + Inserir a senha para desbloquear %1: Failed to load key file %1 : %2 - + Falha ao carregar o arquivo de chave %1: %2 WARNING: You are using a legacy key file format which may become unsupported in the future. Please consider generating a new key file. - + Aviso: Você está usando um formato de arquivo de chave legado que pode tornar-se sem suporte no futuro. + +Por favor, considere gerar um novo arquivo de chave. Available commands: - + + +Comandos disponíveis: + Name of the command to execute. @@ -3390,15 +3419,15 @@ Available commands: Path of the group to list. Default is / - + Caminho do grupo para à lista. O padrão é / Find entries quickly. - + Encontrar entradas rapidamente. Search term. - + Termo de pesquisa. Merge two databases. @@ -3406,31 +3435,31 @@ Available commands: Path of the database to merge into. - + Caminho do banco de dados para combinar. Path of the database to merge from. - + Caminho do banco de dados para combinar como base. Use the same credentials for both database files. - + Use as mesmas credenciais para ambos os arquivos de banco de dados. Key file of the database to merge from. - + Arquivo de chave do banco de dados para combinar como base. Show an entry's information. - + Mostre informações de uma entrada. Names of the attributes to show. This option can be specified more than once, with each attribute shown one-per-line in the given order. If no attributes are specified, a summary of the default attributes is given. - + Nomes de atributos para exibir. Esta opção pode ser especificada mais de uma vez, com cada atributo mostrado um-por-linha em ordem determinada. Se nenhum atributo é especificado, um resumo dos atributos padrão é fornecido. attribute - + atributo Name of the entry to show. @@ -3438,48 +3467,49 @@ Available commands: NULL device - + Dispositivo nulo error reading from device - + erro ao ler dispositivo file empty ! - + Arquivo vazio! + malformed string - + sequência de caracteres malformada missing closing quote - + cotação de fechamento ausente AES: 256-bit - + AES: 256 bits Twofish: 256-bit - + Twofish: 256 bits ChaCha20: 256-bit - + ChaCha20: 256 bits Argon2 (KDBX 4 – recommended) - + Argon2 (KDBX 4 – recomendado) AES-KDF (KDBX 4) - + AES-KDF (KDBX 4) AES-KDF (KDBX 3.1) - + AES-KDF (KDBX 3.1) Group @@ -3503,15 +3533,15 @@ Available commands: Last Modified - + Última modificação Created - + Criado Legacy Browser Integration - + Integração do legado de navegador Browser Integration @@ -3519,7 +3549,7 @@ Available commands: YubiKey[%1] Challenge Response - Slot %2 - %3 - + YubiKey [%1] desafio resposta - Slot %2 - %3 Press @@ -3535,48 +3565,49 @@ Available commands: Generate a new random diceware passphrase. - + Gere uma senha aleatória diceware novamente. Word count for the diceware passphrase. - + Contagem de palavra para a frase-chave diceware. count - + contagem Wordlist for the diceware generator. [Default: EFF English] - + Lista de palavras para o gerador diceware. +[Padrão: EFF inglês] Generate a new random password. - + Gerar nova senha aleatória. Length of the generated password. - + Tamanho da senha gerada. Use lowercase characters in the generated password. - + Use caracteres minúsculos na senha gerada. Use uppercase characters in the generated password. - + Use letras maiúsculas para a senha gerada. Use numbers in the generated password. - + Use números na senha gerada. Use special characters in the generated password. - + Use caracteres especiais na senha gerada. Use extended ASCII in the generated password. - + Uso estendido ASCII na senha gerada. @@ -3684,7 +3715,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - + Removido com êxito %n chave(s) de criptografia das configurações do KeePassX/Http.Removido com êxito %n chave(s) de criptografia das configurações do KeePassX/Http. KeePassXC: No keys found @@ -3716,7 +3747,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Successfully removed permissions from %n entries. - + Removido com êxito as permissões de %n entradas.Removido com êxito as permissões de %n entradas. KeePassXC: No entry with permissions found! @@ -3762,7 +3793,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Remember last key files and security dongles - + Lembre-se de arquivos de chave passados e dongles de segurança Load previous databases on startup @@ -3794,11 +3825,11 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Don't mark database as modified for non-data changes (e.g., expanding groups) - + Não marcar o banco de dados como modificado para alterações sem dados (por exemplo, expansão de grupos) Hide the Details view - + Ocultar a visualização de detalhes Show a system tray icon @@ -3814,7 +3845,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Dark system tray icon - + Ícone de bandeja do sistema escuro Language @@ -3826,15 +3857,15 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Use entry title to match windows for global Auto-Type - + Usar o título de entrada para coincidir com a janela para Auto-Digitar global Use entry URL to match windows for global Auto-Type - + Use o URL de entrada para coincidir com a janela para Auto-Digitar global Always ask before performing Auto-Type - + Sempre perguntar antes de executar o Auto-Digitar Global Auto-Type shortcut @@ -3842,7 +3873,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Auto-Type delay - + Atraso de autotipo ms @@ -3851,23 +3882,23 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Startup - + Inicialização File Management - + Gerenciamento de Arquivo Safely save database files (may be incompatible with Dropbox, etc) - + Salvar seguramente os arquivos de banco de dados (pode ser incompatível com o Dropbox, etc) Backup database file before saving - + Fazer cópia de segurança do banco de dados antes de salvar Entry Management - + Gerenciamento de entrada General @@ -3878,7 +3909,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< SettingsWidgetSecurity Timeouts - + Tempos limite Clear clipboard after @@ -3899,7 +3930,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Lock databases when session is locked or lid is closed - + Bloqueio de bancos de dados quando a sessão estiver bloqueada ou a tampa está fechada Lock databases after minimizing the window @@ -3915,11 +3946,11 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Hide passwords in the preview panel - + Ocultar senhas no painel de visualização Hide entry notes by default - + Esconder notas de entrada por padrão Privacy @@ -3927,11 +3958,11 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Use Google as fallback for downloading website icons - + Usar o Google como fallback para baixar ícones do site Re-lock previously locked database after performing Auto-Type - + Bloquear novamente o banco de dados anteriormente bloqueado depois de executar o Auto-Digitar @@ -3946,11 +3977,11 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Default RFC 6238 token settings - + Configurações de símbolo padrão RFC 6238 Steam token settings - + Configurações de steam token Use custom settings @@ -4040,22 +4071,22 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Welcome to KeePassXC %1 - + Bem-vindo ao KeePassXC %1 main Remove an entry from the database. - + Remover entrada do banco de dados. Path of the database. - Caminho do banco de dados + Caminho do banco de dados. Path of the entry to remove. - + Caminho do item à ser removido. KeePassXC - cross-platform password manager @@ -4079,7 +4110,7 @@ Desbloqueie base de dados selecionada ou escolha outra que esteja desbloqueada.< Parent window handle - + Identificador de janela pai \ No newline at end of file diff --git a/share/translations/keepassx_pt_PT.ts b/share/translations/keepassx_pt_PT.ts index d3ecd7b61..878c18eec 100644 --- a/share/translations/keepassx_pt_PT.ts +++ b/share/translations/keepassx_pt_PT.ts @@ -73,12 +73,13 @@ Kernel: %3 %4 Special thanks from the KeePassXC team go to debfx for creating the original KeePassX. - + Um agradecimento especial da equipa do KeePassXC a debfx por ter criado a aplicação KeePassX. Build Type: %1 - + Tipo de compilação: %1 + @@ -372,6 +373,10 @@ Selecione se deseja permitir o acesso. Select custom proxy location Selecionar localização do proxy personalizado + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Lamentamos mas, no momento, o KeePassXC-Browser não tem suporte a versões Snap. + BrowserService @@ -518,7 +523,7 @@ Desbloqueie a base de dados selecionada ou escolha outra que esteja desbloqueada Unable to create Key File : - Não foi possível criar o ficheiro-chave: + Incapaz de criar o ficheiro-chave: Select a key file @@ -632,7 +637,7 @@ Deve considerar a geração de uma novo ficheiro-chave. Column layout - Disposição de colunas + Disposição das colunas Not present in CSV file @@ -681,14 +686,14 @@ Deve considerar a geração de uma novo ficheiro-chave. Unable to calculate master key - Não foi possível calcular a chave-mestre + Impossível de calcular a chave-mestre CsvParserModel %n byte(s), - %n byte,%n byte(s), + %n bytes, %n bytes, %n row(s), @@ -727,7 +732,7 @@ Deve considerar a geração de uma novo ficheiro-chave. Unable to open the database. - Não foi possível abrir a base de dados. + Incapaz de abrir a base de dados. Can't open key file @@ -780,7 +785,7 @@ Deve considerar a geração de uma novo ficheiro-chave. Unable to open the database. - Não foi possível abrir a base de dados. + Incapaz de abrir a base de dados. Database opened fine. Nothing to do. @@ -798,7 +803,7 @@ Agora já a pode guardar. Unable to repair the database. - Não foi possível reparar a base de dados. + Incapaz de reparar a base de dados. @@ -971,7 +976,7 @@ Se mantiver este número, a sua base de dados pode ser desbloqueada muito facilm Unable to open the database. - Não foi possível abrir a base de dados. + Incapaz de abrir a base de dados. File opened in read only mode. @@ -1118,7 +1123,7 @@ Desativar salvaguardas e tentar novamente? Do you really want to move %n entry(s) to the recycle bin? - Deseja mesmo mover %n entrada para a reciclagem?Deseja mesmo mover %n entradas para a reciclagem? + Pretende realmente mover a entrada(s) %n para a reciclagem ?Deseja mesmo mover %n entrada(s) para a reciclagem? Execute command? @@ -1142,7 +1147,7 @@ Desativar salvaguardas e tentar novamente? Unable to calculate master key - Não foi possível calcular a chave-mestre + Impossível de calcular a chave-mestre No current database. @@ -1190,10 +1195,6 @@ Deseja juntar as suas alterações? Are you sure you want to permanently delete everything from your recycle bin? Tem a certeza de que deseja apagar permanentemente os itens da reciclagem? - - Entry updated successfully. - - DetailsWidget @@ -1370,11 +1371,11 @@ Deseja juntar as suas alterações? %n week(s) - %n semana%n semanas + %n semana(s)%n semana(s) %n month(s) - %n mês%n meses + %n mês%n mês(es) 1 year @@ -1382,15 +1383,15 @@ Deseja juntar as suas alterações? Apply generated password? - + Aplicar palavra-passe gerada? Do you want to apply the generated password to this entry? - + Deseja aplicar a palavra-passe gerada para esta entrada? Entry updated successfully. - + Entrada atualizada com sucesso. @@ -1417,7 +1418,7 @@ Deseja juntar as suas alterações? Reveal - Mostrar + Revelar Attachments @@ -1425,11 +1426,11 @@ Deseja juntar as suas alterações? Foreground Color: - + Cor principal: Background Color: - + Cor secundária: @@ -1652,7 +1653,7 @@ Deseja juntar as suas alterações? Search - Pesquisa + Procurar Auto-Type @@ -1691,7 +1692,7 @@ Deseja juntar as suas alterações? Unable to fetch favicon. - Não foi possível obter o 'favicon'. + Incapaz de obter o 'favicon'. Hint: You can enable Google as a fallback under Tools>Settings>Security @@ -1746,7 +1747,7 @@ Deseja juntar as suas alterações? Plugin Data - + Dados do plugin Remove @@ -1754,20 +1755,21 @@ Deseja juntar as suas alterações? Delete plugin data? - + Apagar dados do plugin? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Tem a certeza de que deseja apagar os dados do plugin? +Esta ação pode implicar um funcionamento errático. Key - + Chave Value - + Valor @@ -1974,6 +1976,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Repor predefinições + + Attachments (icon) + Anexos (ícone) + Group @@ -2125,7 +2131,7 @@ This may cause the affected plugins to malfunction. Failed to open buffer for KDF parameters in header - + Falha ao processar os parâmetros KDF no cabeçalho Unsupported key derivation function (KDF) or invalid parameters @@ -2212,12 +2218,12 @@ This may cause the affected plugins to malfunction. Kdbx4Writer Invalid symmetric cipher algorithm. - + Algoritmo inválido de cifra simétrica. Invalid symmetric cipher IV size. IV = Initialization Vector for symmetric cipher - + Algoritmo inválido de cifra simétrica IV. Unable to calculate master key @@ -2330,7 +2336,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados No group uuid found - + UUID de grupo não encontrado Null DeleteObject uuid @@ -2382,7 +2388,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Auto-type association window or sequence missing - + Associação de escrita automática ou sequência em falta Invalid bool value @@ -2422,14 +2428,14 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Unable to open the database. - Não foi possível abrir a base de dados. + Incapaz de abrir a base de dados. KeePass1Reader Unable to read keyfile. - Não foi possível ler o ficheiro-chave. + Incapaz de ler o ficheiro-chave. Not a KeePass database. @@ -2478,7 +2484,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Unable to calculate master key - Não foi possível calcular a chave-mestre + Incapaz de calcular a chave-mestre Wrong key or database file is corrupt. @@ -2736,7 +2742,7 @@ Esta é uma migração unidirecional. Não será possível abrir a base de dados Password Generator - Gerador de palavra-passe + Gerador de palavras-passe &Perform Auto-Type @@ -2955,7 +2961,7 @@ Esta versão não deve ser utilizada para uma utilização regular. Cipher IV is too short for MD5 kdf - + Cifra IV é muito curta para MD kdf Unknown KDF: %1 @@ -3019,7 +3025,7 @@ Esta versão não deve ser utilizada para uma utilização regular. R&emove all shared encryption keys from active database - R&emover todas as chaves de cifra partilhadas da base de dados ativa + R&emover todas as chaves cifradas partilhadas da base de dados ativa Re&move all stored permissions from entries in active database @@ -3071,7 +3077,7 @@ Esta versão não deve ser utilizada para uma utilização regular. <b>Warning:</b> The following options can be dangerous! - <b>Atenção</b>: as opções seguintes podem ser perigosas! + <b>AVISO</b>: as opções seguintes podem ser perigosas! <p>KeePassHTTP has been deprecated and will be removed in the future.<br>Please switch to KeePassXC-Browser instead! For help with migration, visit our <a href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a>.</p> @@ -3129,7 +3135,7 @@ Será utilizada a porta 19455 (padrão). Special Characters - Caracteres especiais + Caracteres especiais Extended ASCII @@ -3687,7 +3693,7 @@ KeePassXC, atribua um nome único para a identificar e aceitar. A shared encryption-key with the name "%1" already exists. Do you want to overwrite it? Já existe uma chave de cifra partilhada com o nome "%1". -Deseja substituir a chave atual? +Deseja substituir a chave de cifra? KeePassXC: Update Entry @@ -3709,11 +3715,11 @@ Desbloqueie a base de dados selecionada ou escolha outra que esteja desbloqueada KeePassXC: Removed keys from database - KeePassXC: Chaves removidas da base de dados + KeePassXC: Remover chaves da base de dados Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - Removidas com sucesso % chave de cifra das definições KeePassX/Http.Removidas com sucesso % chaves de cifra das definições KeePassX/Http. + Removida com sucesso %n chave de cifra das definições KeePassX/Http.Removidas com sucesso % chaves de cifra das definições KeePassX/Http. KeePassXC: No keys found @@ -3721,7 +3727,7 @@ Desbloqueie a base de dados selecionada ou escolha outra que esteja desbloqueada No shared encryption-keys found in KeePassHttp Settings. - Não existem chaves de cifra partilhadas nas definições do KeePassHttp. + Nenhuma chaves de cifra partilhadas encontrada nas definições do KeePassHttp. KeePassXC: Settings not available! diff --git a/share/translations/keepassx_ro.ts b/share/translations/keepassx_ro.ts index 540ecba74..553092057 100644 --- a/share/translations/keepassx_ro.ts +++ b/share/translations/keepassx_ro.ts @@ -23,7 +23,7 @@ <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Vezi contibuțiile pe GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Vezi contribuțiile pe GitHub</a> Debug Info @@ -40,7 +40,7 @@ Version %1 - Versiunea %1 + Versiune %1 @@ -116,7 +116,7 @@ Please select whether you want to allow access. AutoType Couldn't find an entry that matches the window title: - Nu a putut fi gasită o intrare care să coincidă cu titlul ferestrei: + Nu a putut fi gasită nicio intrare care să coincidă cu titlul ferestrei: Auto-Type - KeePassXC @@ -370,6 +370,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -467,7 +471,7 @@ Please unlock the selected database or choose another one which is unlocked.ChangeMasterKeyWidget Password - Parolă + Parola Enter password: @@ -680,11 +684,11 @@ Please consider generating a new key file. %n row(s), - + %n rând, %n rânduri, %n rânduri, %n column(s) - + %n coloană%n coloane%n coloane @@ -765,7 +769,7 @@ Please consider generating a new key file. Unable to open the database. - Nu pot deschide baza de date. + Baza de date nu poate fi deschisă. Database opened fine. Nothing to do. @@ -951,7 +955,7 @@ If you keep this number, your database may be too easy to crack! Unable to open the database. - Nu pot deschide baza de date. + Baza de date nu poate fi deschisă. File opened in read only mode. @@ -971,7 +975,7 @@ If you keep this number, your database may be too easy to crack! Merge database - Îmbină baza de date + Îmbina baza de date Open KeePass 1 database @@ -1121,7 +1125,7 @@ Disable safe saves and try again? No current database. - Nu există o baza de date curentă. + Nu există o bază de date curentă. No source database, nothing to do. @@ -1164,16 +1168,12 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - - DetailsWidget Generate TOTP Token - Genereaza token TOTP + Generează token TOTP Close @@ -1185,7 +1185,7 @@ Do you want to merge your changes? Password - Parolă + Parola URL @@ -1328,7 +1328,7 @@ Do you want to merge your changes? Are you sure you want to remove this attribute? - Sunteți sigur că doriți să eliminați acest atribut? + Sigur doriți să eliminați acest atribut? [PROTECTED] @@ -1344,11 +1344,11 @@ Do you want to merge your changes? %n week(s) - + %n săptămână%n săptămâni%n săptămâni %n month(s) - + %n lună%n luni%n luni 1 year @@ -1767,7 +1767,7 @@ This may cause the affected plugins to malfunction. EntryAttachmentsWidget Form - De la + Formular Add @@ -1890,7 +1890,7 @@ This may cause the affected plugins to malfunction. Password - Parolă + Parola Notes @@ -1943,6 +1943,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -3247,7 +3251,7 @@ Using default port 19455. Path of the database. - Calea către baza de date + Calea către baza de date. Key file of the database. diff --git a/share/translations/keepassx_ru.ts b/share/translations/keepassx_ru.ts index 42ee1daaf..1b3b327fc 100644 --- a/share/translations/keepassx_ru.ts +++ b/share/translations/keepassx_ru.ts @@ -15,7 +15,7 @@ KeePassXC is distributed under the terms of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassXC распространяется на условиях универсальной общественной лицензии GNU (GPL) версии 2 или 3 (на ваше усмотрение). + KeePassXC распространяется на условиях Стандартной общественной лицензии GNU (GPL) версии 2 или (на ваше усмотрение) версии 3. Contributors @@ -31,7 +31,7 @@ Include the following information whenever you report a bug: - Добавьте в сообщение об ошибке следующую информацию: + Включите следующую информацию, когда сообщаете об ошибке: Copy to clipboard @@ -103,7 +103,7 @@ Kernel: %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 запросил доступ к паролям для следующего элемента(-ов). + %1 запросил доступ к паролям для следующего элемента(ов). Разрешить доступ? @@ -211,7 +211,7 @@ Please select whether you want to allow access. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 запросил доступ к паролям для следующего элемента(ов). + %1 запросил доступ к паролям для следующего элемента(-ов). Разрешить доступ? @@ -373,6 +373,10 @@ Please select whether you want to allow access. Select custom proxy location Выбрать другое расположение прокси + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + Извините, но KeePassXC-Browser не поддерживается для Snap выпусков на данный момент. + BrowserService @@ -444,7 +448,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption key(s) from KeePassXC settings. - Успешно удалена %n ключ(и) шифрования от KeePassXC параметров.Успешно удалена %n ключ(и) шифрования от KeePassXC параметров.Успешно удалена %n ключ(и) шифрования от KeePassXC параметров.Успешно удалено %n ключей шифрования из параметров KeePassXC. + Успешно удален %n ключ шифрования из параметров KeePassXC.Успешно удалено %n ключей шифрования из параметров KeePassXC.Успешно удалено %n ключей шифрования из параметров KeePassXC.Успешно удалено %n ключей шифрования из параметров KeePassXC. Removing stored permissions… @@ -460,7 +464,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entry(s). - Успешно удалены разрешения от %n entry(s).Успешно удалены разрешения от %n entry(s).Успешно удалены разрешения от %n entry(s).Успешно удалены доступы для %n записей. + Успешно удалены доступы для %n записи.Успешно удалены доступы для %n записей.Успешно удалены доступы для %n записей.Успешно удалены доступы для %n записей. KeePassXC: No entry with permissions found! @@ -487,7 +491,7 @@ Please unlock the selected database or choose another one which is unlocked. &Key file - &Ключевой файл + &Ключ-файл Browse @@ -499,7 +503,7 @@ Please unlock the selected database or choose another one which is unlocked. Cha&llenge Response - &Вызов-ответ + Запрос ответа Refresh @@ -507,7 +511,7 @@ Please unlock the selected database or choose another one which is unlocked. Key files - Файлы ключей + Файлы-ключи All files @@ -515,15 +519,15 @@ Please unlock the selected database or choose another one which is unlocked. Create Key File... - Создать ключевой файл... + Создать ключ-файл... Unable to create Key File : - Невозможно создать ключевой файл: + Невозможно создать ключ-файл: Select a key file - Выберите ключевой файл + Выбрать ключ-файл Empty password @@ -540,7 +544,7 @@ Please unlock the selected database or choose another one which is unlocked. Failed to set %1 as the Key file: %2 - Не удалось установить %1 ключевым файлом: + Не удалось установить %1 как файл-ключ: %2 @@ -558,7 +562,7 @@ Please consider generating a new key file. Changing master key failed: no YubiKey inserted. - Не удалось сменить мастер-ключ: YubiKey не подключен. + Не удалось сменить мастер-ключ: ни один YubiKey не вставлен. @@ -588,11 +592,11 @@ Please consider generating a new key file. filename - имя файла + Имя файла size, rows, columns - размер, строк, столбцов + размер, строк, столбцов Encoding @@ -600,7 +604,7 @@ Please consider generating a new key file. Codec - Кодировка + Кодек Text is qualified by @@ -608,31 +612,31 @@ Please consider generating a new key file. 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 @@ -644,7 +648,7 @@ Please consider generating a new key file. column - столбец + Столбец Imported from CSV file @@ -688,15 +692,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - %n байт(а), %n байт(а), %n байт(а), %n байт(а), + %n байт, %n байт(а), %n байт(а), %n байт(а), %n row(s), - %n строк, %n строк, %n строк, %n строк, + %n строка, %n строк, %n строк, %n строк, %n column(s) - %n столбцов%n столбцов%n столбцов%n столбцов + %n столбец%n столбцов%n столбцов%n столбцов @@ -707,7 +711,7 @@ Please consider generating a new key file. Key File: - Ключевой файл: + Ключ-файл: Password: @@ -715,7 +719,7 @@ Please consider generating a new key file. Browse - Обзор файлов + Обзор Refresh @@ -723,7 +727,7 @@ Please consider generating a new key file. Challenge Response: - Вызов-ответ: + Запрос ответа: Unable to open the database. @@ -731,7 +735,7 @@ Please consider generating a new key file. Can't open key file - Не удается открыть ключевой файл + Не удается открыть ключ-файл Legacy key file format @@ -756,11 +760,11 @@ Please consider generating a new key file. Key files - Ключевые файлы + Ключ-файлы Select key file - Выберите ключевой файл + Выберите файл-ключ @@ -775,7 +779,7 @@ Please consider generating a new key file. Can't open key file - Не удается открыть ключевой файл + Не могу открыть файл-ключ Unable to open the database. @@ -783,7 +787,7 @@ Please consider generating a new key file. Database opened fine. Nothing to do. - База данных успешна открыта. Больше нечего делать. + База данных открылось прекрасно. Больше нечего делать. Success @@ -860,7 +864,7 @@ If you keep this number, your database may be too easy to crack! thread(s) Threads for parallel execution (KDF settings) - потокпотокапотоковпотоков + потокпотоковпотоковпоток(ов) @@ -883,7 +887,7 @@ If you keep this number, your database may be too easy to crack! Transform rounds: - Количество раундов преобразования: + Раундов преобразований: Benchmark 1-second delay @@ -930,7 +934,7 @@ If you keep this number, your database may be too easy to crack! MiB - МиБ + МиБ Use recycle bin @@ -970,7 +974,7 @@ If you keep this number, your database may be too easy to crack! Unable to open the database. - Невозможно открыть базу данных. + Не удаётся открыть базу данных. File opened in read only mode. @@ -1056,7 +1060,7 @@ Save changes? Can't lock the database as you are currently editing it. Please press cancel to finish your changes or discard them. Невозможно заблокировать базу данных, так как вы в настоящее время редактируете её. -Нажмите Отмена, чтобы завершить изменения или отменить их. +Нажмите Отмена, чтобы завершить изменения или отклонить их. This database has been modified. @@ -1085,7 +1089,7 @@ Disable safe saves and try again? Change master key - Сменить мастер-пароль + Изменить мастер-пароль Delete entry? @@ -1117,7 +1121,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить %n entry(s) в корзину?Вы действительно хотите переместить %n записей в корзину? + Вы действительно хотите поместить %n запись в корзину?Вы действительно хотите поместить %n записи в корзину?Вы действительно хотите поместить %n записей в корзину?Вы действительно хотите поместить %n записей в корзину? Execute command? @@ -1189,10 +1193,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Удалить все из корзины? - - Entry updated successfully. - - DetailsWidget @@ -1285,7 +1285,7 @@ Do you want to merge your changes? Advanced - Дополнительные + Расширенные Icon @@ -1337,7 +1337,7 @@ Do you want to merge your changes? Edit entry - Редактировать запись + Править запись Different passwords supplied. @@ -1369,11 +1369,11 @@ Do you want to merge your changes? %n week(s) - %n нед%n нед%n нед%n недель + %n неделя%n недели%n недель%n недель %n month(s) - %n месяц(-а)(-ев)%n месяц(-а)(-ев)%n месяц(-а)(-ев)%n месяцев + %n месяц%n месяца%n месяцев%n месяцев 1 year @@ -1381,15 +1381,15 @@ Do you want to merge your changes? Apply generated password? - + Применить сгенерированный пароль? Do you want to apply the generated password to this entry? - + Вы действительно хотите применить сгенерированный пароль к этой записи? Entry updated successfully. - + Запись успешно обновлена. @@ -1424,11 +1424,11 @@ Do you want to merge your changes? Foreground Color: - + Цвет переднего плана: Background Color: - + Цвет фона: @@ -1443,7 +1443,7 @@ Do you want to merge your changes? &Use custom Auto-Type sequence: - &Использовать свою последовательность автоввода: + Использовать сво&ю последовательность автоввода: Window Associations @@ -1489,7 +1489,7 @@ Do you want to merge your changes? EditEntryWidgetMain URL: - URL-адрес: + Адрес: Password: @@ -1581,7 +1581,7 @@ Do you want to merge your changes? Browse... Button for opening file dialog - Просмотр... + Обзор... Attachment @@ -1632,7 +1632,7 @@ Do you want to merge your changes? Inherit from parent group (%1) - Наследовать от родительской группы (%1) + Наследовать у родительской группы (%1) @@ -1663,7 +1663,7 @@ Do you want to merge your changes? Set default Auto-Type se&quence - Установить последовательность автоввода по умолчанию + Установить по умолчанию последовательность автоввода @@ -1694,7 +1694,7 @@ Do you want to merge your changes? Hint: You can enable Google as a fallback under Tools>Settings>Security - Подсказка: в качестве резервного варианта для получения значков сайтов возможно использовать Google. Включите этот параметр в меню «Инструменты» -> «Параметры» -> «Безопасность» + Подсказка: в качестве резервного варианта для получения значков сайтов возможно использовать Google. Включите этот параметр в меню «Инструменты» -> «Настройки» -> «Безопасность» Images @@ -1745,7 +1745,7 @@ Do you want to merge your changes? Plugin Data - + Данные плагина Remove @@ -1753,20 +1753,21 @@ Do you want to merge your changes? Delete plugin data? - + Удалить данные плагина? Do you really want to delete the selected plugin data? This may cause the affected plugins to malfunction. - + Вы действительно хотите удалить выбранные данные плагинов? +Это может привести к сбоям плагинов. Key - + Ключ Value - + Значение @@ -1774,7 +1775,7 @@ This may cause the affected plugins to malfunction. - Clone Suffix added to cloned entries - - клон + - Копия @@ -1816,7 +1817,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложения?Вы уверены, что вы хотите удалить %n вложений? + Вы уверены, что вы хотите удалить %n вложение?Вы уверены, что вы хотите удалить %n вложений?Вы уверены, что вы хотите удалить %n вложений?Вы уверены, что вы хотите удалить %n вложений? Confirm Remove @@ -1887,7 +1888,7 @@ This may cause the affected plugins to malfunction. URL - URL-адрес + Адрес @@ -1911,7 +1912,7 @@ This may cause the affected plugins to malfunction. URL - URL-адрес + Адрес Never @@ -1972,6 +1973,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Восстановить значения по умолчанию + + Attachments (icon) + Вложения (иконки) + Group @@ -2035,11 +2040,11 @@ This may cause the affected plugins to malfunction. Exclude look-alike characters - Не использовать визуально схожие символы + Исключить визуально схожие символы Ensure that the password contains characters from every group - Формировать пароль с применением символов из каждой группы + Убедиться, что пароль содержит символы из каждой группы Extended ASCII @@ -2427,7 +2432,7 @@ This is a one-way migration. You won't be able to open the imported databas KeePass1Reader Unable to read keyfile. - Невозможно прочесть ключ-файл. + Невозможно прочесть файл-ключ. Not a KeePass database. @@ -2698,7 +2703,7 @@ This is a one-way migration. You won't be able to open the imported databas &Database settings - Параметры базы данных + Настройки базы данных Database settings @@ -2730,7 +2735,7 @@ This is a one-way migration. You won't be able to open the imported databas &Settings - &Параметры + &Настройки Password Generator @@ -2742,7 +2747,7 @@ This is a one-way migration. You won't be able to open the imported databas &Open URL - &Открыть URL-адрес + &Открыть адрес &Lock databases @@ -2758,7 +2763,7 @@ This is a one-way migration. You won't be able to open the imported databas &URL - &URL-адрес + &Адрес Copy URL to clipboard @@ -2790,15 +2795,15 @@ This is a one-way migration. You won't be able to open the imported databas Show TOTP - Показать TOTP + Показать ВРП Set up TOTP... - Установить TOTP... + Установить ВРП... Copy &TOTP - Копировать &TOTP + Копировать &ВРП E&mpty recycle bin @@ -2822,7 +2827,7 @@ This is a one-way migration. You won't be able to open the imported databas Settings - Параметры + Настройки Toggle window @@ -2989,7 +2994,7 @@ This version is not meant for production use. Only returns the best matches for a specific URL instead of all entries for the whole domain. - Возвращает только лучшие совпадения для определенного URL-адрес вместо всех записей для всего домена. + Возвращает только лучшие совпадения для определенного URL вместо всех записей для всего домена. &Return only best matching entries @@ -3005,7 +3010,7 @@ This version is not meant for production use. &Match URL schemes - &Проверять протокол URL + &Проверять протокол Sort matching entries by &username @@ -3029,7 +3034,7 @@ This version is not meant for production use. Advanced - Дополнительно + Продвинутые Always allow &access to entries @@ -3053,7 +3058,7 @@ This version is not meant for production use. &Return advanced string fields which start with "KPH: " - Возвращать дополнительные стро&ковые поля, начинающиеся с «KPH: » + Возвращать продвинутые стро&ковые поля, начинающиеся с «KPH: » HTTP Port: @@ -3069,7 +3074,7 @@ This version is not meant for production use. <b>Warning:</b> The following options can be dangerous! - <b>Внимание:</b> Следующие параметры могут быть опасны! + <b>Предупреждение:</b> Следующие параметры могут быть опасны! <p>KeePassHTTP has been deprecated and will be removed in the future.<br>Please switch to KeePassXC-Browser instead! For help with migration, visit our <a href="https://keepassxc.org/docs/keepassxc-browser-migration">migration guide</a>.</p> @@ -3127,7 +3132,7 @@ Using default port 19455. Special Characters - Специальные символы + Особые символы Extended ASCII @@ -3135,7 +3140,7 @@ Using default port 19455. Exclude look-alike characters - Не использовать визуально схожие символы + Исключить похожие символы Pick characters from every group @@ -3306,7 +3311,7 @@ Using default port 19455. URL - URL-адрес + Адрес Prompt for the entry's password. @@ -3481,7 +3486,7 @@ Available commands: missing closing quote - Отсутствует закрывающая кавычка + Отсутствует закрывающая цитата AES: 256-bit @@ -3545,7 +3550,7 @@ Available commands: YubiKey[%1] Challenge Response - Slot %2 - %3 - YubiKey[%1] Вызов-ответ - слот %2 - %3 + YubiKey[%1] Запрос ответа - слот %2 - %3 Press @@ -3719,11 +3724,11 @@ Please unlock the selected database or choose another one which is unlocked. No shared encryption-keys found in KeePassHttp Settings. - Совместно используемые ключи шифрования не заданы в параметрах KeePassHttp. + Не найдено общих ключей шифрования в настройках KeePassHttp. KeePassXC: Settings not available! - KeePassXC: Параметры недоступны! + KeePassXC: Настройки недоступны! The active database does not contain an entry of KeePassHttp Settings. @@ -3743,7 +3748,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entries. - Успешно удалены разрешения %n записей.Успешно удалены разрешения %n записей.Успешно удалены разрешения %n записей.Успешно удалены доступы для %n записей. + Успешно удалены доступы для %n записи.Успешно удалены доступы для %n записей.Успешно удалены доступы для %n записей.Успешно удалены доступы для %n записей. KeePassXC: No entry with permissions found! @@ -3926,11 +3931,11 @@ Please unlock the selected database or choose another one which is unlocked. Lock databases when session is locked or lid is closed - Блокировать базу данных при блокировке сеанса или закрытии крышки ноутбука + Блокировать базу данных при закрытии сеанса или закрытии крышки Lock databases after minimizing the window - Блокировать базу данных при сворачивание окна + Блокировать базу данных при сворачивания окна Don't require password repeat when it is visible @@ -3965,7 +3970,7 @@ Please unlock the selected database or choose another one which is unlocked.SetupTotpDialog Setup TOTP - Настроить TOTP + Настроить ВРП Key: @@ -3981,7 +3986,7 @@ Please unlock the selected database or choose another one which is unlocked. Use custom settings - Использовать пользовательские параметры + Использовать пользовательские настройки Note: Change these settings only if you know what you are doing. @@ -4098,7 +4103,7 @@ Please unlock the selected database or choose another one which is unlocked. key file of the database - ключ-файл базы данных + файл-ключ базы данных read password of the database from stdin diff --git a/share/translations/keepassx_sr.ts b/share/translations/keepassx_sr.ts index 96adb74f7..676e8c1c0 100644 --- a/share/translations/keepassx_sr.ts +++ b/share/translations/keepassx_sr.ts @@ -3,11 +3,11 @@ AboutDialog About KeePassXC - O KeePassXC + О KeePassXC About - O aplikaciji + О апликацији Report bugs at: <a href="https://github.com/keepassxreboot/keepassxc/issues" style="text-decoration: underline;">https://github.com</a> @@ -40,7 +40,8 @@ Version %1 - Верзија %1 + Верзија %1 + Revision: %1 @@ -101,7 +102,7 @@ Kernel: %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 тражи приступ лозинкама за следеће ставке. + %1 тражи приступ лозинкама за следећу ставку (или ставке). Молим вас одаберите да ли желите да одобрите приступ. @@ -151,7 +152,7 @@ Please select whether you want to allow access. Sequence - Секвенца + Редослед Default sequence @@ -209,7 +210,7 @@ Please select whether you want to allow access. %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 тражи приступ лозинкама за следеће ставке. + %1 тражи приступ лозинкама за следећу ставку (или ставке). Молим вас одаберите да ли желите да одобрите приступ. @@ -371,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -484,7 +489,7 @@ Please unlock the selected database or choose another one which is unlocked. Browse - Разгледај + Преглед Create @@ -500,7 +505,7 @@ Please unlock the selected database or choose another one which is unlocked. Key files - Датотеке са кључем + Кључ-Датотеке All files @@ -508,15 +513,15 @@ Please unlock the selected database or choose another one which is unlocked. Create Key File... - Креирај датотеку са кључем... + Креирај Кључ-Датотеку... Unable to create Key File : - Није могуће креирати Датотеку са Кључем: + Није могуће креирати Кључ-Датотеку: Select a key file - Одаберите датотеку са кључем + Одаберите кључ-датотеку Empty password @@ -533,7 +538,7 @@ Please unlock the selected database or choose another one which is unlocked. Failed to set %1 as the Key file: %2 - Неуспешно постављање %1 као Датотеке са Кључем: + Неуспешно постављање %1 као Кључ-Датотеку: %2 @@ -564,7 +569,7 @@ Please consider generating a new key file. Replace username and password with references - Замените корисничко име и лозинку са референцама + Замени корисничко име и лозинку са референцама Copy history @@ -619,7 +624,7 @@ Please consider generating a new key file. Preview - Приказ + Преглед Column layout @@ -679,15 +684,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - + %n бајт(ова),%n бајт(ова),%n бајт(ова), %n row(s), - + %n ред(ова),%n ред(ова),%n ред(ова), %n column(s) - + %n колона%n колона%n колона @@ -979,7 +984,7 @@ If you keep this number, your database may be too easy to crack! Open KeePass 1 database - Отвори KeePass 1  базу података + Отвори KeePass 1 базу података KeePass 1 database @@ -1101,7 +1106,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Да ли сте сигурни да желите да преместите %n ставку у корпу за отпатке?Да ли сте сигурни да желите да преместите %n ставке у корпу за отпатке?Да ли сте сигурни да желите да преместите %n ставку(ставке) у корпу за отпатке? Execute command? @@ -1172,10 +1177,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Да ли сте сигурни да желите да желите да трајно обришете све ставке из корпе за отпатке? - - Entry updated successfully. - - DetailsWidget @@ -1233,7 +1234,7 @@ Do you want to merge your changes? Sequence - Секвенца + Редослед Search @@ -1352,11 +1353,11 @@ Do you want to merge your changes? %n week(s) - + %n недеља%n недеље(а)%n недеље(а) %n month(s) - + %n месец%n месеца(и)%n месеца(и) 1 year @@ -1646,7 +1647,7 @@ Do you want to merge your changes? Set default Auto-Type se&quence - Унеси подразумевану секвенцу за Аутоматско-Куцање + Подеси као подразумевану секвенцу за Аутоматско-Куцање @@ -1661,19 +1662,19 @@ Do you want to merge your changes? Add custom icon - Додај посебну икону + Додај посебну иконицу Delete custom icon - Обриши посебну икону + Обриши посебну иконицу Download favicon - Преузми икону са сајта + Преузми иконицу са сајта Unable to fetch favicon. - Неуспело добављање иконе са сајта. + Није могуће добавити иконицу са сајта. Hint: You can enable Google as a fallback under Tools>Settings>Security @@ -1952,6 +1953,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -3125,7 +3130,7 @@ Using default port 19455. Wordlist: - Листа речи: + Листа фраза: Word Count: @@ -3166,7 +3171,7 @@ Using default port 19455. Poor Password quality - Слаб + Бедан Weak diff --git a/share/translations/keepassx_sv.ts b/share/translations/keepassx_sv.ts index e580bde0a..e57292e61 100644 --- a/share/translations/keepassx_sv.ts +++ b/share/translations/keepassx_sv.ts @@ -19,15 +19,15 @@ Contributors - Bidragsgivare + Medverkande <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">See Contributions on GitHub</a> - <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Se alla bidrag på GitHub</a> + <a href="https://github.com/keepassxreboot/keepassxc/graphs/contributors">Se Bidragsgivare på GitHub</a> Debug Info - Felsökningsinformation + Felsöknings Information Include the following information whenever you report a bug: @@ -59,8 +59,8 @@ Operating system: %1 CPU architecture: %2 Kernel: %3 %4 - Operativsystem: %1 -Processorarkitektur: %2 + Operativ system: %1 +CPU-arkitektur: %2 Kärna: %3 %4 @@ -89,7 +89,7 @@ Kärna: %3 %4 Remember this decision - Kom ihåg det här valet + Kom ihåg detta val Allow @@ -102,15 +102,15 @@ Kärna: %3 %4 %1 has requested access to passwords for the following item(s). Please select whether you want to allow access. - %1 har begärt åtkomst till lösenorden för följande objekt. -Vill du tillåta det? + %1 har begärt åtkomst till lösenord för följande objekt(en). +Vänligen välj om du vill tillåta åtkomst. AgentSettingsWidget Enable SSH Agent (requires restart) - Aktivera SSH-agenten (kräver omstart) + Aktivera SSH Agent (kräver omstart) @@ -156,7 +156,7 @@ Vill du tillåta det? Default sequence - Standardsekvens + Standard sekvens @@ -186,7 +186,7 @@ Vill du tillåta det? Select entry to Auto-Type: - Välj post att autoskriva: + Välj post att auto-skriva @@ -372,6 +372,10 @@ Vill du tillåta det? Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -426,7 +430,7 @@ Please unlock the selected database or choose another one which is unlocked. KeePassXC: No keys found - KeePassXC: Inga nycklar hittade + KeePassXC: Hittade inga nycklar No shared encryption keys found in KeePassXC Settings. @@ -616,7 +620,7 @@ Please consider generating a new key file. Consider '\' an escape character - + Överväg '\' som ändelse tecken Preview @@ -628,7 +632,7 @@ Please consider generating a new key file. Not present in CSV file - Finns inte i CSV filen + Finns inte i CSV fil Empty fieldname @@ -722,7 +726,7 @@ Please consider generating a new key file. Can't open key file - Kan inte öppna nyckelfilen + Kan inte öppna nyckel-fil Legacy key file format @@ -768,7 +772,7 @@ Please consider generating a new key file. Unable to open the database. - Kunde inte öppna databas. + Misslyckades att öppna databasen. Database opened fine. Nothing to do. @@ -793,7 +797,7 @@ Du kan nu spara den. DatabaseSettingsWidget General - Allmän + Allmänt Encryption @@ -939,7 +943,7 @@ If you keep this number, your database may be too easy to crack! KeePass 2 Database - KeePass 2 databas + KeePass 2 Databas All files @@ -1007,7 +1011,7 @@ Spara ändringarna? Writing the database failed. - Misslyckades med att skriva till databasen. + Kunde inte skriva till databasen. Passwords @@ -1089,7 +1093,7 @@ Disable safe saves and try again? Move entry to recycle bin? - Flytta post till soptunnan? + Flytta post till papperskorgen? Do you really want to move entry "%1" to the recycle bin? @@ -1101,7 +1105,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + Vill du verkligen flytta %n post till papperskorgen?Vill du verkligen flytta %n poster till papperskorgen? Execute command? @@ -1113,7 +1117,7 @@ Disable safe saves and try again? Remember my choice - + Kom ihåg mitt val Delete group? @@ -1172,10 +1176,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - - DetailsWidget @@ -1352,11 +1352,11 @@ Do you want to merge your changes? %n week(s) - + %n vecka%n veckor %n month(s) - + %n månad%n månader 1 year @@ -1951,6 +1951,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -2407,7 +2411,7 @@ This is a one-way migration. You won't be able to open the imported databas Not a KeePass database. - Inte en KeePass databas. + Inte en KeePass databas Unsupported encryption algorithm. @@ -3031,7 +3035,7 @@ This version is not meant for production use. HTTP Port: - HTTP Port: + Http-Port: Default port: 19455 @@ -3132,7 +3136,7 @@ Using default port 19455. Word Separator: - Ord separerare: + Ord separator: Generate @@ -3447,7 +3451,7 @@ Tillgängliga kommandon: malformed string - felaktigt uppbyggd textsträng + felaktigt uppbyggd sträng missing closing quote @@ -3680,7 +3684,7 @@ Please unlock the selected database or choose another one which is unlocked. KeePassXC: No keys found - KeePassXC: Hittade inga nycklar + KeePassXC: Inga nycklar hittade No shared encryption-keys found in KeePassHttp Settings. @@ -3708,7 +3712,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entries. - Framgångsrikt bort behörigheter från %n poster.Lyckades ta bort behörigheter från %n poster. + KeePassXC: No entry with permissions found! @@ -3746,7 +3750,7 @@ Please unlock the selected database or choose another one which is unlocked. Start only a single instance of KeePassXC - Tillåt endast en samtidig instans av KeePassXC + Tillåt endast en öppen instans av KeePassXC Remember last databases @@ -3863,7 +3867,7 @@ Please unlock the selected database or choose another one which is unlocked. General - Allmän + Allmänt diff --git a/share/translations/keepassx_th.ts b/share/translations/keepassx_th.ts index 84a7676d8..4fd1c06ef 100644 --- a/share/translations/keepassx_th.ts +++ b/share/translations/keepassx_th.ts @@ -371,6 +371,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -408,7 +412,7 @@ Do you want to overwrite it? KeePassXC: Database locked! - KeePassXC: ฐานข้อมูลล็อกอยู่! + KeePassXC: ฐานข้อมูลถูกล็อก! The active database is locked! @@ -433,7 +437,7 @@ Please unlock the selected database or choose another one which is unlocked. KeePassXC: Removed keys from database - KeePassXC: เอากุญแจออกจากฐานข้อมูล + KeePassXC: กุญแจถูกนำออกจากฐานข้อมูล Successfully removed %n encryption key(s) from KeePassXC settings. @@ -678,15 +682,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - %n ไบต์, + %n row(s), - %n แถว, + %n column(s) - %n คอลัมน์ + @@ -717,7 +721,7 @@ Please consider generating a new key file. Unable to open the database. - ไม่สามารถเปิดฐานข้อมูลดังกล่าว + ไม่สามารถเปิดฐานข้อมูล Can't open key file @@ -954,7 +958,7 @@ If you keep this number, your database may be too easy to crack! Unable to open the database. - ไม่สามารถเปิดฐานข้อมูลดังกล่าว + ไม่สามารถเปิดฐานข้อมูล File opened in read only mode. @@ -1097,7 +1101,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + คุณต้องการจะย้ายรายการ %1 รายการไปยังถังขยะจริงๆ? Execute command? @@ -1168,10 +1172,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? - - Entry updated successfully. - - DetailsWidget @@ -1951,6 +1951,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -2396,7 +2400,7 @@ This is a one-way migration. You won't be able to open the imported databas Unable to open the database. - ไม่สามารถเปิดฐานข้อมูลดังกล่าว + ไม่สามารถเปิดฐานข้อมูล @@ -3088,7 +3092,7 @@ Using default port 19455. Upper Case Letters - อักษรตัวพิมพ์ใหญ่ + อักษรพิมพ์ใหญ่ Lower Case Letters @@ -3344,7 +3348,7 @@ Using default port 19455. Extract and print the content of a database. - สกัดและพิมพ์เนื้อหาของฐานข้อมูล + สกัดและแสดงเนื้อหาของฐานข้อมูล Path of the database to extract. @@ -3660,7 +3664,7 @@ Do you want to overwrite it? KeePassXC: Database locked! - KeePassXC: ฐานข้อมูลล็อกอยู่! + KeePassXC: ฐานข้อมูลถูกล็อก! The active database is locked! @@ -3669,7 +3673,7 @@ Please unlock the selected database or choose another one which is unlocked. KeePassXC: Removed keys from database - KeePassXC: เอากุญแจออกจากฐานข้อมูล + KeePassXC: กุญแจถูกนำออกจากฐานข้อมูล Successfully removed %n encryption-key(s) from KeePassX/Http Settings. diff --git a/share/translations/keepassx_tr.ts b/share/translations/keepassx_tr.ts index d8d8febc9..5b3b6f439 100644 --- a/share/translations/keepassx_tr.ts +++ b/share/translations/keepassx_tr.ts @@ -372,6 +372,10 @@ Lütfen erişime izin vermek istediklerinizi seçin. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -1103,7 +1107,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + %n girdiyi geri dönüşüm kutusuna taşımak istediğinize emin misiniz?%n girdiyi geri dönüşüm kutusuna taşımak istediğinize emin misiniz? Execute command? @@ -1174,10 +1178,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Geri dönüşüm kutunuzdaki her şeyi kalıcı olarak silmek istediğinize emin misiniz? - - Entry updated successfully. - - DetailsWidget @@ -1354,11 +1354,11 @@ Do you want to merge your changes? %n week(s) - + %n hafta%n hafta %n month(s) - + %n ay%n ay 1 year @@ -1636,7 +1636,7 @@ Do you want to merge your changes? Search - Ara + Arama Auto-Type @@ -1953,6 +1953,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group @@ -2457,7 +2461,7 @@ Bu tek yönlü bir yer değiştirmedir. İçe aktarılan veri tabanını eski Ke Unable to calculate master key - Ana anahtar hesaplanamıyor + Ana anahtar hesaplanamaz Wrong key or database file is corrupt. diff --git a/share/translations/keepassx_uk.ts b/share/translations/keepassx_uk.ts index fa8b49d09..6c22350db 100644 --- a/share/translations/keepassx_uk.ts +++ b/share/translations/keepassx_uk.ts @@ -35,7 +35,7 @@ Copy to clipboard - Скопіювати в кишеню + Скопіювати у буфер обміну Version %1 @@ -372,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location Вибрати власне розташування посередника + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -443,7 +447,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption key(s) from KeePassXC settings. - Успішно видалив %n шифрувальний ключ з налаштувань KeePassXC.Успішно видалив %n шифрувальних ключі з налаштувань KeePassXC.Успішно видалив %n шифрувальних ключів з налаштувань KeePassXC. + Removing stored permissions… @@ -459,7 +463,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entry(s). - Успішно видалив привілеї для %n запису.Успішно видалив привілеї для %n записів.Успішно видалив привілеї для %n записів. + KeePassXC: No entry with permissions found! @@ -688,7 +692,7 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - %n байт, %n байти, %n байтів, + %n байт,%n byte(s), %n байта, %n байтів, %n row(s), @@ -856,12 +860,12 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - МіБМіБМіБ + thread(s) Threads for parallel execution (KDF settings) - потікпотокипотоків + @@ -931,7 +935,7 @@ If you keep this number, your database may be too easy to crack! MiB - МіБ + МіБ Use recycle bin @@ -1118,7 +1122,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - Ви дійсно хочете перемістити %n запис у кошик?Ви дійсно хочете перемістити %n записи у кошик?Ви дійсно хочете перемістити %n записів у кошик? + Ви дійсно хочете перемістити %n запис у смітник?Ви дійсно хочете перемістити %n записи в смітник?Ви дійсно хочете перемістити %n записів у смітник? Execute command? @@ -1190,10 +1194,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? Ви дійсно бажаєте остаточно видалити все зі смітника? - - Entry updated successfully. - - DetailsWidget @@ -1362,7 +1362,7 @@ Do you want to merge your changes? Press reveal to view or edit - Натисніть «показати» для перегляду або зміни + Натисніть «показати» для перегляду або редагування Tomorrow @@ -1370,11 +1370,11 @@ Do you want to merge your changes? %n week(s) - %n тиждень%n тижня%n тижнів + %n тиждень%n тижні%n тижнів %n month(s) - %n місяць%n місяця%n місяців + %n місяць%n місяці%n місяців 1 year @@ -1569,7 +1569,7 @@ Do you want to merge your changes? Copy to clipboard - Скопіювати в кишеню + Скопіювати у буфер обміну Private key @@ -1707,7 +1707,7 @@ Do you want to merge your changes? Select Image - Вибрати зображення + Вибір зображення Can't read icon @@ -1817,7 +1817,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - Ви дійсно бажаєте видалити %n вкладення?Ви дійсно бажаєте видалити %n вкладення?Ви дійсно бажаєте видалити %n вкладень? + Confirm Remove @@ -1974,6 +1974,10 @@ This may cause the affected plugins to malfunction. Reset to defaults Повернути до типових налаштувань + + Attachments (icon) + + Group @@ -2433,15 +2437,15 @@ This is a one-way migration. You won't be able to open the imported databas Not a KeePass database. - Не сховище KeePass. + Це не сховище KeePass. Unsupported encryption algorithm. - Непідтримуваний алгоритм шифрування. + Алгоритм шифрування не підтримується. Unsupported KeePass database version. - Непідтримувана версія сховища KeePass. + Версія сховища KeePass не підтримується. Unable to read encryption IV @@ -2624,7 +2628,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy att&ribute to clipboard - Скопіювати атрибут у кишеню + Копіювати атрибут до буферу обміну Time-based one-time password @@ -2704,7 +2708,7 @@ This is a one-way migration. You won't be able to open the imported databas Database settings - Налаштування сховища + Параметри сховища &Clone entry @@ -2720,7 +2724,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy username to clipboard - Скопіювати ім’я користувача в кишеню + Копіювати ім’я користувача в буфер обміну Cop&y password @@ -2728,7 +2732,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy password to clipboard - Скопіювати гасло в кишеню + Копіювати гасло в буфер обміну &Settings @@ -2756,7 +2760,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy title to clipboard - Скопіювати заголовок у кишеню + Скопіювати заголовок до кишені &URL @@ -2764,7 +2768,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy URL to clipboard - Скопіювати URL у кишеню + Скопіювати URL до кишені &Notes @@ -2772,7 +2776,7 @@ This is a one-way migration. You won't be able to open the imported databas Copy notes to clipboard - Скопіювати нотатки у кишеню + Скопіювати нотатки до кишені &Export to CSV file... @@ -2907,7 +2911,7 @@ This version is not meant for production use. Trying to run KDF without cipher - Пробуємо запустити ФОК без шифрування + Пробуємо обчислити ФОК без шифру Passphrase is required to decrypt this key @@ -3280,7 +3284,7 @@ Using default port 19455. Add a new entry to a database. - Додати новий запис до сховища. + Додати новий запис до сховища Path of the database. @@ -3341,7 +3345,7 @@ Using default port 19455. Timeout in seconds before clearing the clipboard. - Час очікування у секундах перед очищенням кишені. + Час очікування у Edit an entry. @@ -3611,7 +3615,7 @@ Available commands: QtIOCompressor Internal zlib error when compressing: - Внутрішня помилка zlib під час стиснення: + Внутрішня помилка zlib при стисненні: Error writing to underlying device: @@ -3627,7 +3631,7 @@ Available commands: Internal zlib error when decompressing: - Внутрішня помилка zlib під час розпакування: + Внутрішня помилка zlib при розпакуванні: @@ -3675,8 +3679,8 @@ Available commands: 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? @@ -3759,7 +3763,7 @@ Please unlock the selected database or choose another one which is unlocked.SettingsWidget Application Settings - Налаштування застосунку + Параметри застосунку General @@ -3810,7 +3814,7 @@ Please unlock the selected database or choose another one which is unlocked. Minimize when copying to clipboard - Згортати після копіювання до буфера обміну + Згортати при копіюванні до буфера обміну Minimize window at application startup @@ -3830,11 +3834,11 @@ Please unlock the selected database or choose another one which is unlocked. Show a system tray icon - Показувати значок у лотку + Показувати значок в треї Hide window to system tray when minimized - Під час згортання ховати вікно у системний лоток + При згортанні ховати вікно в область системних повідомлень Hide window to system tray instead of app exit @@ -3906,7 +3910,7 @@ Please unlock the selected database or choose another one which is unlocked.SettingsWidgetSecurity Timeouts - Час очікування + Час очикування Clear clipboard after diff --git a/share/translations/keepassx_zh_CN.ts b/share/translations/keepassx_zh_CN.ts index 9298211e6..4a2381a68 100644 --- a/share/translations/keepassx_zh_CN.ts +++ b/share/translations/keepassx_zh_CN.ts @@ -275,7 +275,7 @@ Please select whether you want to allow access. &Return only best-matching credentials - + 只返回最匹配的凭据 Sort &matching credentials by title @@ -336,7 +336,7 @@ Please select whether you want to allow access. Support a proxy application between KeePassXC and browser extension. - + 支持KeePassXC和浏览器扩展之间的代理应用程序. Use a &proxy application between KeePassXC and browser extension @@ -372,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -842,7 +846,7 @@ If you keep this number, your database may be too easy to crack! MiB Abbreviation for Mebibytes (KDF settings) - MiB + thread(s) @@ -917,7 +921,7 @@ If you keep this number, your database may be too easy to crack! MiB - MiB + MiB Use recycle bin @@ -1103,7 +1107,7 @@ Disable safe saves and try again? Do you really want to move %n entry(s) to the recycle bin? - + 你确定要将 %n 个项目移到垃圾桶? Execute command? @@ -1174,10 +1178,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? 你确定要永久删除回收站中的所有内容? - - Entry updated successfully. - - DetailsWidget @@ -1354,11 +1354,11 @@ Do you want to merge your changes? %n week(s) - + %n 周 %n month(s) - + %n 个月 1 year @@ -1953,6 +1953,10 @@ This may cause the affected plugins to malfunction. Reset to defaults + + Attachments (icon) + + Group diff --git a/share/translations/keepassx_zh_TW.ts b/share/translations/keepassx_zh_TW.ts index 397a3e535..af8120977 100644 --- a/share/translations/keepassx_zh_TW.ts +++ b/share/translations/keepassx_zh_TW.ts @@ -372,6 +372,10 @@ Please select whether you want to allow access. Select custom proxy location 選擇自訂代理位置 + + We're sorry, but KeePassXC-Browser is not supported for Snap releases at the moment. + + BrowserService @@ -443,7 +447,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption key(s) from KeePassXC settings. - 成功從 KeePassXC 移除 %n 個加密金鑰。 + Removing stored permissions… @@ -459,7 +463,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entry(s). - 成功從 %n 個項目中移除權限。 + KeePassXC: No entry with permissions found! @@ -687,15 +691,15 @@ Please consider generating a new key file. CsvParserModel %n byte(s), - %n 位元組, + %n row(s), - %n 行, + %n column(s) - %n 列, + @@ -1186,10 +1190,6 @@ Do you want to merge your changes? Are you sure you want to permanently delete everything from your recycle bin? 確定要永久刪除回收桶內的項目? - - Entry updated successfully. - - DetailsWidget @@ -1553,7 +1553,7 @@ Do you want to merge your changes? Comment - 評論 + 註解 Decrypt @@ -1813,7 +1813,7 @@ This may cause the affected plugins to malfunction. Are you sure you want to remove %n attachment(s)? - 確定移除 %n 個附件? + Confirm Remove @@ -1970,6 +1970,10 @@ This may cause the affected plugins to malfunction. Reset to defaults 重設為預設 + + Attachments (icon) + + Group @@ -3181,7 +3185,7 @@ Using default port 19455. Entropy: %1 bit - Entropy: %1 bit + 資訊熵:%1 位元 Password Quality: %1 @@ -3707,7 +3711,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed %n encryption-key(s) from KeePassX/Http Settings. - 成功從 KeePassX/Http Settings 移除 %n 加密金鑰。 + KeePassXC: No keys found @@ -3739,7 +3743,7 @@ Please unlock the selected database or choose another one which is unlocked. Successfully removed permissions from %n entries. - 成功從 %n 個項目中移除權限。 + KeePassXC: No entry with permissions found!