From 5c7c7f54fae984e0966fc39fdcdead9ad726c265 Mon Sep 17 00:00:00 2001 From: Akinori MUSHA Date: Mon, 5 Jan 2015 18:50:04 +0900 Subject: [PATCH 01/12] Improve UI of the search edit. - The copy action (Control+C) when no text is selected copies the password of the current entry. This should be reasonable when Control+B copies the username. - Down at EOL moves the focus to the entry view. Enter and Tab should do that, but it would be handy for user to be able to get to the third entry by hitting Down three times. --- src/gui/DatabaseWidget.cpp | 32 ++++++++++++++++++++++++++++++++ src/gui/DatabaseWidget.h | 3 +++ 2 files changed, 35 insertions(+) diff --git a/src/gui/DatabaseWidget.cpp b/src/gui/DatabaseWidget.cpp index 31ef9c780..088f83af9 100644 --- a/src/gui/DatabaseWidget.cpp +++ b/src/gui/DatabaseWidget.cpp @@ -23,6 +23,7 @@ #include #include #include +#include #include #include #include @@ -88,6 +89,7 @@ DatabaseWidget::DatabaseWidget(Database* db, QWidget* parent) m_searchUi->closeSearchButton->setShortcut(Qt::Key_Escape); m_searchWidget->hide(); m_searchUi->caseSensitiveCheckBox->setVisible(false); + m_searchUi->searchEdit->installEventFilter(this); QVBoxLayout* vLayout = new QVBoxLayout(rightHandSideWidget); vLayout->setMargin(0); @@ -982,3 +984,33 @@ bool DatabaseWidget::currentEntryHasNotes() } return !currentEntry->notes().isEmpty(); } + +bool DatabaseWidget::eventFilter(QObject* object, QEvent* event) +{ + if (object == m_searchUi->searchEdit) { + if (event->type() == QEvent::KeyPress) { + QKeyEvent* keyEvent = static_cast(event); + if (keyEvent->matches(QKeySequence::Copy)) { + // If Control+C is pressed in the search edit when no + // text is selected, copy the password of the current + // entry. + Entry* currentEntry = m_entryView->currentEntry(); + if (currentEntry && !m_searchUi->searchEdit->hasSelectedText()) { + setClipboardTextAndMinimize(currentEntry->password()); + return true; + } + } + else if (keyEvent->matches(QKeySequence::MoveToNextLine)) { + // If Down is pressed at EOL in the search edit, move + // the focus to the entry view. + if (!m_searchUi->searchEdit->hasSelectedText() && + m_searchUi->searchEdit->cursorPosition() == m_searchUi->searchEdit->text().length()) { + m_entryView->setFocus(); + return true; + } + } + } + } + + return false; +} diff --git a/src/gui/DatabaseWidget.h b/src/gui/DatabaseWidget.h index 1ba3dd1f5..653c1fcae 100644 --- a/src/gui/DatabaseWidget.h +++ b/src/gui/DatabaseWidget.h @@ -102,6 +102,9 @@ Q_SIGNALS: void splitterSizesChanged(); void entryColumnSizesChanged(); +protected: + bool eventFilter(QObject* object, QEvent* event); + public Q_SLOTS: void createEntry(); void cloneEntry(); From b773dbe6458cfca9b43365964caf3e248cf616b1 Mon Sep 17 00:00:00 2001 From: Akinori MUSHA Date: Mon, 5 Jan 2015 22:37:37 +0900 Subject: [PATCH 02/12] Test if hitting the Down key moves the focus to the entry view. --- tests/gui/TestGui.cpp | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/tests/gui/TestGui.cpp b/tests/gui/TestGui.cpp index 6443ea5d2..6aa49b836 100644 --- a/tests/gui/TestGui.cpp +++ b/tests/gui/TestGui.cpp @@ -210,6 +210,10 @@ void TestGui::testSearch() // Search for "some" QTest::keyClicks(searchEdit, "some"); QTRY_COMPARE(entryView->model()->rowCount(), 4); + // Press Down to focus on the entry view + QVERIFY(!entryView->hasFocus()); + QTest::keyClick(searchEdit, Qt::Key_Down); + QVERIFY(entryView->hasFocus()); clickIndex(entryView->model()->index(0, 1), entryView, Qt::LeftButton); QAction* entryEditAction = m_mainWindow->findChild("actionEntryEdit"); From 2fa531745ff6e95afc8922a919b1acd070044022 Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 1 Nov 2015 18:30:50 +0100 Subject: [PATCH 03/12] Check XML key file for valid base64 before using it. QByteArray::fromBase64() doesn't validate the input. Closes #366 --- src/core/Tools.cpp | 10 ++++++++++ src/core/Tools.h | 1 + src/keys/FileKey.cpp | 5 ++++- tests/TestKeys.cpp | 1 + tests/data/FileKeyXmlBrokenBase64.kdbx | Bin 0 -> 1582 bytes tests/data/FileKeyXmlBrokenBase64.key | 9 +++++++++ 6 files changed, 25 insertions(+), 1 deletion(-) create mode 100644 tests/data/FileKeyXmlBrokenBase64.kdbx create mode 100644 tests/data/FileKeyXmlBrokenBase64.key diff --git a/src/core/Tools.cpp b/src/core/Tools.cpp index 8034417f0..8ed083361 100644 --- a/src/core/Tools.cpp +++ b/src/core/Tools.cpp @@ -160,6 +160,16 @@ bool isHex(const QByteArray& ba) return true; } +bool isBase64(const QByteArray& ba) +{ + QRegExp regexp("^(?:[a-z0-9+/]{4})*(?:[a-z0-9+/]{3}=|[a-z0-9+/]{2}==)?$", + Qt::CaseInsensitive, QRegExp::RegExp2); + + QString base64 = QString::fromLatin1(ba.constData(), ba.size()); + + return regexp.exactMatch(base64); +} + void sleep(int ms) { Q_ASSERT(ms >= 0); diff --git a/src/core/Tools.h b/src/core/Tools.h index 8058f2518..3854507b5 100644 --- a/src/core/Tools.h +++ b/src/core/Tools.h @@ -35,6 +35,7 @@ bool readAllFromDevice(QIODevice* device, QByteArray& data); QDateTime currentDateTimeUtc(); QString imageReaderFilter(); bool isHex(const QByteArray& ba); +bool isBase64(const QByteArray& ba); void sleep(int ms); void wait(int ms); QString platform(); diff --git a/src/keys/FileKey.cpp b/src/keys/FileKey.cpp index f03a69536..d399f545f 100644 --- a/src/keys/FileKey.cpp +++ b/src/keys/FileKey.cpp @@ -211,7 +211,10 @@ QByteArray FileKey::loadXmlKey(QXmlStreamReader& xmlReader) while (!xmlReader.error() && xmlReader.readNextStartElement()) { if (xmlReader.name() == "Data") { // TODO: do we need to enforce a specific data.size()? - data = QByteArray::fromBase64(xmlReader.readElementText().toLatin1()); + QByteArray rawData = xmlReader.readElementText().toLatin1(); + if (Tools::isBase64(rawData)) { + data = QByteArray::fromBase64(rawData); + } } } diff --git a/tests/TestKeys.cpp b/tests/TestKeys.cpp index 770af52de..b6617754a 100644 --- a/tests/TestKeys.cpp +++ b/tests/TestKeys.cpp @@ -113,6 +113,7 @@ void TestKeys::testFileKey_data() { QTest::addColumn("type"); QTest::newRow("Xml") << QString("Xml"); + QTest::newRow("XmlBrokenBase64") << QString("XmlBrokenBase64"); QTest::newRow("Binary") << QString("Binary"); QTest::newRow("Hex") << QString("Hex"); QTest::newRow("Hashed") << QString("Hashed"); diff --git a/tests/data/FileKeyXmlBrokenBase64.kdbx b/tests/data/FileKeyXmlBrokenBase64.kdbx new file mode 100644 index 0000000000000000000000000000000000000000..7c3ee30f523e6af3c77f81e98b18d2b71bbc3750 GIT binary patch literal 1582 zcmV+}2GRKg*`k_f`%AR}00RI55CAd3^5(yBLr}h01tDtuTK@wC0096100bZa@@l8? z0igSBgME#w%#h?Y!!kGv@kyQ-+yrDly>7Wv1t0(>VB#jR5qoUMz*tWCs>C8TW3>!t z-!+L{MBc$2@#R1U2mo*w00000000LN0GHD)ZF#MgIrQ=sj2w-WX9yqwZF&iGA}a9X zk*O$G|6O5BV?z->vy~&??o$hAGf==X2_OLTxpuP*#;R)AOz1LWAk5Yrg$yD~DTBi8 zRl}3~srWPs1ONg60000401XNa3X)pf-Xrz}DPOTn;{q6=KlR$WE%Dy9XcgU(!CX!H z#Dt)SZ+h>oSab@H$1vaEw*MW0?9tm-9j|9C!E`E^WNRSNYB?R|CpFRqKTR)K?Ys<) zxfQIkkr9IG8k?|u#kYo{JGGyT{}4t#OjWx>jR3^zHId6T={B|MB^1q;O0(nojcrU0 zc(Zl%W2uY7g8MY#u(trU&xZML`Qis!(Xt0(AjhGYYQSBs%I%XV4lA3?3x?*OAbGh@ zy+Fw>f$S37(n$J*qhjWluGm>8Riqq%DpHhyeVP7v2CkLW#1jm~VQ@0K^=cg!$o z>we=L9mw((BIDDJg#s~D+VB&2C02kR6$ax%%bioxz9hxaYwvw+TJQ%ddjuP-w2i^P zsqrCo76p~{M(d>ZnG0Qe7w;P&GaOf#-^A>M>fqq%D%$uBSeB?Qbv{AR;DXO^U~khC65mC<*y;zF!OSh@a`tHDii?D0R(G|grQ z<*Z~x6@I7;fK&u5U6oCDD`c7!5c=B9(aNNSoe{9EG_V<3aS0rV2~zaOWn}K7jQG6$ zrV%yJzr_=cy{xZ|g1sqMZz}JV6Q!%}oYhT)=C=e zXI&!IJV$8L&lgg5^K>B{c~o~IK)I8Za=9_<;s*b5&6iS};>{F;v! zrsDiy4(w^^hm}5Q&PfEWgzMneI^(K_j;1#%pmWL(4W9W`&h{Lnv4M&ufowP~W=e>t zk8f*Az0BCHER}6PULQe_eBcJXSrRipXn;yvS?f@2!8w9s*w(T<5vs=$w>*UieqJIksfOD37}X&Dpt>BV%|2qlr-l5h9T!Ra4gy*V{!nImf3 zyA~l3SER#7Cjbp@UYBE(~eo@!3W~$ar2&$n_SRP5%@UYVJTB1{&N>Fay4KWgP9LhRgvG0?rWEW9bmat8SAX z;xBI|ub0~y)#g-g#9OgTX2AmkGH!%u%IiN51rC~Y;OAb^@>e- z45R2E*>dXJ4n+!hC8nF5ocNx6?ws05O}BK3AlE!4nHk14MS7sL%D~@6Bl{hfn#exX z65|S3{3$;V$)NT0ItdJqf@1nq_}dXri}LjMW+i6BvIBLHHZ*Wh$mS75xkkN)fM?r6s*6p|wXfB*mh literal 0 HcmV?d00001 diff --git a/tests/data/FileKeyXmlBrokenBase64.key b/tests/data/FileKeyXmlBrokenBase64.key new file mode 100644 index 000000000..530ecec22 --- /dev/null +++ b/tests/data/FileKeyXmlBrokenBase64.key @@ -0,0 +1,9 @@ + + + + 1.00 + + + yy + + From b02ec98ec69270585c8872238cad7a2c00839845 Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 1 Nov 2015 23:23:01 +0100 Subject: [PATCH 04/12] Show AutoTypeSelectDialog on the active desktop. This wasn't always the case on X11 with virtual desktops. Closes #359 --- src/autotype/AutoTypeSelectDialog.cpp | 2 ++ 1 file changed, 2 insertions(+) diff --git a/src/autotype/AutoTypeSelectDialog.cpp b/src/autotype/AutoTypeSelectDialog.cpp index 36125dec8..50fc04fe5 100644 --- a/src/autotype/AutoTypeSelectDialog.cpp +++ b/src/autotype/AutoTypeSelectDialog.cpp @@ -33,6 +33,8 @@ AutoTypeSelectDialog::AutoTypeSelectDialog(QWidget* parent) , m_entryActivatedEmitted(false) { setAttribute(Qt::WA_DeleteOnClose); + // Places the window on the active (virtual) desktop instead of where the main window is. + setAttribute(Qt::WA_X11BypassTransientForHint); setWindowFlags(windowFlags() | Qt::WindowStaysOnTopHint); setWindowTitle(tr("Auto-Type - KeePassX")); setWindowIcon(filePath()->applicationIcon()); From 9e1ea264e20e9b616dd1ebdba18042841d9d857c Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 1 Nov 2015 23:26:40 +0100 Subject: [PATCH 05/12] Use availableGeometry() to calculate the dialog position. availableGeometry() excludes ares where windows can't be placed (e.g. panels). --- src/autotype/AutoTypeSelectDialog.cpp | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/autotype/AutoTypeSelectDialog.cpp b/src/autotype/AutoTypeSelectDialog.cpp index 50fc04fe5..3e7a24768 100644 --- a/src/autotype/AutoTypeSelectDialog.cpp +++ b/src/autotype/AutoTypeSelectDialog.cpp @@ -43,7 +43,7 @@ AutoTypeSelectDialog::AutoTypeSelectDialog(QWidget* parent) resize(size); // move dialog to the center of the screen - QPoint screenCenter = QApplication::desktop()->screenGeometry(QCursor::pos()).center(); + QPoint screenCenter = QApplication::desktop()->availableGeometry(QCursor::pos()).center(); move(screenCenter.x() - (size.width() / 2), screenCenter.y() - (size.height() / 2)); QVBoxLayout* layout = new QVBoxLayout(this); From 7839280cb386cc03a261c1ee2b465c04701fe934 Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 1 Nov 2015 23:27:57 +0100 Subject: [PATCH 06/12] Check if the tray icon is visible before minimizing to it. --- src/gui/MainWindow.cpp | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/src/gui/MainWindow.cpp b/src/gui/MainWindow.cpp index 9a06ac893..cf26f1818 100644 --- a/src/gui/MainWindow.cpp +++ b/src/gui/MainWindow.cpp @@ -446,7 +446,8 @@ void MainWindow::closeEvent(QCloseEvent* event) void MainWindow::changeEvent(QEvent *event) { if ((event->type() == QEvent::WindowStateChange) && isMinimized() - && isTrayIconEnabled() && config()->get("GUI/MinimizeToTray").toBool()) + && isTrayIconEnabled() && m_trayIcon && m_trayIcon->isVisible() + && config()->get("GUI/MinimizeToTray").toBool()) { event->ignore(); QTimer::singleShot(0, this, SLOT(hide())); From 77b4bfb14e5cdf32d64043eac840973d9e8dbca7 Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 14:31:23 +0100 Subject: [PATCH 07/12] Cleanup string argument numbers. --- src/core/FilePath.cpp | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/src/core/FilePath.cpp b/src/core/FilePath.cpp index 0a356a417..f7c4075e3 100644 --- a/src/core/FilePath.cpp +++ b/src/core/FilePath.cpp @@ -113,7 +113,7 @@ QIcon FilePath::icon(const QString& category, const QString& name, bool fromThem icon.addFile(filename, QSize(size, size)); } } - filename = QString("%1/icons/application/scalable/%3.svgz").arg(m_dataPath, combinedName); + filename = QString("%1/icons/application/scalable/%2.svgz").arg(m_dataPath, combinedName); if (QFile::exists(filename)) { icon.addFile(filename); } @@ -158,7 +158,7 @@ QIcon FilePath::onOffIcon(const QString& category, const QString& name) icon.addFile(filename, QSize(size, size), QIcon::Normal, state); } } - filename = QString("%1/icons/application/scalable/%3-%4.svgz").arg(m_dataPath, combinedName, stateName); + filename = QString("%1/icons/application/scalable/%2-%3.svgz").arg(m_dataPath, combinedName, stateName); if (QFile::exists(filename)) { icon.addFile(filename, QSize(), QIcon::Normal, state); } From 17ab438c5a29a701d31106322f9d4632c85f65fc Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 14:32:06 +0100 Subject: [PATCH 08/12] Make sure Windows doesn't load DLLs from the current working directory. --- src/core/Tools.cpp | 11 ++++++++++- src/core/Tools.h | 1 + src/main.cpp | 1 + 3 files changed, 12 insertions(+), 1 deletion(-) diff --git a/src/core/Tools.cpp b/src/core/Tools.cpp index 8ed083361..db3baa8c6 100644 --- a/src/core/Tools.cpp +++ b/src/core/Tools.cpp @@ -30,7 +30,7 @@ #endif #ifdef Q_OS_WIN -#include // for Sleep() +#include // for Sleep(), SetDllDirectoryA() and SetSearchPathMode() #endif #ifdef Q_OS_UNIX @@ -259,4 +259,13 @@ void disableCoreDumps() } } +void setupSearchPaths() +{ +#ifdef Q_OS_WIN + // Make sure Windows doesn't load DLLs from the current working directory + SetDllDirectoryA(""); + SetSearchPathMode(BASE_SEARCH_PATH_ENABLE_SAFE_SEARCHMODE); +#endif +} + } // namespace Tools diff --git a/src/core/Tools.h b/src/core/Tools.h index 3854507b5..68e9dcd39 100644 --- a/src/core/Tools.h +++ b/src/core/Tools.h @@ -40,6 +40,7 @@ void sleep(int ms); void wait(int ms); QString platform(); void disableCoreDumps(); +void setupSearchPaths(); } // namespace Tools diff --git a/src/main.cpp b/src/main.cpp index df8493acf..bf558f118 100644 --- a/src/main.cpp +++ b/src/main.cpp @@ -32,6 +32,7 @@ int main(int argc, char** argv) #ifdef QT_NO_DEBUG Tools::disableCoreDumps(); #endif + Tools::setupSearchPaths(); Application app(argc, argv); Application::setApplicationName("keepassx"); From a3b936fcd0c5c933af6af49d18939d18c459e03c Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 20:27:09 +0100 Subject: [PATCH 09/12] Coding style fixes. --- src/gui/DatabaseWidget.cpp | 5 +++-- src/gui/DatabaseWidget.h | 2 +- 2 files changed, 4 insertions(+), 3 deletions(-) diff --git a/src/gui/DatabaseWidget.cpp b/src/gui/DatabaseWidget.cpp index 088f83af9..8de842f3a 100644 --- a/src/gui/DatabaseWidget.cpp +++ b/src/gui/DatabaseWidget.cpp @@ -990,6 +990,7 @@ bool DatabaseWidget::eventFilter(QObject* object, QEvent* event) if (object == m_searchUi->searchEdit) { if (event->type() == QEvent::KeyPress) { QKeyEvent* keyEvent = static_cast(event); + if (keyEvent->matches(QKeySequence::Copy)) { // If Control+C is pressed in the search edit when no // text is selected, copy the password of the current @@ -1003,8 +1004,8 @@ bool DatabaseWidget::eventFilter(QObject* object, QEvent* event) else if (keyEvent->matches(QKeySequence::MoveToNextLine)) { // If Down is pressed at EOL in the search edit, move // the focus to the entry view. - if (!m_searchUi->searchEdit->hasSelectedText() && - m_searchUi->searchEdit->cursorPosition() == m_searchUi->searchEdit->text().length()) { + if (!m_searchUi->searchEdit->hasSelectedText() + && m_searchUi->searchEdit->cursorPosition() == m_searchUi->searchEdit->text().size()) { m_entryView->setFocus(); return true; } diff --git a/src/gui/DatabaseWidget.h b/src/gui/DatabaseWidget.h index 653c1fcae..a925606a7 100644 --- a/src/gui/DatabaseWidget.h +++ b/src/gui/DatabaseWidget.h @@ -103,7 +103,7 @@ Q_SIGNALS: void entryColumnSizesChanged(); protected: - bool eventFilter(QObject* object, QEvent* event); + bool eventFilter(QObject* object, QEvent* event) Q_DECL_OVERRIDE; public Q_SLOTS: void createEntry(); From 54fb1abb96481151401b4d59961c6eabd82d175b Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 21:03:00 +0100 Subject: [PATCH 10/12] Update changelog. --- CHANGELOG | 12 ++++++++++++ 1 file changed, 12 insertions(+) diff --git a/CHANGELOG b/CHANGELOG index 1ff391c58..112fa2c1e 100644 --- a/CHANGELOG +++ b/CHANGELOG @@ -1,3 +1,15 @@ +2.0 (2015-12-06) +========================= + +- Improve UI of the search edit. +- Clear clipboard when locking databases. [#342] +- Enable Ctrl+M shortcut to minimize the window on all platforms. [#329] +- Show a better message when trying to open an old database format. [#338] +- Fix global auto-type behavior with some window managers. +- Show global auto-type window on the active desktop. [#359] +- Disable systray on OS X. [#326] +- Restore main window when clicking on the OS X docker icon. [#326] + 2.0 Beta 2 (2015-09-06) ========================= From 94d82948f6da88d38d789db36388de8a5bd1646f Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 21:06:06 +0100 Subject: [PATCH 11/12] Update translations. --- share/translations/keepassx_cs.ts | 137 +-- share/translations/keepassx_da.ts | 87 +- share/translations/keepassx_de.ts | 16 +- share/translations/keepassx_el.ts | 1286 +++++++++++++++++++++++++ share/translations/keepassx_en.ts | 11 + share/translations/keepassx_fr.ts | 36 +- share/translations/keepassx_id.ts | 243 ++--- share/translations/keepassx_it.ts | 104 ++- share/translations/keepassx_ko.ts | 1284 +++++++++++++++++++++++++ share/translations/keepassx_lt.ts | 1287 ++++++++++++++++++++++++++ share/translations/keepassx_nl_NL.ts | 14 +- share/translations/keepassx_pl.ts | 1278 +++++++++++++++++++++++++ share/translations/keepassx_pt_BR.ts | 1282 +++++++++++++++++++++++++ share/translations/keepassx_ru.ts | 25 +- share/translations/keepassx_sl_SI.ts | 1285 +++++++++++++++++++++++++ share/translations/keepassx_sv.ts | 67 +- share/translations/keepassx_uk.ts | 1286 +++++++++++++++++++++++++ share/translations/keepassx_zh_TW.ts | 29 +- 18 files changed, 9418 insertions(+), 339 deletions(-) create mode 100644 share/translations/keepassx_el.ts create mode 100644 share/translations/keepassx_ko.ts create mode 100644 share/translations/keepassx_lt.ts create mode 100644 share/translations/keepassx_pl.ts create mode 100644 share/translations/keepassx_pt_BR.ts create mode 100644 share/translations/keepassx_sl_SI.ts create mode 100644 share/translations/keepassx_uk.ts diff --git a/share/translations/keepassx_cs.ts b/share/translations/keepassx_cs.ts index 36f7ba2dc..dc59db55a 100644 --- a/share/translations/keepassx_cs.ts +++ b/share/translations/keepassx_cs.ts @@ -9,16 +9,20 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX je šířeno za podmínek licence GNU General Public License (GPL) verze 2 a (případně) 3. + + Revision + Revize + AutoType Auto-Type - KeePassX - Samočinné vyplňování – KeePassX + Automatické vyplňování – KeePassX Couldn't find an entry that matches the window title: - Nelze nalézt položku, která by se shodovala s titulkem okna: + Nedaří se nalézt položku, která by se shodovala s titulkem okna: @@ -40,11 +44,11 @@ AutoTypeSelectDialog Auto-Type - KeePassX - Samočinné vyplňování – KeePassX + Automatické vyplňování – KeePassX Select entry to Auto-Type: - Vyberte položku, kterou se bude samočinně vyplňovat: + Vyberte položku, kterou se bude automaticky vyplňovat: @@ -91,7 +95,7 @@ Unable to create Key File : - Nelze vytvořit soubor s klíčem : + Nedaří se vytvořit soubor s klíčem : Select a key file @@ -107,7 +111,7 @@ Different passwords supplied. - Nepodařilo se vám zadat heslo tak, aby jeho znění bylo stejné v obou políčkách. + Nepodařilo se vám zadat heslo do obou kolonek stejně. Failed to set key file @@ -144,7 +148,7 @@ Unable to open the database. - Databázi nebylo možné otevřít. + Databázi se nepodařilo otevřít. Can't open key file @@ -183,7 +187,7 @@ Use recycle bin: - Mazat do Koše: + Namísto mazání přesouvat do Koše: MiB @@ -210,7 +214,7 @@ KeePass 2 Database - Databáze aplikace KeePass 2 + Databáze aplikace KeePass verze 2 All files @@ -230,11 +234,11 @@ Open KeePass 1 database - Otevřít databázi aplikace KeePass 1 + Otevřít databázi aplikace KeePass verze 1 KeePass 1 database - Databáze aplikace KeePass 1 + Databáze aplikace KeePass verze 1 All files (*) @@ -298,7 +302,7 @@ Pokud chcete změny dokončit, klikněte na Zrušit. V opačném případě změ This database has never been saved. You can save the database or stop locking it. Tato databáze doposud ještě nebyla uložena. -Buď ji můžete uložit, nebo neuzamknout. +Buď ji můžete uložit, nebo neuzamykat. This database has been modified. @@ -306,24 +310,31 @@ Do you want to save the database before locking it? Otherwise your changes are lost. Tato databáze byla upravena. Chcete ji před uzamčením uložit? -Pokud ne, změny budou ztraceny. +Pokud ne, provedené změny budou ztraceny. "%1" is in edit mode. Discard changes and close anyway? - + %1 je právě upravováno. +Přesto zavřít a zahodit změny? Export database to CSV file - + Exportovat databázi do CSV souboru CSV file - + CSV soubor Writing the CSV file failed. - + Zápis do CSV souboru se nezdařil. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Databáze, kterou se pokoušíte uložit, je uzamčena jinou instancí KeePassX. +Přesto uložit? @@ -374,7 +385,7 @@ Discard changes and close anyway? Unable to calculate master key - Nebylo možné vypočítat hlavní klíč + Nepodařilo se spočítat hlavní klíč @@ -393,7 +404,7 @@ Discard changes and close anyway? Auto-Type - Samočinné vyplňování + Automatické vyplňování Properties @@ -433,7 +444,7 @@ Discard changes and close anyway? Unable to open file - Soubor nelze otevřít + Soubor se nedaří otevřít Save attachment @@ -442,7 +453,7 @@ Discard changes and close anyway? Unable to save the attachment: - Přílohu nelze uložit: + Přílohu se nedaří uložit: @@ -497,15 +508,15 @@ Discard changes and close anyway? EditEntryWidgetAutoType Enable Auto-Type for this entry - Zapnout samočinné vyplňování této položky + Zapnout automatické vyplňování této položky Inherit default Auto-Type sequence from the group - Převzít výchozí posloupnost samočinného vyplňování ze skupiny + Převzít výchozí posloupnost automatického vyplňování od skupiny Use custom Auto-Type sequence: - Použít vlastní posloupnost samočinného vyplňování: + Použít vlastní posloupnost automatického vyplňování: + @@ -618,7 +629,7 @@ Discard changes and close anyway? Inherit from parent group (%1) - Převzít z nadřazené skupiny (%1) + Převzít od nadřazené skupiny (%1) @@ -641,15 +652,15 @@ Discard changes and close anyway? Auto-type - Samočinné vyplňování + Automatické vyplňování Use default auto-type sequence of parent group - Použít výchozí posloupnost samočinného vyplňování z nadřazené skupiny + Použít výchozí posloupnost automatického vyplňování z nadřazené skupiny Set default auto-type sequence - Nastavit výchozí posloupnost samočinného vyplňování + Nastavit výchozí posloupnost automatického vyplňování @@ -660,15 +671,15 @@ Discard changes and close anyway? Use custom icon - Použít vlastní ikonu + Použít svou vlastní ikonu Add custom icon - Přidat vlastní ikonu + Přidat svou vlastní ikonu Delete custom icon - Smazat vlastní ikonu + Smazat svou vlastní ikonu Images @@ -688,7 +699,7 @@ Discard changes and close anyway? Can't delete icon. Still used by %n item(s). - Ikonu není možné smazat. Je používána %n položkou.Ikonu není možné smazat. Je používána %n položkami.Ikonu není možné smazat. Je používána %n položek + Ikonu není možné smazat. Je používána %n položkou.Ikonu není možné smazat. Je používána %n položkami.Ikonu není možné smazat. Používá ji %n položek @@ -699,15 +710,15 @@ Discard changes and close anyway? Modified: - Okamžik poslední úpravy: + Okamžik minulé úpravy: Accessed: - Okamžik posledního přístupu: + Okamžik minulého přístupu: Uuid: - Jedinečný identifikátor uživatele: + Univerzálně jedinečný identifikátor: @@ -721,7 +732,7 @@ Discard changes and close anyway? EntryHistoryModel Last modified - Okamžik poslední změny + Okamžik minulé změny Title @@ -766,7 +777,7 @@ Discard changes and close anyway? KeePass1OpenWidget Import KeePass1 database - Importovat databázi aplikace KeePass 1 + Importovat databázi aplikace KeePass verze 1 Error @@ -801,7 +812,7 @@ Discard changes and close anyway? Unable to calculate master key - Nelze spočítat hlavní klíč + Nedaří se spočítat hlavní klíč @@ -820,7 +831,7 @@ Discard changes and close anyway? Unable to calculate master key - Nelze spočítat hlavní klíč + Nedaří se spočítat hlavní klíč @@ -926,7 +937,7 @@ Discard changes and close anyway? Import KeePass 1 database - Importovat databázi aplikace KeePass 1 + Importovat databázi aplikace KeePass verze 1 Clone entry @@ -950,7 +961,7 @@ Discard changes and close anyway? Perform Auto-Type - Provést samočinné vyplnění + Provést automatické vyplnění Open URL @@ -990,15 +1001,15 @@ Discard changes and close anyway? Copy username - + Zkopírovat uživatelské jméno Copy password - + Zkopírovat heslo Export to CSV file - + Exportovat do CSV souboru @@ -1056,11 +1067,11 @@ Discard changes and close anyway? Unknown option '%1'. - Neznámá volba %1. + Neznámá předvolba %1. Unknown options: %1. - Neznámé volby: %1. + Neznámé předvolby: %1. Missing value after '%1'. @@ -1072,7 +1083,7 @@ Discard changes and close anyway? [options] - [volby] + [předvolby] Usage: %1 @@ -1080,7 +1091,7 @@ Discard changes and close anyway? Options: - Volby: + Předvolby: Arguments: @@ -1110,15 +1121,15 @@ Discard changes and close anyway? Error writing to underlying device: - Při zápisu na zařízení, na kterém se nachází, došlo k chybě: + Došlo k chybě při zápisu na zařízení, na kterém se nachází: Error opening underlying device: - Při otevírání zařízení, na kterém se nachází, došlo k chybě: + Došlo k chybě při otevírání zařízení, na kterém se nachází: Error reading data from underlying device: - Při čtení dat ze zařízení, na kterém se nachází, došlo k chybě: + Došlo k chybě při čtení dat ze zařízení, na kterém se nachází: Internal zlib error when decompressing: @@ -1182,27 +1193,27 @@ Discard changes and close anyway? Automatically save on exit - Před ukončením aplikace provést samočinné uložení případných změn v otevřených databázích + Před ukončením aplikace automaticky uložit případné změny Automatically save after every change - Po každé změně okamžitě samočinně uložit + Po každé změně hned automaticky uložit Minimize when copying to clipboard - Po zkopírování atributu do schránky samočinně minimalizovat okno KeePassX (do popředí se tak dostane okno, do kterého se zkopírovaný atribut bude vkládat) + Po zkopírování údaje do schránky automaticky minimalizovat okno KeePassX (do popředí se tak dostane okno, do kterého se zkopírovaný údaj bude vkládat) Use group icon on entry creation - Při vytváření položky použít ikonu skupiny + Pro vytvářenou položku použít ikonu skupiny, do které spadá Global Auto-Type shortcut - Klávesová zkratka pro všeobecné samočinné vyplňování + Klávesová zkratka pro všeobecné automatické vyplňování Use entry title to match windows for global auto-type - Použít titulek položky pro porovnání s okny pro všeobecné samočinné vyplňování + Všeobecné automatické vyplňování provádět na základě shody titulku položky s titulkem okna. Language @@ -1210,11 +1221,11 @@ Discard changes and close anyway? Show a system tray icon - Zobrazit ikonu v oznamovací oblasti hlavního panelu prostředí + Zobrazit ikonu v oznamovací oblasti systémového panelu Hide window to system tray when minimized - Minimalizovat okno aplikace do oznamovací oblasti hlavního panelu prostředí + Minimalizovat okno aplikace do oznamovací oblasti systémového panelu Remember last key files @@ -1225,7 +1236,7 @@ Discard changes and close anyway? SettingsWidgetSecurity Clear clipboard after - Vyčistit schránku po uplynutí + Vymazat obsah schránky po uplynutí sec @@ -1241,7 +1252,7 @@ Discard changes and close anyway? Always ask before performing auto-type - Před provedením samočinného vyplnění se vždy dotázat + Před provedením automatického vyplnění se vždy dotázat @@ -1272,10 +1283,6 @@ Discard changes and close anyway? path to a custom config file umístění souboru s vlastními nastaveními - - password of the database (DANGEROUS!) - heslo k databázi (NEBEZPEČNÉ!) - key file of the database soubor s klíčem k databázi diff --git a/share/translations/keepassx_da.ts b/share/translations/keepassx_da.ts index b97c589ca..d66ed8fa0 100644 --- a/share/translations/keepassx_da.ts +++ b/share/translations/keepassx_da.ts @@ -9,12 +9,16 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX distribueres under betingelserne i GNU General Public License (GPL) version 2 eller (efter eget valg) version 3. + + Revision + Revision + AutoType Auto-Type - KeePassX - + Auto-indsæt - KeePassX Couldn't find an entry that matches the window title: @@ -40,26 +44,26 @@ AutoTypeSelectDialog Auto-Type - KeePassX - + Auto-indsæt - KeePassX Select entry to Auto-Type: - + Vælg post til Auto-Indsæt: ChangeMasterKeyWidget Password - Adgangskode + Kodeord Enter password: - Indtast adgangskode + Indtast kodeord Repeat password: - Gentag adgangskode + Gentag kodeord Key file @@ -103,11 +107,11 @@ Do you really want to use an empty string as password? - Vil du virkelig bruge en tom streng som adgangskode? + Vil du virkelig bruge en tom streng som kodeord? Different passwords supplied. - Andre adgangskoder leveret. + Andre kodeord leveret. Failed to set key file @@ -132,7 +136,7 @@ Password: - Adgangskode: + Kodeord: Browse @@ -175,7 +179,7 @@ Transform rounds: - + Transformationsrunder: Default username: @@ -195,7 +199,7 @@ Max. history items: - + Maks. posthistorik: Max. history size: @@ -307,7 +311,8 @@ Ellers mister du dine ændringer. "%1" is in edit mode. Discard changes and close anyway? - + "%1" er i redigeringstilstand. +Kassér ændringer og luk alligevel? Export database to CSV file @@ -321,6 +326,12 @@ Discard changes and close anyway? Writing the CSV file failed. Kan ikke skrive til CSV-fil. + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Databasen som du prøver at gemme er låst af en anden instans af KeePassX. +Vil du alligevel gemme? + DatabaseWidget @@ -389,7 +400,7 @@ Discard changes and close anyway? Auto-Type - + Auto-Indsæt Properties @@ -401,7 +412,7 @@ Discard changes and close anyway? Entry history - + Indtastningshistorik Add entry @@ -417,7 +428,7 @@ Discard changes and close anyway? Different passwords supplied. - Andre adgangskoder leveret. + Andre kodeord leveret. New attribute @@ -492,15 +503,15 @@ Discard changes and close anyway? EditEntryWidgetAutoType Enable Auto-Type for this entry - + Aktivér Auto-Indsæt for denne post Inherit default Auto-Type sequence from the group - + Nedarv standard Auto-Indsæt sekvens fra gruppe Use custom Auto-Type sequence: - + Brug brugerdefineret Auto-indsæt sekvens: + @@ -554,7 +565,7 @@ Discard changes and close anyway? Password: - Adgangskode: + Kodeord: Repeat: @@ -562,7 +573,7 @@ Discard changes and close anyway? Gen. - + Generer URL: @@ -636,15 +647,15 @@ Discard changes and close anyway? Auto-type - + Auto-indsæt Use default auto-type sequence of parent group - + Brug standard Auto-Indsæt sekvens fra forældregruppe Set default auto-type sequence - + Definér standard auto-indsæt sekvens @@ -803,7 +814,7 @@ Discard changes and close anyway? KeePass2Reader Not a KeePass database. - Det er ikke en KeePass database. + Dette er ikke en KeePass database. Unsupported KeePass database version. @@ -937,7 +948,7 @@ Discard changes and close anyway? Copy password to clipboard - Kopiér adgangskode til udklipsholder + Kopiér kodeord til udklipsholder Settings @@ -945,7 +956,7 @@ Discard changes and close anyway? Perform Auto-Type - + Udfør Auto-indsæt Open URL @@ -985,11 +996,11 @@ Discard changes and close anyway? Copy username - Kopiér adgangskode + Kopiér brugernavn Copy password - Kopiér adgangskode + Kopiér kodeord Export to CSV file @@ -1000,7 +1011,7 @@ Discard changes and close anyway? PasswordGeneratorWidget Password: - Adgangskode: + Kodeord: Length: @@ -1008,7 +1019,7 @@ Discard changes and close anyway? Character Types - + Tegntyper Upper Case Letters @@ -1032,7 +1043,7 @@ Discard changes and close anyway? Ensure that the password contains characters from every group - Vær sikker på at din adgangskode indeholder tegn fra alle grupper + Vær sikker på at dit kodeord indeholder tegn fra alle grupper Accept @@ -1193,11 +1204,11 @@ Discard changes and close anyway? Global Auto-Type shortcut - + Global Auto-Indsæt genvej Use entry title to match windows for global auto-type - + Brug titel på post til at matche global aito-indsæt Language @@ -1232,11 +1243,11 @@ Discard changes and close anyway? Show passwords in cleartext by default - Vis adgangskoder i klartekst som standard + Vis kodeord i klartekst som standard Always ask before performing auto-type - + Spørg altid før auto-indsæt @@ -1257,7 +1268,7 @@ Discard changes and close anyway? main KeePassX - cross-platform password manager - + KeePassX - cross-platform password manager filename of the password database to open (*.kdbx) @@ -1267,10 +1278,6 @@ Discard changes and close anyway? path to a custom config file sti til brugerdefineret indstillingsfil - - password of the database (DANGEROUS!) - adgangskode til databasen (FAARLIGT!) - key file of the database databasens nøglefil diff --git a/share/translations/keepassx_de.ts b/share/translations/keepassx_de.ts index f4028469a..b4dcc6c5a 100644 --- a/share/translations/keepassx_de.ts +++ b/share/translations/keepassx_de.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX steht unter der GNU General Public License (GPL) version 2 (version 3). + + Revision + Überarbeitung + AutoType @@ -320,6 +324,12 @@ Discard changes and close anyway? Writing the CSV file failed. Die CSV Datei konnte nicht gespeichert werden. + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Die Datenbank, die gespeichert werden soll, ist von einer anderen Instanz von KeePassX blockiert. +Soll sie dennoch gespeichert werden? + DatabaseWidget @@ -1231,7 +1241,7 @@ Discard changes and close anyway? Show passwords in cleartext by default - Passwort standartmäßig in Klartext anzeigen + Passwörter standardmäßig in Klartext anzeigen Always ask before performing auto-type @@ -1266,10 +1276,6 @@ Discard changes and close anyway? path to a custom config file Pfad zu einer benutzerdefinierten Konfigurationsdatei - - password of the database (DANGEROUS!) - Passwort der Datenbank (GEFÄHRLICH!) - key file of the database Schlüsseldatei der Datenbank diff --git a/share/translations/keepassx_el.ts b/share/translations/keepassx_el.ts new file mode 100644 index 000000000..be7ff16f7 --- /dev/null +++ b/share/translations/keepassx_el.ts @@ -0,0 +1,1286 @@ + + + AboutDialog + + About KeePassX + Σχετικά με το KeepPassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + + + + Revision + Αναθεώρηση + + + + AutoType + + Auto-Type - KeePassX + Αυτόματη-Γραφή - KeePassX + + + Couldn't find an entry that matches the window title: + Αποτυχία να βρεθεί μια καταχώρηση που να ταιριάζει με τον τίτλο του παραθύρου: + + + + AutoTypeAssociationsModel + + Window + Παράθυρο + + + Sequence + Ακολουθεία + + + Default sequence + Προεπιλεγμένη ακολουθεία + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Αυτόματη-Γραφή - KeePassX + + + Select entry to Auto-Type: + Επιλέξτε καταχώρηση για αυτόματη γραφή: + + + + ChangeMasterKeyWidget + + Password + Κωδικός + + + Enter password: + Εισάγετε κωδικό: + + + Repeat password: + Επαναλάβετε τον κωδικό: + + + Key file + Αρχείο κλειδί + + + Browse + Αναζήτηση + + + Create + Δημιουργία + + + Key files + Αρχεία κλειδιά + + + All files + Όλα τα αρχεία + + + Create Key File... + Δημιουργεία αρχείου κλειδιού... + + + Error + Σφάλμα + + + Unable to create Key File : + Αποτυχία δημιουργεία αρχείου κλειδιού: + + + Select a key file + Επιλέξτε ένα αρχείο κλειδί + + + Question + Ερώτηση + + + Do you really want to use an empty string as password? + Θέλετε στα αλήθεια να χρησιμοποιήσετε μια άδεια σειρά σαν κωδικό; + + + Different passwords supplied. + Έχετε εισάγει διαφορετικούς κωδικούς. + + + Failed to set key file + Αποτυχία ορισμού αρχείου κλειδιού + + + Failed to set %1 as the Key file: +%2 + Αποτυχία ορισμού του %1 ως αρχείου κλειδιού + + + + DatabaseOpenWidget + + Enter master key + + + + Key File: + Αρχείο κλειδί: + + + Password: + Κωδικός: + + + Browse + Αναζήτηση + + + Error + Σφάλμα + + + Unable to open the database. + Αδύνατο να ανοιχτεί η βάση δεδομένων. + + + Can't open key file + Αποτυχία ανοίγματος αρχείο κλειδιού + + + All files + Όλα τα αρχεία + + + Key files + Αρχεία κλειδιά + + + Select key file + Επιλέξτε αρχείο κλειδί + + + + DatabaseSettingsWidget + + Database name: + Όνομα βάσης δεδομένων: + + + Database description: + Περιγραφή βάσης δεδομένων: + + + Transform rounds: + Μετατρεπόμενοι γύροι: + + + Default username: + Προεπιλεγμένο όνομα χρήστη: + + + Use recycle bin: + Χρήση καλαθιού αχρήστων: + + + MiB + MiB + + + Benchmark + + + + Max. history items: + Μέγιστα αντικείμενα ιστορικού: + + + Max. history size: + Μέγιστο μέγεθος ιστορικού: + + + + DatabaseTabWidget + + Root + + + + KeePass 2 Database + Βάση Δεδομένων KeePass 2 + + + All files + Όλα τα αρχεία + + + Open database + Άνοιγμα βάσης δεδομένων + + + Warning + Προειδοποίηση + + + File not found! + Αρχείο δεν βρέθηκε! + + + Open KeePass 1 database + Άνοιγμα βάσης δεδομένων KeePass 1 + + + KeePass 1 database + Βάση δεδομένων KeePass 1 + + + All files (*) + Όλα τα αρχεία (*) + + + Close? + Κλείσιμο; + + + Save changes? + Αποθήκευση αλλαγών; + + + "%1" was modified. +Save changes? + "%1" έχει τροποποιηθή. +Αποθήκευση αλλαγών; + + + Error + Σφάλμα + + + Writing the database failed. + + + + Save database as + Αποθήκευση βάσης δεδομένων σαν + + + New database + Νέα βάση δεδομένων + + + locked + κλειδωμένο + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + Η βάση δεδομένω που προσπαθείται να ανοίξετε ειναι κλειδωμένη από μια άλλη διεργασία του KeePassX. +Θέλετε να την ανοίξετε ούτως η άλλως; Αλλίως η βαση δεδομένων θα ανοιχτή μόνο για ανάγνωση. + + + Lock database + Κλείδωμα βάσης δεδομένων + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Η βάση δεδομένων δεν μπορεί να κλειδωθεί γιατί την επεξεργάζεται αυτην την στιγμή. +Παρακαλώ πατήστε άκυρο για να αποθηκεύσετε τις αλλαγές σας η να τις απορρίψετε. + + + This database has never been saved. +You can save the database or stop locking it. + Αυτή η βάση δεδομένων δεν έχει αποθηκευτεί ποτέ. +Μπορείται να την αποθηκεύσετε ή να σταματήσετε να την κλειδώνετε. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + Αυτή η βάση δεδομένων έχει αλλάξει. +Θέλετε να αποθηκεύσετε τις αλλαγές σας πρίν την κλειδώσετε: +Αλλιώς οι αλλαγές σας θα χαθούν. + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1" είναι σε λειτουργεία επεξεργασίας. +Απόρριψη αλλαγών και κλείσιμο ούτως η άλλως; + + + Export database to CSV file + Εξαγωγή βάσης δεδομένων σε αρχείο CSV + + + CSV file + αρχείο CSV + + + Writing the CSV file failed. + Γράψιμο στο αρχείο CSV απέτυχε. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Η βάση δεδομένων που πρασπαθείται να αποθηκεύσετε είναι κλειδωμένη από μία άλλη διεργασία KeePassX. +Θέλετε να την αποθηκεύσετε ούτως η άλλως; + + + + DatabaseWidget + + Change master key + + + + Delete entry? + Διαγραφή καταχώρησης; + + + Do you really want to delete the entry "%1" for good? + Θέλετε πραγματικά να διαγράψετε την καταχώρηση "%1" μόνιμα; + + + Delete entries? + Διαγραφή καταχωρήσεων; + + + Do you really want to delete %1 entries for good? + Θέλετε πραγματικά να διαγράψετε %1 καταχωρήσεις για πάντα; + + + Move entries to recycle bin? + Μετακίνηση καταχωρήσεων στο καλάθι των αχρήστων; + + + Do you really want to move %n entry(s) to the recycle bin? + + + + Delete group? + Διαγραφή ομάδας; + + + Do you really want to delete the group "%1" for good? + Θέλετε στα αλήθεια να διαγράψετε την ομάδα "%1" μόνιμα; + + + Current group + Τρέχων ομάδα + + + Error + Σφάλμα + + + Unable to calculate master key + + + + + EditEntryWidget + + Entry + Καταχώρηση + + + Advanced + Για προχωρημένους + + + Icon + Εικονίδιο + + + Auto-Type + Αυτόματη-Γραφή + + + Properties + Ιδιότητες + + + History + Ιστορικό + + + Entry history + Ιστορικό καταχωρήσεων + + + Add entry + Πρόσθεση καταχώρησης + + + Edit entry + Επεξεργασία καταχώρησης + + + Error + Σφάλμα + + + Different passwords supplied. + Παρέχονται διαφορετικοί κωδικοί. + + + New attribute + Νέο χαρακτηριστικό + + + Select file + Επιλογή αρχείου + + + Unable to open file + Αποτυχία ανοίγματος αρχείου + + + Save attachment + Αποθήκευση συνημμένου + + + Unable to save the attachment: + + Αποτυχία αποθήκευσης συνημμένου. + + + + Tomorrow + Αύριο + + + %n week(s) + + + + %n month(s) + + + + 1 year + 1 χρόνο + + + + EditEntryWidgetAdvanced + + Additional attributes + Πρόσθετα χαρακτηριστικά + + + Add + Πρόσθεση + + + Edit + Επεξεργασία + + + Remove + Αφαίρεση + + + Attachments + Συνημμένα + + + Save + Αποθήκευση + + + Open + Άνοιγμα + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Ενεργοποίηση Αυτόματης-Γραφής για αυτήν την καταχώρηση + + + Inherit default Auto-Type sequence from the group + Χρησιμοποίηση προεπιλεγμένης ακολουθείας Αυτόματης-Γραφής απο την ομάδα + + + Use custom Auto-Type sequence: + Χρησιμοποίηση προσαρμοσμένης ακολουθείας Αυτόματης Γραφής: + + + + + + + + + - + - + + + Window title: + Τίτλος Παραθύρου: + + + Use default sequence + Χρησιμοποίηση προεπιλεγμένης ακολουθείας + + + Set custom sequence: + Ορισμός προσαρμοσμένης ακολουθείας: + + + + EditEntryWidgetHistory + + Show + Εμφάνιση + + + Restore + Επαναφορά + + + Delete + Διαγραφή + + + Delete all + Διαγραφή όλων + + + + EditEntryWidgetMain + + Title: + Τίτλος: + + + Username: + Όνομα χρήστη: + + + Password: + Κωδικός: + + + Repeat: + Επαναλάβετε: + + + Gen. + + + + URL: + URL: + + + Expires + Λήγει + + + Presets + Προεπιλογές + + + Notes: + Σημειώσεις: + + + + EditGroupWidget + + Group + Όμαδα + + + Icon + Εικονίδιο + + + Properties + Ιδιότητες + + + Add group + Πρόσθεση Ομάδας + + + Edit group + Επεξεργασία ομάδας + + + Enable + Ενεργοποίηση + + + Disable + Απενεργοποίηση + + + Inherit from parent group (%1) + + + + + EditGroupWidgetMain + + Name + Όνομα + + + Notes + Σημειώσεις + + + Expires + Λήγει + + + Search + Αναζήτηση + + + Auto-type + Αυτόματη-γραφή + + + Use default auto-type sequence of parent group + Χρησιμοποίηση προεπιλεγμένης ακολουθείας αυτόματης γραφής της μητρικής ομάδας + + + Set default auto-type sequence + Ορισμός προεπιλεγμένης ακολουθείας αυτόματης-γραφής + + + + EditWidgetIcons + + Use default icon + Χρήση προεπιλεγμένου εικονιδίου + + + Use custom icon + Χρήση προσαρμοσμένου εικονιδίου + + + Add custom icon + Πρόσθεση προσαρμοσμένου εικονιδίου + + + Delete custom icon + Διαγραφή προσαρμοσμένου εικονιδίου + + + Images + Εικόνες + + + All files + Όλα τα αρχεία + + + Select Image + Επιλογή εικόνας + + + Can't delete icon! + Αποτυχία διαγραφής εικονίδιου! + + + Can't delete icon. Still used by %n item(s). + + + + + EditWidgetProperties + + Created: + Δημιουργήθηκε: + + + Modified: + Τροποποιήθηκε: + + + Accessed: + Προσπελάστηκε: + + + Uuid: + + + + + EntryAttributesModel + + Name + Όνομα + + + + EntryHistoryModel + + Last modified + Τελευταία τροποποίηση + + + Title + Τίτλος + + + Username + Όνομα χρήστη + + + URL + URL + + + + EntryModel + + Group + Όμαδα + + + Title + Τίτλος + + + Username + Όνομα χρήστη + + + URL + URL + + + + Group + + Recycle Bin + Καλάθι ανακύκλωσης + + + + KeePass1OpenWidget + + Import KeePass1 database + Εισαγωγή βάσης δεδομένων KeePass1 + + + Error + Σφάλμα + + + Unable to open the database. + Αποτυχία ανοίγματος βάσης δεδομένων. + + + + KeePass1Reader + + Unable to read keyfile. + Αποτυχία διαβάσματος αρχείου κλειδιού. + + + Not a KeePass database. + Δεν ειναι βάση δεδομένων KeePass. + + + Unsupported encryption algorithm. + Μη υποστηριζόμενος αλογόριθμος κρυπτογράφησης. + + + Unsupported KeePass database version. + Μη υποστηριζόμενη έκδοση βάσης δεδομένων KeePass. + + + Root + + + + Unable to calculate master key + + + + + KeePass2Reader + + Not a KeePass database. + Δεν είναι βάση δεδομένων KeePass. + + + Unsupported KeePass database version. + Μη υποστηριζόμενη έκδοση βάσης δεδομένων KeePass. + + + Wrong key or database file is corrupt. + Λάθος κλειδί ή το άρχειο της βάσης δεδομένων είναι κατεστραμένο. + + + Unable to calculate master key + + + + + Main + + Fatal error while testing the cryptographic functions. + + + + KeePassX - Error + KeePassX - Σφάλμα + + + + MainWindow + + Database + Βάση Δεδομένων + + + Recent databases + Πρόσφατες βάσεις δεδομένων + + + Help + Βοήθεια + + + Entries + Καταχωρήσεις + + + Copy attribute to clipboard + Αντιγραφή χαρακτηριστικού στο πρόχειρο + + + Groups + Ομάδες + + + View + Προβολή + + + Quit + Έξοδος + + + About + Σχετικά + + + Open database + Άνοιγμα Βάσης Δεδομένων + + + Save database + Αποθήκευση Βάσης Δεδομένων + + + Close database + Κλείσιμο Βάσης Δεδομένων + + + New database + Νέα Βάση Δεδομένων + + + Add new entry + Πρόσθεση νέα καταχώρησης + + + View/Edit entry + Προβολή/επεξεργασία καταχώρησης + + + Delete entry + Διαγραφή Καταχώρησης + + + Add new group + Πρόσθεση νέας ομάδας + + + Edit group + Επεξεργασία Ομάδας + + + Delete group + Διαγραφή ομάδας + + + Save database as + Αποθήκευση βάσης δεδομένων ως + + + Change master key + + + + Database settings + Ρυθμίσεις βάσης δεδομένων + + + Import KeePass 1 database + Εισαγωγή βάσης δεδομένων KeePass1 + + + Clone entry + Κλωνοποίηση Καταχώρησης + + + Find + Εύρεση + + + Copy username to clipboard + Αντιγραφή όνομα χρήστη στο πρόχειρο + + + Copy password to clipboard + Αντιγραφή κωδικού στο πρόχειρο + + + Settings + Ρύθμίσεις + + + Perform Auto-Type + Εκτέλεση Αυτόματης-Γραφής + + + Open URL + Άνοιγμα ιστοσελίδας + + + Lock databases + Κλείδωμα βάσεων δεδομένων + + + Title + Τίτλος + + + URL + URL + + + Notes + Σημειώσεις + + + Show toolbar + Εμφάνιση γραμμής εργαλείων + + + read-only + Μόνο για ανάγνωση + + + Toggle window + Εναλλαγή παραθύρων + + + Tools + Εργαλεία + + + Copy username + Αντιγραφή όνομα χρήστη + + + Copy password + Αντιγραφή κωδικού + + + Export to CSV file + Εξαγωγή σε αρχείο CSV + + + + PasswordGeneratorWidget + + Password: + Κωδικός: + + + Length: + Μήκος: + + + Character Types + Τύποι χαρακτήρων + + + Upper Case Letters + Κεφαλαία γράμματα + + + Lower Case Letters + Πεζά γράμματα + + + Numbers + Αριθμοί + + + Special Characters + Ειδικοί χαρακτήρες + + + Exclude look-alike characters + Εξαίρεση χαρακτήρων που μοίαζουν + + + Ensure that the password contains characters from every group + Βεβαιωθείται οτι ο κωδικός περιέχει χαρακτήρες απο κάθε ομάδα + + + Accept + Αποδοχή + + + + QCommandLineParser + + Displays version information. + Προβολή πληροφοριών έκδοσης. + + + Displays this help. + Δείχνει αυτήν την βοήθεια. + + + Unknown option '%1'. + + + + Unknown options: %1. + + + + Missing value after '%1'. + + + + Unexpected value after '%1'. + + + + [options] + [επιλογές] + + + Usage: %1 + Χρήση: %1 + + + Options: + Επιλογές: + + + Arguments: + Επιχειρήματα: + + + + QSaveFile + + Existing file %1 is not writable + + + + Writing canceled by application + + + + Partial write. Partition full? + + + + + QtIOCompressor + + Internal zlib error when compressing: + + + + Error writing to underlying device: + + + + Error opening underlying device: + + + + Error reading data from underlying device: + + + + Internal zlib error when decompressing: + + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + + + + Internal zlib error: + + + + + SearchWidget + + Find: + Εύρεση + + + Case sensitive + + + + Current group + Τρέχων ομάδα + + + Root group + + + + + SettingsWidget + + Application Settings + Ρυθμίσεις Εφαρμογής + + + General + + + + Security + Ασφάλεια + + + + SettingsWidgetGeneral + + Remember last databases + + + + Open previous databases on startup + Άνοιγμα προηγούμενων βάσεω δεδομένων κατα την εκκίνηση + + + Automatically save on exit + Αυτόματη αποθήκευση κατα την έξοδο + + + Automatically save after every change + Αυτόματη Αποθήκευση μετά απο κάθε αλλαγή + + + Minimize when copying to clipboard + Ελαχιστοποίηση οταν αντιγράφετε στο πρόχειρο + + + Use group icon on entry creation + Χρησιμοποίηση εικονιδίου ομάδας κατα την δημιουργία καταχώρησης + + + Global Auto-Type shortcut + + + + Use entry title to match windows for global auto-type + + + + Language + Γλώσσα + + + Show a system tray icon + + + + Hide window to system tray when minimized + + + + Remember last key files + + + + + SettingsWidgetSecurity + + Clear clipboard after + Εκκαθάριση πρόχειρου μετά από + + + sec + δευτερόλεπτα + + + Lock databases after inactivity of + Κλείδωμα βάσης δεδομένων μετα απο ανενεργεία + + + Show passwords in cleartext by default + + + + Always ask before performing auto-type + Πάντα να ρωτάτε πριν να εκτελείται η αυτόματη γραφή + + + + UnlockDatabaseWidget + + Unlock database + Ξεκλείδωμα βάσης δεδομένων + + + + WelcomeWidget + + Welcome! + Καλως ήρθατε! + + + + main + + KeePassX - cross-platform password manager + + + + filename of the password database to open (*.kdbx) + Όνομα της βάσης δεδομένων κωδικών για άνοιγμα (*.kdbx) + + + path to a custom config file + + + + key file of the database + Αρχείο κλειδί της βάσεως δεδομένων + + + \ No newline at end of file diff --git a/share/translations/keepassx_en.ts b/share/translations/keepassx_en.ts index 3c5a4c49a..07fcb3e17 100644 --- a/share/translations/keepassx_en.ts +++ b/share/translations/keepassx_en.ts @@ -15,6 +15,10 @@ Revision + + Using: + + AutoType @@ -833,6 +837,13 @@ Do you want to save it anyway? Unable to calculate master key + + The selected file is an old KeePass 1 database (.kdb). + +You can import it by clicking on Database > 'Import KeePass 1 database'. +This is a one-way migration. You won't be able to open the imported database with the old KeePassX 0.4 version. + + Main diff --git a/share/translations/keepassx_fr.ts b/share/translations/keepassx_fr.ts index c1435cdf1..66311609a 100644 --- a/share/translations/keepassx_fr.ts +++ b/share/translations/keepassx_fr.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX est distribué selon les conditions de la GNU General Public License (GPL) version 2 ou (à votre choix) version 3. + + Revision + Version + AutoType @@ -25,7 +29,7 @@ AutoTypeAssociationsModel Window - Fenêtre + Fenêtre Sequence @@ -187,7 +191,7 @@ MiB - MiB + MiB Benchmark @@ -226,7 +230,7 @@ File not found! - Fichier introuvable! + Fichier introuvable ! Open KeePass 1 database @@ -260,7 +264,7 @@ Enregistrer les modifications ? Writing the database failed. - Une erreur s'est produite lors de l'écriture de la base de données. + Une erreur s'est produite lors de l'écriture de la base de données. Save database as @@ -322,6 +326,12 @@ Ignorer les changements et fermer ? Writing the CSV file failed. Échec de l'écriture du fichier CSV. + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + La base de données que vous essayez de sauvegarder a été verrouillée par une autre instance de KeePassX. +Voulez-vous quand même la sauvegarder ? + DatabaseWidget @@ -394,7 +404,7 @@ Ignorer les changements et fermer ? Properties - Propriétés + Propriétés History @@ -463,7 +473,7 @@ Ignorer les changements et fermer ? EditEntryWidgetAdvanced Additional attributes - Attributs supplémentaires + Attributs supplémentaires Add @@ -483,7 +493,7 @@ Ignorer les changements et fermer ? Save - Enregistrer le fichier + Enregistrer le fichier Open @@ -595,11 +605,11 @@ Ignorer les changements et fermer ? Properties - Propriétés + Propriétés Add group - Ajouter un groupe. + Ajouter un groupe Edit group @@ -1199,7 +1209,7 @@ Ignorer les changements et fermer ? Use entry title to match windows for global auto-type - Utiliser la correspondance entre le titre de l'entrée et de la fenêtre pour le remplissage automatique global + Utiliser la correspondance entre le titre de l'entrée et de la fenêtre pour le remplissage automatique global Language @@ -1226,7 +1236,7 @@ Ignorer les changements et fermer ? sec - s + s Lock databases after inactivity of @@ -1269,10 +1279,6 @@ Ignorer les changements et fermer ? path to a custom config file Chemin vers un fichier de configuration personnalisé - - password of the database (DANGEROUS!) - Mot de passe de la base de donnée (DANGEREUX !) - key file of the database Fichier-clé de la base de données diff --git a/share/translations/keepassx_id.ts b/share/translations/keepassx_id.ts index 6bcb35f24..b4d5f7d3b 100644 --- a/share/translations/keepassx_id.ts +++ b/share/translations/keepassx_id.ts @@ -7,7 +7,11 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - + KeePassX disebarluaskan dibawah ketentuan dari Lisensi Publik Umum GNU (GPL) versi 2 atau (sesuai pilihan Anda) versi 3. + + + Revision + Revisi @@ -18,7 +22,7 @@ Couldn't find an entry that matches the window title: - Tidak dapat menemukan entri yang cocok dengan judul jendela + Tidak bisa menemukan entri yang cocok dengan judul jendela: @@ -51,15 +55,15 @@ ChangeMasterKeyWidget Password - Kata Sandi + Sandi Enter password: - Masukan kata sandi: + Masukkan sandi: Repeat password: - Ulangi kata sandi: + Ulangi sandi: Key file @@ -91,7 +95,7 @@ Unable to create Key File : - Tidak dapat membuat Berkas Kunci : + Tidak bisa membuat Berkas Kunci : Select a key file @@ -103,27 +107,28 @@ Do you really want to use an empty string as password? - Apakah anda ingin menggunakan string kosong sebagai kata sandi? + Apakah Anda benar-benar ingin menggunakan lema kosong sebagai sandi? Different passwords supplied. - Kata sandi yang berbeda diberikan. + Sandi yang berbeda diberikan. Failed to set key file - + Gagal menetapkan berkas kunci Failed to set %1 as the Key file: %2 - + Gagal menetapkan %1 sebagai berkas Kunci: +%2 DatabaseOpenWidget Enter master key - Masukan kunci utama + Masukkan kunci utama Key File: @@ -131,7 +136,7 @@ Password: - Kata sandi: + Sandi: Browse @@ -143,11 +148,11 @@ Unable to open the database. - Tidak dapat membuka basis data + Tidak bisa membuka basis data. Can't open key file - Tidak dapat membuka berkas kunci + Tidak bisa membuka berkas kunci All files @@ -182,7 +187,7 @@ Use recycle bin: - + Gunakan tong sampah: MiB @@ -205,7 +210,7 @@ DatabaseTabWidget Root - + Root KeePass 2 Database @@ -259,7 +264,7 @@ Simpan perubahan? Writing the database failed. - Menulis basis data gagal. + Gagal membuat basis data. Save database as @@ -276,44 +281,56 @@ Simpan perubahan? The database you are trying to open is locked by another instance of KeePassX. Do you want to open it anyway? Alternatively the database is opened read-only. - + Basis data yang Anda coba buka terkunci oleh KeePassX lain yang sedang berjalan. +Apakah Anda tetap ingin membukanya? Alternatif lain buka basis data baca-saja. Lock database - + Kunci basis data Can't lock the database as you are currently editing it. Please press cancel to finish your changes or discard them. - + Tidak bisa mengunci basis data karena Anda sedang menyuntingnya. +Harap tekan batal untuk menyelesaikan ubahan Anda atau membuangnya. This database has never been saved. You can save the database or stop locking it. - + Basis data ini belum pernah disimpan. +Anda bisa menyimpan basis data atau berhenti menguncinya. This database has been modified. Do you want to save the database before locking it? Otherwise your changes are lost. - + Basis data ini telah dimodifikasi. +Apakah Anda ingin menyimpan basis data sebelum menguncinya? +Kalau tidak, ubahan Anda akan hilang. "%1" is in edit mode. Discard changes and close anyway? - + "%1" dalam mode penyuntingan. +Tetap buang ubahan dan tutup? Export database to CSV file - + Ekspor basis data ke berkas CSV CSV file - + Berkas CSV Writing the CSV file failed. - + Gagal membuat berkas CSV. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Basis data yang Anda coba buka terkunci oleh KeePassX lain yang sedang berjalan. +Apakah Anda tetap ingin menyimpannya? @@ -328,7 +345,7 @@ Discard changes and close anyway? Do you really want to delete the entry "%1" for good? - Apakah anda ingin menghapus entri "%1" untuk selamanya? + Apakah Anda benar-benar ingin menghapus entri "%1" untuk selamanya? Delete entries? @@ -336,15 +353,15 @@ Discard changes and close anyway? Do you really want to delete %1 entries for good? - Apakah anda ingin menghapus entri %1 untuk selamanya? + Apakah Anda benar-benar ingin menghapus entri %1 untuk selamanya? Move entries to recycle bin? - + Pindah entri ke tong sampah? Do you really want to move %n entry(s) to the recycle bin? - + Apakah Anda benar-benar ingin memindahkan %n entri ke tong sampah? Delete group? @@ -352,7 +369,7 @@ Discard changes and close anyway? Do you really want to delete the group "%1" for good? - Apakah anda ingin menghapus grup "%1" untuk selamanya? + Apakah Anda benar-benar ingin menghapus grup "%1" untuk selamanya? Current group @@ -360,11 +377,11 @@ Discard changes and close anyway? Error - + Galat Unable to calculate master key - + Tidak bisa mengkalkulasi kunci utama @@ -395,7 +412,7 @@ Discard changes and close anyway? Entry history - Entri riwayat + Riwayat entri Add entry @@ -423,7 +440,7 @@ Discard changes and close anyway? Unable to open file - Tidak dapat membuka berkas + Tidak bisa membuka berkas Save attachment @@ -432,7 +449,7 @@ Discard changes and close anyway? Unable to save the attachment: - Tidak dapat menyimpan lampiran: + Tidak bisa menyimpan lampiran: @@ -441,11 +458,11 @@ Discard changes and close anyway? %n week(s) - %n minggu(s) + %n minggu %n month(s) - %n bulan(s) + %n bulan 1 year @@ -468,7 +485,7 @@ Discard changes and close anyway? Remove - Hapus + Buang Attachments @@ -480,7 +497,7 @@ Discard changes and close anyway? Open - + Buka @@ -491,11 +508,11 @@ Discard changes and close anyway? Inherit default Auto-Type sequence from the group - + Mengikuti urutan Ketik-Otomatis baku grup Use custom Auto-Type sequence: - + Gunakan urutan Ketik-Otomatis ubahsuai: + @@ -515,7 +532,7 @@ Discard changes and close anyway? Set custom sequence: - Tetapkan urutan kustom: + Tetapkan urutan ubahsuai: @@ -549,7 +566,7 @@ Discard changes and close anyway? Password: - Kata sandi: + Sandi: Repeat: @@ -565,7 +582,7 @@ Discard changes and close anyway? Expires - Kadaluarsa + Kedaluwarsa Presets @@ -608,7 +625,7 @@ Discard changes and close anyway? Inherit from parent group (%1) - + Mengikuti grup induk (%1) @@ -623,7 +640,7 @@ Discard changes and close anyway? Expires - Kadaluarsa + Kedaluwarsa Search @@ -635,11 +652,11 @@ Discard changes and close anyway? Use default auto-type sequence of parent group - + Gunakan urutan ketik-otomatis baku grup induk Set default auto-type sequence - + Tetapkan urutan ketik-otomatis baku @@ -650,15 +667,15 @@ Discard changes and close anyway? Use custom icon - Gunakan ikon kustom + Gunakan ikon ubahsuai Add custom icon - Tambah ikon kustom + Tambah ikon ubahsuai Delete custom icon - Hapus ikon kustom + Hapus ikon ubahsuai Images @@ -674,11 +691,11 @@ Discard changes and close anyway? Can't delete icon! - Tidak dapat menghapus ikon! + Tidak bisa menghapus ikon! Can't delete icon. Still used by %n item(s). - Can't delete icon. Still used by %n item(s). + Tidak bisa menghapus ikon. Masih digunakan oleh %n item. @@ -749,7 +766,7 @@ Discard changes and close anyway? Group Recycle Bin - + Tong Sampah @@ -764,60 +781,60 @@ Discard changes and close anyway? Unable to open the database. - Tidak dapat membuka basis data + Tidak bisa membuka basis data. KeePass1Reader Unable to read keyfile. - Tidak dapat membaca berkas kunci. + Tidak bisa membaca berkas kunci. Not a KeePass database. - Bukan basis data KeePass + Bukan basis data KeePass. Unsupported encryption algorithm. - Algoritma enkripsi tidak didukung + Algoritma enkripsi tidak didukung. Unsupported KeePass database version. - Versi Basis data KeePass tidak didukung + Versi basis data KeePass tidak didukung. Root - + Root Unable to calculate master key - + Tidak bisa mengkalkulasi kunci utama KeePass2Reader Not a KeePass database. - Bukan basis data KeePass + Bukan basis data KeePass. Unsupported KeePass database version. - Versi basis data KeePass tidak didukung + Versi basis data KeePass tidak didukung. Wrong key or database file is corrupt. - Kunci salah atau berkas basis data korup. + Kunci salah atau berkas basis data rusak. Unable to calculate master key - + Tidak bisa mengkalkulasi kunci utama Main Fatal error while testing the cryptographic functions. - + Galat saat menguji fungsi kriptografi. KeePassX - Error @@ -832,7 +849,7 @@ Discard changes and close anyway? Recent databases - + Basis data baru-baru ini Help @@ -852,7 +869,7 @@ Discard changes and close anyway? View - + Lihat Quit @@ -884,7 +901,7 @@ Discard changes and close anyway? View/Edit entry - Tampil/Sunting entri + Lihat/Sunting entri Delete entry @@ -920,7 +937,7 @@ Discard changes and close anyway? Clone entry - + Duplikat entri Find @@ -932,7 +949,7 @@ Discard changes and close anyway? Copy password to clipboard - Salin kata sandi ke papan klip + Salin sandi ke papan klip Settings @@ -940,7 +957,7 @@ Discard changes and close anyway? Perform Auto-Type - Melakukan Ketik-Otomatis + Lakukan Ketik-Otomatis Open URL @@ -968,34 +985,34 @@ Discard changes and close anyway? read-only - hanya-baca + baca-saja Toggle window - + Jungkit jendela Tools - + Perkakas Copy username - + Salin nama pengguna Copy password - + Salin sandi Export to CSV file - + Ekspor ke berkas CSV PasswordGeneratorWidget Password: - Kata sandi: + Sandi: Length: @@ -1003,15 +1020,15 @@ Discard changes and close anyway? Character Types - Tipe karakter + Tipe Karakter Upper Case Letters - + Huruf Besar Lower Case Letters - + Huruf Kecil Numbers @@ -1023,11 +1040,11 @@ Discard changes and close anyway? Exclude look-alike characters - + Kecualikan karakter mirip Ensure that the password contains characters from every group - Pastikan kata sandi berisi karakter dari setiap grup + Pastikan sandi berisi karakter dari setiap grup Accept @@ -1038,11 +1055,11 @@ Discard changes and close anyway? QCommandLineParser Displays version information. - Tampilkan informasi versi + Tampilkan informasi versi. Displays this help. - Tampilkan bantuan ini + Tampilkan bantuan ini. Unknown option '%1'. @@ -1074,29 +1091,29 @@ Discard changes and close anyway? Arguments: - Argumen + Argumen: QSaveFile Existing file %1 is not writable - Berkas yang ada %1 tidak dapat ditulis + Berkas yang ada %1 tidak bisa ditulis Writing canceled by application - Menulis dibatalkan oleh aplikasi + Penulisan dibatalkan oleh aplikasi Partial write. Partition full? - + Penulisan parsial. Partisi penuh? QtIOCompressor Internal zlib error when compressing: - Galat zlib internal ketika mengkompress: + Galat zlib internal ketika memampatkan: Error writing to underlying device: @@ -1112,7 +1129,7 @@ Discard changes and close anyway? Internal zlib error when decompressing: - Galat zlib internal ketika dekompress + Galat zlib internal ketika dekompres: @@ -1134,15 +1151,15 @@ Discard changes and close anyway? Case sensitive - + Sensitif besar kecil huruf Current group - + Grup saat ini Root group - + Grup root @@ -1180,7 +1197,7 @@ Discard changes and close anyway? Minimize when copying to clipboard - Kecilkan ketika menyalin ke papan klip + Minimalkan ketika menyalin ke papan klip Use group icon on entry creation @@ -1188,11 +1205,11 @@ Discard changes and close anyway? Global Auto-Type shortcut - Jalan pintas global Ketik-Otomatis + Pintasan global Ketik-Otomatis Use entry title to match windows for global auto-type - + Gunakan judul entri untuk mencocokkan jendela untuk ketik-otomatis global Language @@ -1200,22 +1217,22 @@ Discard changes and close anyway? Show a system tray icon - Tampilkan sebuah ikon baki sistem + Tampilkan ikon baki sistem Hide window to system tray when minimized - Sembunyikan jendela ke baki sistem ketika dikecilkan + Sembunyikan jendela ke baki sistem ketika diminimalkan Remember last key files - + Ingat berkas kunci terakhir SettingsWidgetSecurity Clear clipboard after - Bersihkan papan klip setelaj + Kosongkan papan klip setelah sec @@ -1223,48 +1240,44 @@ Discard changes and close anyway? Lock databases after inactivity of - + Kunci basis data setelah tidak aktif selama Show passwords in cleartext by default - + Tampilkan teks sandi secara baku Always ask before performing auto-type - + Selalu tanya sebelum melakukan ketik-otomatis UnlockDatabaseWidget Unlock database - + Buka kunci basis data WelcomeWidget Welcome! - Selamat Datang. + Selamat datang! main KeePassX - cross-platform password manager - KeePassX - manajer kata sandi cross-platform + KeePassX - pengelola sandi lintas platform filename of the password database to open (*.kdbx) - nama berkasi dari basis data kata sandi untuk dibuka (*.kdbx) + nama berkas dari basis data sandi untuk dibuka (*.kdbx) path to a custom config file - - - - password of the database (DANGEROUS!) - kata sandi dari basis data (BERBAHAYA!) + jalur ke berkas konfig ubahsuai key file of the database diff --git a/share/translations/keepassx_it.ts b/share/translations/keepassx_it.ts index ea3e7d8f7..8c9048dfb 100644 --- a/share/translations/keepassx_it.ts +++ b/share/translations/keepassx_it.ts @@ -3,12 +3,15 @@ AboutDialog About KeePassX - A proposito di KeePassX + Informazioni su KeePassX KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. - KeePassX è distribuito sotto i termini della licenza -GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. + KeePassX è distribuito sotto i termini della licenza GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. + + + Revision + Revisione @@ -68,7 +71,7 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Browse - Sfogliare + Sfoglia Create @@ -96,7 +99,7 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Select a key file - Selezionare file chiave + Seleziona il file chiave Question @@ -112,12 +115,12 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Failed to set key file - Impossibile impostare il file della chiave + Impossibile impostare il file chiave Failed to set %1 as the Key file: %2 - Impossibile impostare %1 come file della Chiave: %2 + Impossibile impostare %1 come file Chiave: %2 @@ -156,11 +159,11 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Key files - File chiave + Files chiave Select key file - Selezionare file chiave + Seleziona file chiave @@ -171,11 +174,11 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Database description: - Descrizione database: + Descrizione del database: Transform rounds: - Round di trasformazione: + Rounds di trasformazione: Default username: @@ -191,7 +194,7 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Benchmark - Benchmark + Prestazione Max. history items: @@ -218,7 +221,7 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Open database - Aprire database + Apri database Warning @@ -230,7 +233,7 @@ GNU General Public License (GPL) versione 2 o, a tua scelta, della versione 3. Open KeePass 1 database - Aprire database KeePass 1 + Apri database KeePass 1 KeePass 1 database @@ -278,7 +281,7 @@ Salvare le modifiche? The database you are trying to open is locked by another instance of KeePassX. Do you want to open it anyway? Alternatively the database is opened read-only. Il Database che stai tentando di aprire è bloccato da un'altra esecuzione di KeePassX. -Vuoi aprire comunque il database? In alternativa, il database è aperto in sola lettura. +Vuoi aprirlo comunque? In alternativa, il database verrà aperto in sola lettura. Lock database @@ -287,14 +290,14 @@ Vuoi aprire comunque il database? In alternativa, il database è aperto in sola Can't lock the database as you are currently editing it. Please press cancel to finish your changes or discard them. - Non è possibile bloccare il database ne modo in cui lo stai modificando. + Non è possibile bloccare il database nel modo in cui lo stai modificando. Premere annulla per terminare le modifiche o scartarle . This database has never been saved. You can save the database or stop locking it. - Questo database non è ancora stato salvato. -È possibile salvare il database o interrompere bloccandolo. + Questo database non è mai stato salvato. +È possibile salvare il database o interrompere il blocco. This database has been modified. @@ -307,7 +310,8 @@ Altrimenti le modifiche verranno perse. "%1" is in edit mode. Discard changes and close anyway? - "%1" è in modalità modifica. Annullare le modifiche e chiudere comunque? + "%1" è in modalità modifica. +Annullare le modifiche e chiudere comunque? Export database to CSV file @@ -321,12 +325,18 @@ Discard changes and close anyway? Writing the CSV file failed. Scrittura del file CSV fallita. + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Il database che si sta tentando di salvare è bloccato da un'altra istanza di KeePassX. +Vuoi salvare comunque? + DatabaseWidget Change master key - Cambiare password principale + Cambia password principale Delete entry? @@ -370,7 +380,7 @@ Discard changes and close anyway? Unable to calculate master key - Impossibile calcolare la chiave master + Impossibile calcolare la chiave principale @@ -425,7 +435,7 @@ Discard changes and close anyway? Select file - Selezionare file + Seleziona file Unable to open file @@ -438,7 +448,7 @@ Discard changes and close anyway? Unable to save the attachment: - Impossibile salvare l'allegato + Impossibile salvare l'allegato: @@ -486,7 +496,7 @@ Discard changes and close anyway? Open - Apri + Aprire @@ -575,7 +585,7 @@ Discard changes and close anyway? Presets - Programmare + Presets Notes: @@ -598,19 +608,19 @@ Discard changes and close anyway? Add group - Aggiungere gruppo + Aggiungi gruppo Edit group - Modificare gruppo + Modifica gruppo Enable - Abilitare + Abilita Disable - Disabilitare + Disabilita Inherit from parent group (%1) @@ -645,7 +655,7 @@ Discard changes and close anyway? Set default auto-type sequence - Usare sequenza predefinita + Usare sequenza auto-type predefinita @@ -676,11 +686,11 @@ Discard changes and close anyway? Select Image - Selezionare Immagine + Seleziona Immagine Can't delete icon! - Impossibile eliminare icona! + Impossibile eliminare l'icona! Can't delete icon. Still used by %n item(s). @@ -755,7 +765,7 @@ Discard changes and close anyway? Group Recycle Bin - Cestino (Gruppo) + Cestino @@ -789,11 +799,11 @@ Discard changes and close anyway? Unsupported KeePass database version. - Versione database non supportata + Versione database KeePass non supportata. Root - Root (KeePass1Reader) + Root Unable to calculate master key @@ -808,11 +818,11 @@ Discard changes and close anyway? Unsupported KeePass database version. - Versione database non supportata + Versione database KeePass non supportata. Wrong key or database file is corrupt. - Password errata o database corrotto. + Password errata o file database corrotto. Unable to calculate master key @@ -850,7 +860,7 @@ Discard changes and close anyway? Copy attribute to clipboard - Copiare attributi negli appunti + Copia attributi negli appunti Groups @@ -858,7 +868,7 @@ Discard changes and close anyway? View - Visualizzare + Visualizza Quit @@ -970,7 +980,7 @@ Discard changes and close anyway? Show toolbar - Mostrare barra degli strumenti + Mostra barra degli strumenti read-only @@ -1140,7 +1150,7 @@ Discard changes and close anyway? Case sensitive - Case sensitive + Riconoscimento di maiuscole e minuscole Current group @@ -1170,7 +1180,7 @@ Discard changes and close anyway? SettingsWidgetGeneral Remember last databases - Ricordare ultimo database + Ricorda ultimo database Open previous databases on startup @@ -1210,11 +1220,11 @@ Discard changes and close anyway? Hide window to system tray when minimized - Nascondi la finestra nell'area di notifica del sistema quando viene minimizzatala finestra + Nascondi la finestra nell'area di notifica del sistema quando viene minimizzata Remember last key files - Ricorda gli ultimi files di chiave + Ricorda gli ultimi files chiave @@ -1229,7 +1239,7 @@ Discard changes and close anyway? Lock databases after inactivity of - Bloccare database dopo un'inattività di + Bloccare i database dopo un'inattività di Show passwords in cleartext by default @@ -1268,10 +1278,6 @@ Discard changes and close anyway? path to a custom config file percorso ad un file di configurazione personalizzato - - password of the database (DANGEROUS!) - password del database (PERICOLOSO!) - key file of the database file chiave del database diff --git a/share/translations/keepassx_ko.ts b/share/translations/keepassx_ko.ts new file mode 100644 index 000000000..23911868f --- /dev/null +++ b/share/translations/keepassx_ko.ts @@ -0,0 +1,1284 @@ + + + AboutDialog + + About KeePassX + KeePassX 정보 + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + KeePassX는 GNU General Public License(GPL) 버전 2 혹은 버전 3(선택적)으로 배포됩니다. + + + Revision + 리비전 + + + + AutoType + + Auto-Type - KeePassX + 자동 입력 - KeePassX + + + Couldn't find an entry that matches the window title: + 창 제목과 일치하는 항목을 찾을 수 없습니다: + + + + AutoTypeAssociationsModel + + Window + + + + Sequence + 시퀀스 + + + Default sequence + 기본 시퀀스 + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + 자동 입력 - KeePassX + + + Select entry to Auto-Type: + 자동으로 입력할 항목 선택: + + + + ChangeMasterKeyWidget + + Password + 암호 + + + Enter password: + 암호 입력: + + + Repeat password: + 암호 확인: + + + Key file + 키 파일 + + + Browse + 찾아보기 + + + Create + 만들기 + + + Key files + 키 파일 + + + All files + 모든 파일 + + + Create Key File... + 키 파일 만들기... + + + Error + 오류 + + + Unable to create Key File : + 키 파일을 만들 수 없습니다: + + + Select a key file + 키 파일 선택 + + + Question + 질문 + + + Do you really want to use an empty string as password? + 빈 문자열을 암호로 사용하시겠습니까? + + + Different passwords supplied. + 다른 암호를 입력하였습니다. + + + Failed to set key file + 키 파일을 설정할 수 없음 + + + Failed to set %1 as the Key file: +%2 + %1을(를) 키 파일로 설정할 수 없습니다: %2 + + + + DatabaseOpenWidget + + Enter master key + 마스터 키 입력 + + + Key File: + 키 파일: + + + Password: + 암호: + + + Browse + 찾아보기 + + + Error + 오류 + + + Unable to open the database. + 데이터베이스를 열 수 없습니다. + + + Can't open key file + 키 파일을 열 수 없음 + + + All files + 모든 파일 + + + Key files + 키 파일 + + + Select key file + 키 파일 선택 + + + + DatabaseSettingsWidget + + Database name: + 데이터베이스 이름: + + + Database description: + 데이터베이스 설명: + + + Transform rounds: + 변환 횟수: + + + Default username: + 기본 사용자 이름: + + + Use recycle bin: + 휴지통 사용: + + + MiB + MiB + + + Benchmark + 벤치마크 + + + Max. history items: + 최대 과거 항목 수: + + + Max. history size: + 최대 과거 항목 크기: + + + + DatabaseTabWidget + + Root + 루트 + + + KeePass 2 Database + KeePass 2 데이터베이스 + + + All files + 모든 파일 + + + Open database + 데이터베이스 열기 + + + Warning + 경고 + + + File not found! + 파일을 찾을 수 없습니다! + + + Open KeePass 1 database + KeePass 1 데이터베이스 열기 + + + KeePass 1 database + KeePass 1 데이터베이스 + + + All files (*) + 모든 파일 (*) + + + Close? + 닫기 확인? + + + Save changes? + 변경 사항 저장 확인? + + + "%1" was modified. +Save changes? + "%1"이(가) 변경되었습니다. 저장하시겠습니까? + + + Error + 오류 + + + Writing the database failed. + 데이터베이스에 쓸 수 없습니다. + + + Save database as + 다른 이름으로 데이터베이스 저장 + + + New database + 새 데이터베이스 + + + locked + 잠김 + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + 열려고 하는 데이터베이스를 다른 KeePassX 인스턴스에서 잠갔습니다. +그래도 여시겠습니까? 읽기 전용으로 열 수도 있습니다. + + + Lock database + 데이터베이스 잠금 + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + 데이터베이스를 편집하고 있어서 잠글 수 없습니다. +취소를 눌러서 변경 사항을 저장하거나 무시하십시오. + + + This database has never been saved. +You can save the database or stop locking it. + 이 데이터베이스가 저장되지 않았습니다. +데이터베이스를 저장하거나 잠금을 풀 수 있습니다. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + 데이터베이스가 수정되었습니다. +잠그기 전에 데이터베이스를 저장하시겠습니까? +저장하지 않은 변경 사항은 손실됩니다. + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1"이(가) 현재 편집 모드입니다. +변경 사항을 무시하고 닫으시겠습니까? + + + Export database to CSV file + 데이터베이스를 CSV 파일로 내보내기 + + + CSV file + CSV 파일 + + + Writing the CSV file failed. + CSV 파일에 기록할 수 없습니다. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + 저장하려고 하는 데이터베이스를 다른 KeePassX 인스턴스에서 잠갔습니다. +그래도 저장하시겠습니까? + + + + DatabaseWidget + + Change master key + 마스터 키 변경 + + + Delete entry? + 항목을 삭제하시겠습니까? + + + Do you really want to delete the entry "%1" for good? + 정말 항목 "%1"을(를) 삭제하시겠습니까? + + + Delete entries? + 항목을 삭제하시겠습니까? + + + Do you really want to delete %1 entries for good? + 정말 항목 %1개를 삭제하시겠습니까? + + + Move entries to recycle bin? + 항목을 휴지통으로 이동하시겠습니까? + + + Do you really want to move %n entry(s) to the recycle bin? + 항목 %n개를 휴지통으로 이동하시겠습니까? + + + Delete group? + 그룹을 삭제하시겠습니까? + + + Do you really want to delete the group "%1" for good? + 정말 그룹 "%1"을(를) 삭제하시겠습니까? + + + Current group + 현재 그룹 + + + Error + 오류 + + + Unable to calculate master key + 마스터 키를 계산할 수 없음 + + + + EditEntryWidget + + Entry + 항목 + + + Advanced + 고급 + + + Icon + 아이콘 + + + Auto-Type + 자동 입력 + + + Properties + 속성 + + + History + 과거 기록 + + + Entry history + 항목 과거 기록 + + + Add entry + 항목 추가 + + + Edit entry + 항목 편집 + + + Error + 오류 + + + Different passwords supplied. + 다른 암호를 입력하였습니다. + + + New attribute + 새 속성 + + + Select file + 파일 선택 + + + Unable to open file + 파일을 열 수 없습니다 + + + Save attachment + 첨부 항목 저장 + + + Unable to save the attachment: + + 첨부 항목을 저장할 수 없습니다: + + + Tomorrow + 내일 + + + %n week(s) + %n주 + + + %n month(s) + %n개월 + + + 1 year + 1년 + + + + EditEntryWidgetAdvanced + + Additional attributes + 추가 속성 + + + Add + 추가 + + + Edit + 편집 + + + Remove + 삭제 + + + Attachments + 첨부 + + + Save + 저장 + + + Open + 열기 + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + 이 항목 자동 입력 사용 + + + Inherit default Auto-Type sequence from the group + 그룹의 기본 자동 입력 시퀀스 사용 + + + Use custom Auto-Type sequence: + 사용자 정의 자동 입력 시퀀스 사용: + + + + + + + + + - + - + + + Window title: + 창 제목: + + + Use default sequence + 기본 시퀀스 사용 + + + Set custom sequence: + 사용자 정의 시퀀스 설정: + + + + EditEntryWidgetHistory + + Show + 보이기 + + + Restore + 복원 + + + Delete + 삭제 + + + Delete all + 모두 삭제 + + + + EditEntryWidgetMain + + Title: + 제목: + + + Username: + 사용자 이름: + + + Password: + 암호: + + + Repeat: + 암호 확인: + + + Gen. + 생성 + + + URL: + URL: + + + Expires + 만료 기간 + + + Presets + 사전 설정 + + + Notes: + 메모: + + + + EditGroupWidget + + Group + 그룹 + + + Icon + 아이콘 + + + Properties + 속성 + + + Add group + 그룹 추가 + + + Edit group + 그룹 편집 + + + Enable + 활성화 + + + Disable + 비활성화 + + + Inherit from parent group (%1) + 부모 그룹에서 상속(%1) + + + + EditGroupWidgetMain + + Name + 이름 + + + Notes + 메모 + + + Expires + 만료 기간 + + + Search + 찾기 + + + Auto-type + 자동 입력 + + + Use default auto-type sequence of parent group + 부모 그룹의 기본 자동 입력 시퀀스 사용 + + + Set default auto-type sequence + 기본 자동 입력 시퀀스 설정 + + + + EditWidgetIcons + + Use default icon + 기본 아이콘 사용 + + + Use custom icon + 사용자 정의 아이콘 사용 + + + Add custom icon + 사용자 정의 아이콘 추가 + + + Delete custom icon + 사용자 정의 아이콘 삭제 + + + Images + 그림 + + + All files + 모든 파일 + + + Select Image + 그림 선택 + + + Can't delete icon! + 아이콘을 삭제할 수 없습니다! + + + Can't delete icon. Still used by %n item(s). + 아이콘을 삭제할 수 없습니다. 항목 %n개에서 사용 중입니다. + + + + EditWidgetProperties + + Created: + 만든 날짜: + + + Modified: + 수정한 날짜: + + + Accessed: + 접근한 날짜: + + + Uuid: + UUID: + + + + EntryAttributesModel + + Name + 이름 + + + + EntryHistoryModel + + Last modified + 마지막 수정 + + + Title + 제목 + + + Username + 사용자 이름 + + + URL + URL + + + + EntryModel + + Group + 그룹 + + + Title + 제목 + + + Username + 사용자 이름 + + + URL + URL + + + + Group + + Recycle Bin + 휴지통 + + + + KeePass1OpenWidget + + Import KeePass1 database + KeePass1 데이터베이스 가져오기 + + + Error + 오류 + + + Unable to open the database. + 데이터베이스를 열 수 없습니다. + + + + KeePass1Reader + + Unable to read keyfile. + 키 파일을 읽을 수 없습니다. + + + Not a KeePass database. + KeePass 데이터베이스가 아닙니다. + + + Unsupported encryption algorithm. + 지원하지 않는 암호화 알고리즘입니다. + + + Unsupported KeePass database version. + 지원하지 않는 KeePass 데이터베이스 버전입니다. + + + Root + 루트 + + + Unable to calculate master key + 마스터 키를 계산할 수 없음 + + + + KeePass2Reader + + Not a KeePass database. + KeePass 데이터베이스가 아닙니다. + + + Unsupported KeePass database version. + 지원하지 않는 KeePass 데이터베이스 버전입니다. + + + Wrong key or database file is corrupt. + 키가 잘못되었거나 데이터베이스가 손상되었습니다. + + + Unable to calculate master key + 마스터 키를 계산할 수 없습니다 + + + + Main + + Fatal error while testing the cryptographic functions. + 암호화 함수를 시험하는 중 오류가 발생하였습니다. + + + KeePassX - Error + KeePassX - 오류 + + + + MainWindow + + Database + 데이터베이스 + + + Recent databases + 최근 데이터베이스 + + + Help + 도움말 + + + Entries + 항목 + + + Copy attribute to clipboard + 클립보드에 속성 복사 + + + Groups + 그룹 + + + View + 보기 + + + Quit + 끝내기 + + + About + 정보 + + + Open database + 데이터베이스 열기 + + + Save database + 데이터베이스 저장 + + + Close database + 데이터베이스 닫기 + + + New database + 새 데이터베이스 + + + Add new entry + 새 항목 추가 + + + View/Edit entry + 항목 보기/편집 + + + Delete entry + 항목 삭제 + + + Add new group + 새 그룹 추가 + + + Edit group + 그룹 편집 + + + Delete group + 그룹 삭제 + + + Save database as + 다른 이름으로 데이터베이스 저장 + + + Change master key + 마스터 키 변경 + + + Database settings + 데이터베이스 설정 + + + Import KeePass 1 database + KeePass 1 데이터베이스 가져오기 + + + Clone entry + 항목 복제 + + + Find + 찾기 + + + Copy username to clipboard + 클립보드에 사용자 이름 복사 + + + Copy password to clipboard + 클립보드에 암호 복사 + + + Settings + 설정 + + + Perform Auto-Type + 자동 입력 실행 + + + Open URL + URL 열기 + + + Lock databases + 데이터베이스 잠금 + + + Title + 제목 + + + URL + URL + + + Notes + 메모 + + + Show toolbar + 도구 모음 보이기 + + + read-only + 읽기 전용 + + + Toggle window + 창 전환 + + + Tools + 도구 + + + Copy username + 사용자 이름 복사 + + + Copy password + 암호 복사 + + + Export to CSV file + CSV 파일로 내보내기 + + + + PasswordGeneratorWidget + + Password: + 암호: + + + Length: + 길이: + + + Character Types + 문자 종류 + + + Upper Case Letters + 대문자 + + + Lower Case Letters + 소문자 + + + Numbers + 숫자 + + + Special Characters + 특수 문자 + + + Exclude look-alike characters + 비슷하게 생긴 문자 제외 + + + Ensure that the password contains characters from every group + 모든 그룹에서 최소 1글자 이상 포함 + + + Accept + 사용 + + + + QCommandLineParser + + Displays version information. + 버전 정보를 표시합니다. + + + Displays this help. + 이 도움말을 표시합니다. + + + Unknown option '%1'. + 알 수 없는 옵션 '%1'. + + + Unknown options: %1. + 알 수 없는 옵션 '%1'. + + + Missing value after '%1'. + '%1' 다음에 값이 없습니다. + + + Unexpected value after '%1'. + '%1' 다음에 예상하지 못한 값이 왔습니다. + + + [options] + [옵션] + + + Usage: %1 + 사용 방법: %1 + + + Options: + 옵션: + + + Arguments: + 인자: + + + + QSaveFile + + Existing file %1 is not writable + 존재하는 파일 %1에 기록할 수 없음 + + + Writing canceled by application + 프로그램에서 쓰기 작업 취소함 + + + Partial write. Partition full? + 일부분만 기록되었습니다. 파티션이 가득 찼습니까? + + + + QtIOCompressor + + Internal zlib error when compressing: + 압축 중 내부 zlib 오류 발생: + + + Error writing to underlying device: + 장치에 기록하는 중 오류 발생: + + + Error opening underlying device: + 장치를 여는 중 오류 발생: + + + Error reading data from underlying device: + 장치에서 읽는 중 오류 발생: + + + Internal zlib error when decompressing: + 압축 푸는 중 내부 zlib 오류 발생: + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + 이 버전의 zlib에서 gzip 형식을 지원하지 않습니다. + + + Internal zlib error: + 내부 zlib 오류: + + + + SearchWidget + + Find: + 찾기: + + + Case sensitive + 대소문자 구분 + + + Current group + 현재 그룹 + + + Root group + 루트 그룹 + + + + SettingsWidget + + Application Settings + 프로그램 설정 + + + General + 일반 + + + Security + 보안 + + + + SettingsWidgetGeneral + + Remember last databases + 마지막 데이터베이스 기억 + + + Open previous databases on startup + 시작할 때 이전 데이터베이스 열기 + + + Automatically save on exit + 끝낼 때 자동 저장 + + + Automatically save after every change + 항목을 변경할 때 자동 저장 + + + Minimize when copying to clipboard + 클립보드에 복사할 때 최소화 + + + Use group icon on entry creation + 항목을 만들 때 그룹 아이콘 사용 + + + Global Auto-Type shortcut + 전역 자동 입력 단축키 + + + Use entry title to match windows for global auto-type + 전역 자동 입력 시 항목 제목과 일치하는 창 찾기 + + + Language + 언어 + + + Show a system tray icon + 시스템 트레이 아이콘 표시 + + + Hide window to system tray when minimized + 시스템 트레이로 최소화 + + + Remember last key files + 마지막 키 파일 기억 + + + + SettingsWidgetSecurity + + Clear clipboard after + 다음 시간 이후 클립보드 비우기 + + + sec + + + + Lock databases after inactivity of + 다음 시간 동안 활동이 없을 때 데이터베이스 잠금 + + + Show passwords in cleartext by default + 기본값으로 암호를 평문으로 표시 + + + Always ask before performing auto-type + 자동으로 입력하기 전에 항상 묻기 + + + + UnlockDatabaseWidget + + Unlock database + 데이터베이스 잠금 해제 + + + + WelcomeWidget + + Welcome! + 환영합니다! + + + + main + + KeePassX - cross-platform password manager + KeePassX - 크로스 플랫폼 암호 관리자 + + + filename of the password database to open (*.kdbx) + 열 암호 데이터베이스 파일 이름 (*.kdbx) + + + path to a custom config file + 사용자 정의 설정 파일 경로 + + + key file of the database + 데이터베이스 키 파일 + + + \ No newline at end of file diff --git a/share/translations/keepassx_lt.ts b/share/translations/keepassx_lt.ts new file mode 100644 index 000000000..63b46655f --- /dev/null +++ b/share/translations/keepassx_lt.ts @@ -0,0 +1,1287 @@ + + + AboutDialog + + About KeePassX + Apie KeePassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + KeePassX yra platinama GNU Bendrosios Viešosios Licencijos (GPL) versijos 2 arba (jūsų pasirinkimu) versijos 3 sąlygomis. + + + Revision + Poversijis + + + + AutoType + + Auto-Type - KeePassX + Automatinis Rinkimas - KeePassX + + + Couldn't find an entry that matches the window title: + Nepavyko rasti įrašo, kuris atitiktų lango antraštę: + + + + AutoTypeAssociationsModel + + Window + Langas + + + Sequence + Seka + + + Default sequence + Numatytoji seka + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Automatinis Rinkimas - KeePassX + + + Select entry to Auto-Type: + Pasirinkite įrašą Automatiniam Rinkimui: + + + + ChangeMasterKeyWidget + + Password + Slaptažodis + + + Enter password: + Įveskite slaptažodį: + + + Repeat password: + Pakartokite slaptažodį: + + + Key file + Rakto failas + + + Browse + Naršyti + + + Create + Kurti + + + Key files + Rakto failai + + + All files + Visi failai + + + Create Key File... + Sukurti Rakto Failą... + + + Error + Klaida + + + Unable to create Key File : + Nepavyko sukurti Rakto Failo : + + + Select a key file + Pasirinkite rakto failą + + + Question + Klausimas + + + Do you really want to use an empty string as password? + Ar tikrai norite naudoti tuščią eilutę kaip slaptažodį? + + + Different passwords supplied. + Pateikti skirtingi slaptažodžiai. + + + Failed to set key file + Nepavyko nustatyti rakto failo + + + Failed to set %1 as the Key file: +%2 + Nepavyko nustatyti %1 kaip Rakto failą: +%2 + + + + DatabaseOpenWidget + + Enter master key + Įveskite pagrindinį raktą + + + Key File: + Rakto Failas: + + + Password: + Slaptažodis: + + + Browse + Naršyti + + + Error + Klaida + + + Unable to open the database. + Nepavyko atverti duomenų bazės. + + + Can't open key file + Nepavyksta atverti rakto failo + + + All files + Visi failai + + + Key files + Rakto failai + + + Select key file + Pasirinkite rakto failą + + + + DatabaseSettingsWidget + + Database name: + Duomenų bazės pavadinimas: + + + Database description: + Duomenų bazės aprašas: + + + Transform rounds: + Pasikeitimo ciklų: + + + Default username: + Numatytasis naudotojo vardas: + + + Use recycle bin: + Naudoti šiukšlinę: + + + MiB + MiB + + + Benchmark + Našumo testas + + + Max. history items: + Daugiausia istorijos elementų: + + + Max. history size: + Didžiausias istorijos dydis: + + + + DatabaseTabWidget + + Root + Šaknis + + + KeePass 2 Database + KeePass 2 Duomenų Bazė + + + All files + Visi failai + + + Open database + Atverti duomenų bazę + + + Warning + Įspėjimas + + + File not found! + Failas nerastas! + + + Open KeePass 1 database + Atverkite KeePass 1 duomenų bazę + + + KeePass 1 database + KeePass 1 duomenų bazė + + + All files (*) + Visi failai (*) + + + Close? + Užverti? + + + Save changes? + Įrašyti pakeitimus? + + + "%1" was modified. +Save changes? + "%1" buvo pakeista. +Įrašyti pakeitimus? + + + Error + Klaida + + + Writing the database failed. + Duomenų bazės rašymas nepavyko. + + + Save database as + Įrašyti duomenų bazę kaip + + + New database + Nauja duomenų bazė + + + locked + užrakinta + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + Duomenų bazė, kurią bandote atverti, yra užrakinta kito KeePassX egzemplioriaus. +Ar vis tiek norite ją atverti? Kitu atveju duomenų bazė bus atverta tik skaitymui. + + + Lock database + Užrakinti duomenų bazę + + + 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. +Spauskite atšaukti, kad užbaigtumėte savo pakeitimus arba juos atmestumėte. + + + This database has never been saved. +You can save the database or stop locking it. + Ši duomenų bazė niekada nebuvo įrašyta. +Galite duomenų bazę įrašyti arba atsisakyti ją užrakinti. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + Ši duomenų bazė buvo modifikuota. +Ar prieš užrakinant, norite įrašyti duomenų bazę? +Kitu atveju jūsų pakeitimai bus prarasti. + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1" yra redagavimo veiksenoje. +Vis tiek atmesti pakeitimus ir užverti? + + + Export database to CSV file + Eksportuoti duomenų bazę į CSV failą + + + CSV file + CSV failas + + + Writing the CSV file failed. + CSV failo įrašymas nepavyko. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Duomenų bazė, kurią bandote įrašyti yra užrakinta kito KeePassX programos egzemplioriaus. +Ar vis tiek norite ją įrašyti? + + + + DatabaseWidget + + Change master key + Pakeisti pagrindinį raktą + + + Delete entry? + Ištrinti įrašą? + + + Do you really want to delete the entry "%1" for good? + Ar tikrai norite ištrinti įrašą "%1"? + + + Delete entries? + Ištrinti įrašus? + + + Do you really want to delete %1 entries for good? + Ar tikrai norite ištrinti %1 įrašų? + + + Move entries to recycle bin? + Perkelti įrašus į šiukšlinę? + + + 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ę? + + + Delete group? + Ištrinti grupę? + + + Do you really want to delete the group "%1" for good? + Ar tikrai norite ištrinti grupę "%1"? + + + Current group + Esama grupė + + + Error + Klaida + + + Unable to calculate master key + Nepavyko apskaičiuoti pagrindinio rakto + + + + EditEntryWidget + + Entry + Įrašas + + + Advanced + Išplėstiniai + + + Icon + Piktograma + + + Auto-Type + Automatinis Rinkimas + + + Properties + Savybės + + + History + Istorija + + + Entry history + Įrašo istorija + + + Add entry + Pridėti įrašą + + + Edit entry + Keisti įrašą + + + Error + Klaida + + + Different passwords supplied. + Pateikti skirtingi slaptažodžiai. + + + New attribute + Naujas požymis + + + Select file + Pasirinkite failą + + + Unable to open file + Nepavyko atverti failo + + + Save attachment + Įrašyti priedą + + + Unable to save the attachment: + + Nepavyko įrašyti priedo: + + + + Tomorrow + Rytoj + + + %n week(s) + %n savaitė%n savaitės%n savaičių + + + %n month(s) + %n mėnesis%n mėnesiai%n mėnesių + + + 1 year + 1 metai + + + + EditEntryWidgetAdvanced + + Additional attributes + Papildomi požymiai + + + Add + Pridėti + + + Edit + Keisti + + + Remove + Šalinti + + + Attachments + Priedai + + + Save + Įrašyti + + + Open + Atverti + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Įjungti šiam įrašui Automatinį Rinkimą + + + Inherit default Auto-Type sequence from the group + Paveldėti numatytąją Automatinio Rinkimo seką iš grupės + + + Use custom Auto-Type sequence: + Naudoti tinkintą Automatinio Rinkimo seka: + + + + + + + + + - + - + + + Window title: + Lango antraštė: + + + Use default sequence + Naudoti numatytąją seką + + + Set custom sequence: + Nustatyti tinkintą seką: + + + + EditEntryWidgetHistory + + Show + Rodyti + + + Restore + Atkurti + + + Delete + Ištrinti + + + Delete all + Ištrinti visus + + + + EditEntryWidgetMain + + Title: + Antraštė: + + + Username: + Naudotojo vardas: + + + Password: + Slaptažodis: + + + Repeat: + Pakartokite: + + + Gen. + Kurti + + + URL: + URL: + + + Expires + Baigia galioti + + + Presets + Parinktys + + + Notes: + Pastabos: + + + + EditGroupWidget + + Group + Grupė + + + Icon + Piktograma + + + Properties + Savybės + + + Add group + Pridėti grupę + + + Edit group + Keisti grupę + + + Enable + Įjungti + + + Disable + Išjungti + + + Inherit from parent group (%1) + Paveldėti iš pirminės grupės (%1) + + + + EditGroupWidgetMain + + Name + Pavadinimas + + + Notes + Pastabos + + + Expires + Baigia galioti + + + Search + Paieška + + + Auto-type + Automatinis rinkimas + + + Use default auto-type sequence of parent group + Naudoti numatytąją pirminės grupės automatinio rinkimo seką + + + Set default auto-type sequence + Nustatyti numatytąją automatinio rinkimo seką + + + + EditWidgetIcons + + Use default icon + Naudoti numatytąją piktogramą + + + Use custom icon + Naudoti tinkintą piktogramą + + + Add custom icon + Pridėti tinkintą piktogramą + + + Delete custom icon + Ištrinti tinkintą piktogramą + + + Images + Paveikslai + + + All files + Visi failai + + + Select Image + Pasirinkite Paveikslą + + + Can't delete icon! + Nepavyksta ištrinti piktogramos! + + + Can't delete icon. Still used by %n item(s). + Nepavyksta ištrinti piktogramos. Vis dar naudojama %n elemento.Nepavyksta ištrinti piktogramos. Vis dar naudojama %n elementų.Nepavyksta ištrinti piktogramos. Vis dar naudojama %n elementų. + + + + EditWidgetProperties + + Created: + Sukurta: + + + Modified: + Keista: + + + Accessed: + Prieiga: + + + Uuid: + Uuid: + + + + EntryAttributesModel + + Name + Pavadinimas + + + + EntryHistoryModel + + Last modified + Paskutinis keitimas + + + Title + Antraštė + + + Username + Naudotojo vardas + + + URL + URL + + + + EntryModel + + Group + Grupė + + + Title + Antraštė + + + Username + Naudotojo vardas + + + URL + URL + + + + Group + + Recycle Bin + Šiukšlinė + + + + KeePass1OpenWidget + + Import KeePass1 database + Importuoti KeePass1 duomenų bazę + + + Error + Klaida + + + Unable to open the database. + Nepavyko atverti duomenų bazės. + + + + KeePass1Reader + + Unable to read keyfile. + Nepavyko perskaityti rakto failo. + + + Not a KeePass database. + Ne KeePass duomenų bazė. + + + Unsupported encryption algorithm. + Nepalaikomas šifravimo algoritmas. + + + Unsupported KeePass database version. + Nepalaikoma KeePass duomenų bazės versija. + + + Root + Šaknis + + + Unable to calculate master key + Nepavyko apskaičiuoti pagrindinio rakto + + + + KeePass2Reader + + Not a KeePass database. + Ne KeePass duomenų bazė. + + + Unsupported KeePass database version. + Nepalaikoma KeePass duomenų bazės versija. + + + Wrong key or database file is corrupt. + Neteisingas raktas arba duomenų bazės failas yra pažeistas. + + + Unable to calculate master key + Nepavyko apskaičiuoti pagrindinio rakto + + + + Main + + Fatal error while testing the cryptographic functions. + Lemtingoji klaida, testuojant šifravimo funkcijas. + + + KeePassX - Error + KeePassX - Klaida + + + + MainWindow + + Database + Duomenų bazė + + + Recent databases + Paskiausios duomenų bazės + + + Help + Pagalba + + + Entries + Įrašai + + + Copy attribute to clipboard + Kopijuoti požymį į iškarpinę + + + Groups + Grupės + + + View + Rodinys + + + Quit + Baigti + + + About + Apie + + + Open database + Atverti duomenų bazę + + + Save database + Įrašyti duomenų bazę + + + Close database + Užverti duomenų bazę + + + New database + Nauja duomenų bazė + + + Add new entry + Pridėti naują įrašą + + + View/Edit entry + Žiūrėti/Keisti įrašą + + + Delete entry + Ištrinti įrašą + + + Add new group + Pridėti naują grupę + + + Edit group + Keisti grupę + + + Delete group + Ištrinti grupę + + + Save database as + Įrašyti duomenų bazę kaip + + + Change master key + Pakeisti pagrindinį raktą + + + Database settings + Duomenų bazės nustatymai + + + Import KeePass 1 database + Importuoti KeePass 1 duomenų bazę + + + Clone entry + Dublikuoti įrašą + + + Find + Rasti + + + Copy username to clipboard + Kopijuoti naudotojo vardą į iškarpinę + + + Copy password to clipboard + Kopijuoti slaptažodį į iškarpinę + + + Settings + Nustatymai + + + Perform Auto-Type + Atlikti Automatinį Rinkimą + + + Open URL + Atverti URL + + + Lock databases + Užrakinti duomenų bazes + + + Title + Antraštė + + + URL + URL + + + Notes + Pastabos + + + Show toolbar + Rodyti įrankių juostą + + + read-only + tik skaitymui + + + Toggle window + Perjungti langą + + + Tools + Įrankiai + + + Copy username + Kopijuoti naudotojo vardą + + + Copy password + Kopijuoti slaptažodį + + + Export to CSV file + Eksportuoti į CSV failą + + + + PasswordGeneratorWidget + + Password: + Slaptažodis: + + + Length: + Ilgis: + + + Character Types + Simbolių Tipai + + + Upper Case Letters + Viršutinio Registro Raidės + + + Lower Case Letters + Apatinio Registro Raidės + + + Numbers + Skaičiai + + + Special Characters + Specialūs Simboliai + + + Exclude look-alike characters + Pašalinti panašiai atrodančius simbolius + + + Ensure that the password contains characters from every group + Užtikrinti, kad slaptažodyje yra simboliai iš kiekvienos grupės + + + Accept + Priimti + + + + QCommandLineParser + + Displays version information. + Rodo versijos informaciją. + + + Displays this help. + Rodo šią pagalbą. + + + Unknown option '%1'. + Nežinoma parinktis "%1". + + + Unknown options: %1. + Nežinomos parinktys: %1. + + + Missing value after '%1'. + Trūksta reikšmės po "%1". + + + Unexpected value after '%1'. + Netikėta reikšmė po "%1". + + + [options] + [parinktys] + + + Usage: %1 + Naudojimas: %1 + + + Options: + Parinktys: + + + Arguments: + Argumentai: + + + + QSaveFile + + Existing file %1 is not writable + Esamas failas %1 nėra įrašomas + + + Writing canceled by application + Programa atšaukė įrašymą + + + Partial write. Partition full? + Dalinis įrašymas. Pilnas skaidinys? + + + + QtIOCompressor + + Internal zlib error when compressing: + Vidinė zlib klaida, glaudinant: + + + Error writing to underlying device: + Klaida, įrašant į bazinį įrenginį: + + + Error opening underlying device: + Klaida, atveriant bazinį įrenginį: + + + Error reading data from underlying device: + Klaida, skaitant iš bazinio įrenginio: + + + Internal zlib error when decompressing: + Vidinė zlib klaida, išskleidžiant: + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + Šioje zlib versijoje gzip formatas yra nepalaikomas. + + + Internal zlib error: + Vidinė zlib klaida: + + + + SearchWidget + + Find: + Rasti: + + + Case sensitive + Skiriant raidžių registrą + + + Current group + Esama grupė + + + Root group + Šakninė grupė + + + + SettingsWidget + + Application Settings + Programos Nustatymai + + + General + Bendra + + + Security + Saugumas + + + + SettingsWidgetGeneral + + Remember last databases + Prisiminti paskutines duomenų bazes + + + Open previous databases on startup + Paleidžiant programą, atverti ankstesnes duomenų bazes + + + Automatically save on exit + Išeinant, automatiškai įrašyti + + + Automatically save after every change + Automatiškai įrašyti po kiekvieno pakeitimo + + + Minimize when copying to clipboard + Kopijuojant į iškarpinę, suskleisti langą + + + Use group icon on entry creation + Kuriant įrašus, naudoti grupės piktogramą + + + Global Auto-Type shortcut + Visuotinis Automatinio Rinkimo spartusis klavišas + + + Use entry title to match windows for global auto-type + Naudoti įrašo antraštę, norint sutapatinti langus visuotiniam automatiniam rinkimui + + + Language + Kalba + + + Show a system tray icon + Rodyti sistemos dėklo piktogramą + + + Hide window to system tray when minimized + Suskleidus langą, slėpti jį į sistemos dėklą + + + Remember last key files + Prisiminti paskutinius rakto failus + + + + SettingsWidgetSecurity + + Clear clipboard after + Išvalyti iškarpinę po + + + sec + sek. + + + Lock databases after inactivity of + Užrakinti duomenų bazes, kai kompiuteris neaktyvus + + + Show passwords in cleartext by default + Pagal numatymą, rodyti slaptažodžius atviruoju tekstu + + + Always ask before performing auto-type + Visuomet klausti prieš atliekant automatinį rinkimą + + + + UnlockDatabaseWidget + + Unlock database + Atrakinti duomenų bazę + + + + WelcomeWidget + + Welcome! + Sveiki atvykę! + + + + main + + KeePassX - cross-platform password manager + KeePassX - daugiaplatformė slaptažodžių tvarkytuvė + + + filename of the password database to open (*.kdbx) + norimos atverti slaptažodžių duomenų bazės failo pavadinimas (*.kdbx) + + + path to a custom config file + kelias į tinkintą konfigūracijos failą + + + key file of the database + duomenų bazės rakto failas + + + \ No newline at end of file diff --git a/share/translations/keepassx_nl_NL.ts b/share/translations/keepassx_nl_NL.ts index ebf2f825e..866131166 100644 --- a/share/translations/keepassx_nl_NL.ts +++ b/share/translations/keepassx_nl_NL.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX wordt verspreid onder de bepalingen van de GNU General Public License (GPL) versie 2 of (als u wenst) versie 3. + + Revision + Revisie + AutoType @@ -322,6 +326,12 @@ Wijzigingen ongedaan maken en doorgaan met sluiten? Writing the CSV file failed. Schrijven van het CSV-bestand mislukt. + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + De database die u op probeert te slaan is vergrendeld door een andere instantie van KeePassX. +Wilt u toch doorgaan met opslaan? + DatabaseWidget @@ -1269,10 +1279,6 @@ Wijzigingen ongedaan maken en doorgaan met sluiten? path to a custom config file pad naar een configuratiebestand - - password of the database (DANGEROUS!) - wachtwoord van de database (GEVAARLIJK!) - key file of the database sleutelbestand van de database diff --git a/share/translations/keepassx_pl.ts b/share/translations/keepassx_pl.ts new file mode 100644 index 000000000..ab471029b --- /dev/null +++ b/share/translations/keepassx_pl.ts @@ -0,0 +1,1278 @@ + + + AboutDialog + + About KeePassX + O KeePassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + + + + Revision + Rewizja + + + + AutoType + + Auto-Type - KeePassX + Auto-uzupełnianie - KeePassX + + + Couldn't find an entry that matches the window title: + + + + + AutoTypeAssociationsModel + + Window + Okno + + + Sequence + Swkwencja + + + Default sequence + Domyślna sekwencja + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Auto-uzupełnianie - KeePassX + + + Select entry to Auto-Type: + Wybierz wpis do auto-uzupełniania: + + + + ChangeMasterKeyWidget + + Password + Hasło + + + Enter password: + Wprowadź hasło: + + + Repeat password: + Wprowadź ponownie hasło: + + + Key file + Plik klucza + + + Browse + Przeglądaj + + + Create + Stwórz + + + Key files + Pliki kluczy + + + All files + Wszystkie pliki + + + Create Key File... + Utwórz plik klucza + + + Error + Błąd + + + Unable to create Key File : + Nie można utworzyć pliku klucza + + + Select a key file + Wybierz plik z kluczem + + + Question + Pytanie + + + Do you really want to use an empty string as password? + Czy naprawdę chcesz użyć pusty ciąg znaków jako hasło ? + + + Different passwords supplied. + + + + Failed to set key file + + + + Failed to set %1 as the Key file: +%2 + + + + + DatabaseOpenWidget + + Enter master key + Wprowadź klucz główny + + + Key File: + Plik klucza: + + + Password: + Hasło: + + + Browse + Przeglądaj + + + Error + Błąd + + + Unable to open the database. + Nie można otworzyć bazy kluczy. + + + Can't open key file + Nie mogę otworzyć pliku z kluczem + + + All files + Wszystkie pliki + + + Key files + Pliki kluczy + + + Select key file + Wybierz plik z kluczem + + + + DatabaseSettingsWidget + + Database name: + Nazwa bazy danych: + + + Database description: + Opis bazy danych + + + Transform rounds: + Liczba rund szyfrowania: + + + Default username: + Domyślny użytkownik: + + + Use recycle bin: + Korzystaj z kosza: + + + MiB + MiB + + + Benchmark + Test sprawności + + + Max. history items: + + + + Max. history size: + + + + + DatabaseTabWidget + + Root + Root + + + KeePass 2 Database + Baza danych KeePass 2 + + + All files + Wszystkie pliki + + + Open database + Otwórz bazę danych + + + Warning + Ostrzeżenie + + + File not found! + Nie znaleziono pliku! + + + Open KeePass 1 database + Otwórz bazę danych KeePass 1 + + + KeePass 1 database + Baza danych KeePass1 + + + All files (*) + Wszystkie pliki(*) + + + Close? + Zamknąć ? + + + Save changes? + Zapisać zmiany ? + + + "%1" was modified. +Save changes? + "%1" został zmieniony. Zapisać zmiany ? + + + Error + Błąd + + + Writing the database failed. + Błąd w zapisywaniu bazy kluczy. + + + Save database as + Zapisz bazę danych jako + + + New database + Nowa baza danych + + + locked + plik CSV + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + + + + Lock database + Zablokuj bazę + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + + + + This database has never been saved. +You can save the database or stop locking it. + + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + + + + "%1" is in edit mode. +Discard changes and close anyway? + + + + Export database to CSV file + Eksport bazy danych do pliku CSV + + + CSV file + plik CSV + + + Writing the CSV file failed. + Błąd przy zapisywaniu pliku CSV. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + + + + + DatabaseWidget + + Change master key + Zmień główne hasło + + + Delete entry? + Skasować wpis? + + + Do you really want to delete the entry "%1" for good? + Czy na pewno całkowicie usunąć wpis "%1" ? + + + Delete entries? + Usunąć wpisy? + + + Do you really want to delete %1 entries for good? + Czy na prawdę chcesz usunąć %1 wpisów na dobre? + + + Move entries to recycle bin? + Przenieść wpisy do kosza? + + + Do you really want to move %n entry(s) to the recycle bin? + + + + Delete group? + Usunąć grupę? + + + Do you really want to delete the group "%1" for good? + Czy na pewno całkowicie usunąć grupę "%1"? + + + Current group + Bieżąca grupa + + + Error + Błąd + + + Unable to calculate master key + Nie mogę wyliczyć głównego klucza + + + + EditEntryWidget + + Entry + Wpis + + + Advanced + Zaawansowane + + + Icon + Ikona + + + Auto-Type + Auto-uzupełnianie + + + Properties + Właściwości + + + History + Historia + + + Entry history + Historia wpisu + + + Add entry + Nowy wpis + + + Edit entry + Edycja wpisu + + + Error + Błąd + + + Different passwords supplied. + + + + New attribute + Nowy atrybut + + + Select file + Wybierz plik + + + Unable to open file + Nie można otworzyć pliku + + + Save attachment + Zapisz załącznik + + + Unable to save the attachment: + + Nie można zapisać załącznika: + + + + Tomorrow + Jutro + + + %n week(s) + %n tydzień%n tygodni(e)%n tygodni(e) + + + %n month(s) + %n miesiąc%n miesiąc(e)%n miesiąc(e) + + + 1 year + 1 rok + + + + EditEntryWidgetAdvanced + + Additional attributes + Dodatkowe atrybuty + + + Add + Dodaj + + + Edit + Edytuj + + + Remove + Usuń + + + Attachments + Załączniki + + + Save + Zapisz + + + Open + Otwórz + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Włącz auto-uzupełnianie dla tego wpisu + + + Inherit default Auto-Type sequence from the group + Dziedzicz domyślną sekwencję auto-uzupełniania z grupy + + + Use custom Auto-Type sequence: + Używaj niestandardowej sekwencji auto-uzupełniania: + + + + + + + + + - + - + + + Window title: + Tytuł okna: + + + Use default sequence + Korzystaj z domyślnej sekwencji + + + Set custom sequence: + Ustaw niestandardową sekwencję: + + + + EditEntryWidgetHistory + + Show + Pokaż + + + Restore + Przywróć + + + Delete + Usuń + + + Delete all + Usuń wszystkie + + + + EditEntryWidgetMain + + Title: + Tytuł: + + + Username: + Użytkownik: + + + Password: + Hasło: + + + Repeat: + Powtórz: + + + Gen. + + + + URL: + URL: + + + Expires + Wygasa + + + Presets + + + + Notes: + Notatki: + + + + EditGroupWidget + + Group + Grupa + + + Icon + Ikona + + + Properties + Właściwości + + + Add group + Dodaj grupę + + + Edit group + Edytuj grupę + + + Enable + Włącz + + + Disable + Wyłącz + + + Inherit from parent group (%1) + Dziedzicz z nadrzędnej grupy (%1) + + + + EditGroupWidgetMain + + Name + Nazwa + + + Notes + Notatki + + + Expires + Wygasa + + + Search + Szukaj + + + Auto-type + Auto-uzupełnianie + + + Use default auto-type sequence of parent group + Korzystaj z domyślnej sekwencji auto-uzupełniania z nadrzędnej grupy + + + Set default auto-type sequence + Ustaw domyślną sekwencję auto-uzupełniania + + + + EditWidgetIcons + + Use default icon + Ustaw domyślną ikonę + + + Use custom icon + Ustaw niestandardową ikonę + + + Add custom icon + Dodaj niestandardową ikonę + + + Delete custom icon + Usuń niestandardową ikonę + + + Images + Obrazy + + + All files + Wszystkie pliki + + + Select Image + Wybierz obraz + + + Can't delete icon! + Nie można usunąć ikony! + + + Can't delete icon. Still used by %n item(s). + + + + + EditWidgetProperties + + Created: + Stworzone: + + + Modified: + Modyfikowane: + + + Accessed: + + + + Uuid: + Uuid: + + + + EntryAttributesModel + + Name + Nazwa + + + + EntryHistoryModel + + Last modified + Ostatnia modyfikacja + + + Title + Tytuł + + + Username + Użytkownik + + + URL + URL + + + + EntryModel + + Group + Grupa + + + Title + Tytuł + + + Username + Użytkownik + + + URL + URL + + + + Group + + Recycle Bin + Kosz + + + + KeePass1OpenWidget + + Import KeePass1 database + Importuj bazę danych KeePass1 + + + Error + Błąd + + + Unable to open the database. + Nie można otworzyć bazy kluczy. + + + + KeePass1Reader + + Unable to read keyfile. + Nie można otworzyć pliku z kluczem. + + + Not a KeePass database. + To nie baza KeePass. + + + Unsupported encryption algorithm. + Niewspierany algorytm szyfrowania. + + + Unsupported KeePass database version. + Niewspierana wersja bazy KeePass. + + + Root + Root + + + Unable to calculate master key + Nie mogę wyliczyć głównego klucza + + + + KeePass2Reader + + Not a KeePass database. + To nie baza KeePass. + + + Unsupported KeePass database version. + Niewspierana wersja bazy KeePass. + + + Wrong key or database file is corrupt. + Błędny klucz lub baza jest uszkodzona. + + + Unable to calculate master key + Nie mogę wyliczyć głównego klucza + + + + Main + + Fatal error while testing the cryptographic functions. + Błąd krytyczny podczas testowania funkcji kryptograficznych. + + + KeePassX - Error + KeePassX - Błąd + + + + MainWindow + + Database + Baza danych + + + Recent databases + Niedawne bazy danych + + + Help + Pomoc + + + Entries + Wpisy + + + Copy attribute to clipboard + Skopiuj atrybut do schowka + + + Groups + Grupy + + + View + Widok + + + Quit + Zakończ + + + About + O + + + Open database + Otwórz bazę danych + + + Save database + Zapisz bazę danych + + + Close database + Zamknij bazę danych + + + New database + Nowa baza danych + + + Add new entry + Dodaj nowy wpis + + + View/Edit entry + Podgląd/edycja wpisu + + + Delete entry + Usuń wpis + + + Add new group + Dodaj nową grupę + + + Edit group + Edytuj grupę + + + Delete group + Usuń grupę + + + Save database as + Zapisz bazę danych jako + + + Change master key + Zmień główne hasło + + + Database settings + Ustawienia bazy danych + + + Import KeePass 1 database + Importuj bazę danych KeePass 1 + + + Clone entry + Sklonuj wpis + + + Find + Znajdź + + + Copy username to clipboard + Skopiuj użytkownika do schowka + + + Copy password to clipboard + Skopiuj hasło do schowka + + + Settings + Ustawienia + + + Perform Auto-Type + Wykonaj auto-uzupełnianie + + + Open URL + Otwórz URL + + + Lock databases + Zablokuj bazy + + + Title + Tytuł + + + URL + URL + + + Notes + Notatki + + + Show toolbar + Pokaż pasek narzędziowy + + + read-only + Tylko do odczytu + + + Toggle window + + + + Tools + Narzędzia + + + Copy username + Skopiuj użytkownika + + + Copy password + Skopiuj hasło + + + Export to CSV file + Eksport do pliku CSV + + + + PasswordGeneratorWidget + + Password: + Hasło: + + + Length: + Długość + + + Character Types + + + + Upper Case Letters + Duże litery + + + Lower Case Letters + Małe litery + + + Numbers + Liczby + + + Special Characters + Znaki specjalne + + + Exclude look-alike characters + Wyklucz podobnie wyglądające znaki + + + Ensure that the password contains characters from every group + + + + Accept + Zaakceptuj + + + + QCommandLineParser + + Displays version information. + Wyświetl informację o wersji. + + + Displays this help. + Wyświetla ten dialog. + + + Unknown option '%1'. + Nie znana opcja '%1': + + + Unknown options: %1. + Nie znana opcja: %1. + + + Missing value after '%1'. + Brakująca wartość po '%1'. + + + Unexpected value after '%1'. + Nieoczekiwana wartość po '%1'. + + + [options] + [options] + + + Usage: %1 + + + + Options: + Opcje: + + + Arguments: + Argumenty: + + + + QSaveFile + + Existing file %1 is not writable + + + + Writing canceled by application + Zapisywanie anulowane przez aplikację + + + Partial write. Partition full? + + + + + QtIOCompressor + + Internal zlib error when compressing: + Błąd wewnętrzny zlib podczas kompresowania: + + + Error writing to underlying device: + + + + Error opening underlying device: + + + + Error reading data from underlying device: + + + + Internal zlib error when decompressing: + 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. + + + Internal zlib error: + Błąd wewnętrzny zlib: + + + + SearchWidget + + Find: + Znajdź: + + + Case sensitive + Rozróżniaj wielkość znaków + + + Current group + Bieżąca grupa + + + Root group + + + + + SettingsWidget + + Application Settings + Ustawienia aplikacji + + + General + Główne + + + Security + Bezpieczeństwo + + + + SettingsWidgetGeneral + + Remember last databases + Pamiętaj ostatnią bazę + + + Open previous databases on startup + Otwórz poprzednią bazę podczas startu + + + Automatically save on exit + Automatycznie zapisz przy wyjściu + + + Automatically save after every change + Automatycznie zapisz po każdej zmianie + + + Minimize when copying to clipboard + Zminimalizuj po skopiowaniu do schowka + + + Use group icon on entry creation + Użyj ikony grupy podczas tworzenia wpisu + + + Global Auto-Type shortcut + Globalny skrót auto-uzupełnianie + + + Use entry title to match windows for global auto-type + + + + Language + Język + + + Show a system tray icon + Pokaż ikonę w zasobniku systemowym + + + Hide window to system tray when minimized + Schowaj okno do zasobnika podczas minimalizacji + + + Remember last key files + Zapamiętaj ostatni plik klucza + + + + SettingsWidgetSecurity + + Clear clipboard after + Wyczyść schowek po + + + sec + + + + Lock databases after inactivity of + Zablokuj bazę po nieaktywności + + + Show passwords in cleartext by default + Domyślnie pokazuj hasła + + + Always ask before performing auto-type + Zawsze pytaj przed wykonaniem auto-uzupełninia + + + + UnlockDatabaseWidget + + Unlock database + Odblokuj bazę + + + + WelcomeWidget + + Welcome! + Witaj! + + + + main + + KeePassX - cross-platform password manager + + + + filename of the password database to open (*.kdbx) + + + + path to a custom config file + + + + key file of the database + plik klucza bazy + + + \ No newline at end of file diff --git a/share/translations/keepassx_pt_BR.ts b/share/translations/keepassx_pt_BR.ts new file mode 100644 index 000000000..fc1128d55 --- /dev/null +++ b/share/translations/keepassx_pt_BR.ts @@ -0,0 +1,1282 @@ + + + AboutDialog + + About KeePassX + Sobre KeePassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + KeePassX é distribuído nos termos da Licença Pública Geral (GPL), versão 2 ou (à sua escolha) versão 3, do GNU. + + + Revision + + + + + AutoType + + Auto-Type - KeePassX + Auto-Digitação - KeePassX + + + Couldn't find an entry that matches the window title: + Não foi possível encontrar uma entrada que corresponda ao título da janela: + + + + AutoTypeAssociationsModel + + Window + Janela + + + Sequence + Sequência + + + Default sequence + Sequência pré-definida + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Auto-Digitação - KeePassX + + + Select entry to Auto-Type: + Escolha uma entrada para Auto-Digitar: + + + + ChangeMasterKeyWidget + + Password + Senha + + + Enter password: + Insira senha: + + + Repeat password: + Repita senha: + + + Key file + Arquivo-Chave + + + Browse + Navegar + + + Create + Criar + + + Key files + Arquivos-Chave + + + All files + Todos os Arquivos + + + Create Key File... + Criar Arquivo-Chave... + + + Error + Erro + + + Unable to create Key File : + Não foi possível criar o Arquivo-Chave : + + + Select a key file + Escolha um arquivo-chave + + + Question + Pergunta + + + Do you really want to use an empty string as password? + Você realmente quer usar uma sequência vazia como senha? + + + Different passwords supplied. + Senhas diferentes fornecidas. + + + Failed to set key file + Falha ao definir arquivo-chave + + + Failed to set %1 as the Key file: +%2 + Falha ao definir %1 como o Arquivo-Chave: +%2 + + + + DatabaseOpenWidget + + Enter master key + Insira a chave-mestra + + + Key File: + Arquivo-Chave: + + + Password: + Senha: + + + Browse + Navegar + + + Error + Erro + + + Unable to open the database. + Não foi possível abrir o banco de dados. + + + Can't open key file + Não foi possível abrir o arquivo-chave + + + All files + Todos os arquivos + + + Key files + Arquivos-chave + + + Select key file + Escolha o arquivo-chave + + + + DatabaseSettingsWidget + + Database name: + Nome do Banco de Dados: + + + Database description: + Descrição do Banco de Dados: + + + Transform rounds: + Rodadas de transformação: + + + Default username: + Usuário padrão: + + + Use recycle bin: + Usar lixeira: + + + MiB + MB + + + Benchmark + Benchmark + + + Max. history items: + Máx. Itens no histórico: + + + Max. history size: + Tamanho Máx. do histórico: + + + + DatabaseTabWidget + + Root + Raíz + + + KeePass 2 Database + Banco de Dados KeePass 2 + + + All files + Todos os arquivos + + + Open database + Abrir banco de dados + + + Warning + Aviso + + + File not found! + Arquivo não encontrado! + + + Open KeePass 1 database + Abrir banco de dados KeePass 1 + + + KeePass 1 database + banco de dados KeePass 1 + + + All files (*) + Todos os arquivos (*) + + + Close? + Fechar? + + + Save changes? + Salvar alterações? + + + "%1" was modified. +Save changes? + "%1" foi modificado. +Salvar alterações? + + + Error + Erro + + + Writing the database failed. + Escrever no banco de dados falhou. + + + Save database as + Salvar banco de dados como + + + New database + Novo banco de dados + + + locked + Trancado + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + O banco de dados que você está tentando abrir está bloqueado por outra instância do KeePassX. +Você quer abri-lo de qualquer forma? Alternativamente o banco de dados é aberto como somente leitura. + + + Lock database + Trancar Banco de Dados + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Não é possível trancar o banco de dados uma vez que você o está editando. +Por favor aperte cancelar para finalizar suas alterações ou descartá-las. + + + This database has never been saved. +You can save the database or stop locking it. + + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + + + + "%1" is in edit mode. +Discard changes and close anyway? + + + + Export database to CSV file + Exportar banco de dados para arquivo CSV + + + CSV file + Arquivo CSV + + + Writing the CSV file failed. + Falha ao gravar arquivo CSV. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + + + + + DatabaseWidget + + Change master key + Alterar chave mestra + + + Delete entry? + Apagar entrada? + + + Do you really want to delete the entry "%1" for good? + Você realmente quer apagar a entrada "%1" para sempre? + + + Delete entries? + Apagar entradas? + + + Do you really want to delete %1 entries for good? + Você realmente quer apagar %1 entradas para sempre? + + + Move entries to recycle bin? + Mover entradas para lixeira? + + + Do you really want to move %n entry(s) to the recycle bin? + + + + Delete group? + Apagar grupo? + + + Do you really want to delete the group "%1" for good? + Você realmente quer apagar o grupo "%1" para sempre? + + + Current group + Grupo atual + + + Error + Erro + + + Unable to calculate master key + Não foi possível calcular chave mestra + + + + EditEntryWidget + + Entry + Entrada + + + Advanced + Avançado + + + Icon + Ícone + + + Auto-Type + Auto-Digitação + + + Properties + Propriedades + + + History + Histórico + + + Entry history + Histórico de Entradas + + + Add entry + Adicionar entrada + + + Edit entry + Editar entrada + + + Error + Erro + + + Different passwords supplied. + Senhas diferentes fornecidas. + + + New attribute + Novo atributo + + + Select file + Selecionar arquivo + + + Unable to open file + Não foi possível abrir o arquivo + + + Save attachment + Salvar anexo + + + Unable to save the attachment: + + Não foi possível salvar o anexo: + + + + Tomorrow + Amanhã + + + %n week(s) + %n semana(s)%n semana(s) + + + %n month(s) + %n mês%n mese(s) + + + 1 year + 1 ano + + + + EditEntryWidgetAdvanced + + Additional attributes + Atributos extras + + + Add + Adicionar + + + Edit + Editar + + + Remove + Remover + + + Attachments + Anexos + + + Save + Salvar + + + Open + Abrir + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Habilitar Auto-Digitação para esta entrada + + + Inherit default Auto-Type sequence from the group + Herdar sequência pré-definida de Auto-Digitação do grupo + + + Use custom Auto-Type sequence: + Usar sequência de Auto-Digitação personalizada: + + + + + + + + + - + - + + + Window title: + Título da Janela: + + + Use default sequence + Usar sequência pré-definida + + + Set custom sequence: + Definir sequência personalizada: + + + + EditEntryWidgetHistory + + Show + Mostrar + + + Restore + Restaurar + + + Delete + Excluir + + + Delete all + Excluir todos + + + + EditEntryWidgetMain + + Title: + Título: + + + Username: + Nome de Usuário: + + + Password: + Senha: + + + Repeat: + Repetir + + + Gen. + Gerar + + + URL: + URL: + + + Expires + Expira em: + + + Presets + Pré-definidos + + + Notes: + Notas: + + + + EditGroupWidget + + Group + Grupo + + + Icon + Ícone + + + Properties + Propriedades + + + Add group + Adicionar grupo + + + Edit group + Editar grupo + + + Enable + Habilitar + + + Disable + Desabilitar + + + Inherit from parent group (%1) + Herdar do grupo pai (%1) + + + + EditGroupWidgetMain + + Name + Nom + + + Notes + Notas + + + Expires + Expira em + + + Search + Buscar + + + Auto-type + Auto-digitar + + + Use default auto-type sequence of parent group + + + + Set default auto-type sequence + + + + + EditWidgetIcons + + Use default icon + Usar Ícone padrão + + + Use custom icon + Usar ícone personalizado + + + Add custom icon + Adicionar ícone personalizado + + + Delete custom icon + Excluir ícone personalizado + + + Images + Imagens + + + All files + Todos os arquivos + + + Select Image + Selecionar imagem + + + Can't delete icon! + Não é possível apagar o ícone! + + + Can't delete icon. Still used by %n item(s). + Não é possível apagar o ícone. Ainda usado por %n item.Não é possível apagar o ícone. Ainda usado por %n item(s). + + + + EditWidgetProperties + + Created: + Criado em: + + + Modified: + Modificado em: + + + Accessed: + Acessado em: + + + Uuid: + Uuid: + + + + EntryAttributesModel + + Name + Nome + + + + EntryHistoryModel + + Last modified + Modificado pela última vez em + + + Title + Título + + + Username + Nome de usuário + + + URL + URL + + + + EntryModel + + Group + Grupo + + + Title + Título + + + Username + Nome de usuário + + + URL + URL + + + + Group + + Recycle Bin + Lixeira + + + + KeePass1OpenWidget + + Import KeePass1 database + Importar banco de dados KeePass1 + + + Error + Erro + + + Unable to open the database. + Não foi possível abrir o banco de dados. + + + + KeePass1Reader + + Unable to read keyfile. + Não foi possível ler o arquivo-chave. + + + Not a KeePass database. + Não é um banco de dados KeePass. + + + Unsupported encryption algorithm. + Algoritmo de encriptação não suportado. + + + Unsupported KeePass database version. + Versão do banco de dados KeePass não suportada. + + + Root + Raíz + + + Unable to calculate master key + Não foi possível calcular a chave mestra + + + + KeePass2Reader + + Not a KeePass database. + Não é um banco de dados KeePass. + + + Unsupported KeePass database version. + Versão não suportada do banco de dados KeePass. + + + Wrong key or database file is corrupt. + + + + Unable to calculate master key + + + + + Main + + Fatal error while testing the cryptographic functions. + + + + KeePassX - Error + KeePassX - Erro + + + + MainWindow + + Database + Banco de Dados + + + Recent databases + Bancos de dados recentes + + + Help + Ajuda + + + Entries + Entradas + + + Copy attribute to clipboard + Copiar atributo para a área de transferência + + + Groups + Grupos + + + View + Ver + + + Quit + Sair + + + About + Sobre + + + Open database + Abrir banco de dados + + + Save database + Salvar banco de dados + + + Close database + Fechar banco de dados + + + New database + Novo banco de dados + + + Add new entry + Adicionar nova entrada + + + View/Edit entry + Ver/Editar entrada + + + Delete entry + Excluir entrada + + + Add new group + Adicionar novo grupo + + + Edit group + Editar grupo + + + Delete group + Excluir grupo + + + Save database as + Salvar banco de dados como + + + Change master key + Alterar chave-mestra + + + Database settings + Configurações do Banco de Dados + + + Import KeePass 1 database + Importar banco de dados KeePass1 + + + Clone entry + Clonar entrada + + + Find + Encontrar + + + Copy username to clipboard + Copiar nome de usuário para área de transferência + + + Copy password to clipboard + Copiar senha para área de transferência + + + Settings + Configurações + + + Perform Auto-Type + Realizar Auto-Digitação + + + Open URL + Abrir URL + + + Lock databases + Trancar bancos de dados + + + Title + Título + + + URL + URL + + + Notes + Notas + + + Show toolbar + Mostrar barra de ferramentas + + + read-only + somente leitura + + + Toggle window + Alternar Janela + + + Tools + Ferramentas + + + Copy username + Copiar nome de usuário + + + Copy password + Copiar senha + + + Export to CSV file + Exportar para arquivo CSV + + + + PasswordGeneratorWidget + + Password: + Senha: + + + Length: + Tamanho: + + + Character Types + Tipos de Caracteres + + + Upper Case Letters + Letras Maiúsculas + + + Lower Case Letters + Letras Minúsculas + + + Numbers + Números + + + Special Characters + Caracteres Especiais + + + Exclude look-alike characters + Excluir caracteres similares + + + Ensure that the password contains characters from every group + Assegurar que a senha contenha caracteres de todos os grupos + + + Accept + Aceitar + + + + QCommandLineParser + + Displays version information. + Mostrar informações da versão. + + + Displays this help. + Mostrar esta ajuda. + + + Unknown option '%1'. + Opção desconhecida '%1'. + + + Unknown options: %1. + Opções desconhecidas: %1. + + + Missing value after '%1'. + Falta valor após '%1'. + + + Unexpected value after '%1'. + Valor inesperado após '%1'. + + + [options] + [opções] + + + Usage: %1 + Utilização: %1 + + + Options: + Opções: + + + Arguments: + Argumentos: + + + + QSaveFile + + Existing file %1 is not writable + O arquivo existente %1 não é gravável + + + Writing canceled by application + Escrita cancelada pelo aplicativo + + + Partial write. Partition full? + Escrita parcial. Partição cheia? + + + + QtIOCompressor + + Internal zlib error when compressing: + Erro interno do zlib ao compactar: + + + Error writing to underlying device: + Erro ao gravar no dispositivo subjacente: + + + Error opening underlying device: + Erro ao abrir dispositivo subjacente: + + + Error reading data from underlying device: + + + + Internal zlib error when decompressing: + + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + + + + Internal zlib error: + Erro interno do zlib: + + + + SearchWidget + + Find: + Encontrar: + + + Case sensitive + diferenciar maiúsculas e minúsculas + + + Current group + Grupo atual + + + Root group + Grupo Raíz + + + + SettingsWidget + + Application Settings + Configurações do Aplicativo + + + General + Geral + + + Security + Segurança + + + + SettingsWidgetGeneral + + Remember last databases + Lembrar dos últimos bancos de dados + + + Open previous databases on startup + Abrir bancos de dados anteriores na inicialização + + + Automatically save on exit + Salvar automaticamente ao sair + + + Automatically save after every change + Salvar automaticamente depois de cada alteração + + + Minimize when copying to clipboard + Minimizar ao copiar para área de transferência + + + Use group icon on entry creation + + + + Global Auto-Type shortcut + + + + Use entry title to match windows for global auto-type + + + + Language + Idioma + + + Show a system tray icon + Mostrar um ícone da bandeja do sistema + + + Hide window to system tray when minimized + + + + Remember last key files + + + + + SettingsWidgetSecurity + + Clear clipboard after + + + + sec + + + + Lock databases after inactivity of + + + + Show passwords in cleartext by default + + + + Always ask before performing auto-type + + + + + UnlockDatabaseWidget + + Unlock database + Destrancar banco de dados + + + + WelcomeWidget + + Welcome! + Bemvindo! + + + + main + + KeePassX - cross-platform password manager + KeePassX - gerenciador de senhas Multiplataforma + + + filename of the password database to open (*.kdbx) + + + + path to a custom config file + + + + key file of the database + + + + \ No newline at end of file diff --git a/share/translations/keepassx_ru.ts b/share/translations/keepassx_ru.ts index de67f225f..2400dfc1a 100644 --- a/share/translations/keepassx_ru.ts +++ b/share/translations/keepassx_ru.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX распространяется на условиях Стандартной общественной лицензии GNU (GPL) версии 2 или (на ваше усмотрение) версии 3. + + Revision + Ревизия + AutoType @@ -277,7 +281,7 @@ Save changes? The database you are trying to open is locked by another instance of KeePassX. Do you want to open it anyway? Alternatively the database is opened read-only. - + Хранилище, которое Вы хотите открыть, заблокировано другой запущенной копией KeePassX. Всё равно открыть? В качестве альтернативы хранилище будет открыто в режиме для чтения. Lock database @@ -297,12 +301,15 @@ You can save the database or stop locking it. This database has been modified. Do you want to save the database before locking it? Otherwise your changes are lost. - + Хранилище было изменено. +Вы хотите сохранить его перед тем, как заблокировать? +В противном случае все изменения будут потеряны. "%1" is in edit mode. Discard changes and close anyway? - + "%1" в режиме редактирования. +Отменить изменения и всё равно закрыть? Export database to CSV file @@ -314,7 +321,13 @@ Discard changes and close anyway? Writing the CSV file failed. - + Не удалось записать CSV файл. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Данное хранилище заблокировано другой запущенной копией KeePassX. +Вы уверены, что хотите продолжить сохранение? @@ -1263,10 +1276,6 @@ Discard changes and close anyway? path to a custom config file путь к своему файлу настроек - - password of the database (DANGEROUS!) - пароль от хранилища (ОПАСНО!) - key file of the database файл-ключ хранилища diff --git a/share/translations/keepassx_sl_SI.ts b/share/translations/keepassx_sl_SI.ts new file mode 100644 index 000000000..c2a93c259 --- /dev/null +++ b/share/translations/keepassx_sl_SI.ts @@ -0,0 +1,1285 @@ + + + AboutDialog + + About KeePassX + O KeePassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + KeePassX se razširja pod GNU General Public License (GPL) licenco verzija 2 ali (po želji) verzija 3. + + + Revision + + + + + AutoType + + Auto-Type - KeePassX + Samodejno tipkanje - KeePassX + + + Couldn't find an entry that matches the window title: + Ne najdem vnosa, ki bi ustrezal: + + + + AutoTypeAssociationsModel + + Window + Okno + + + Sequence + Sekvenca + + + Default sequence + Privzeta sekvenca + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Samodejno tipkanje - KeePassX + + + Select entry to Auto-Type: + Izberi vnos za samodejno tipkanje: + + + + ChangeMasterKeyWidget + + Password + Geslo + + + Enter password: + Vnesi geslo: + + + Repeat password: + Ponovi geslo: + + + Key file + Datoteka s ključi + + + Browse + Prebrskaj + + + Create + Ustvari novo + + + Key files + Datoteke s ključi + + + All files + Vse datoteke + + + Create Key File... + Ustvari datoteko s ključi... + + + Error + Napaka + + + Unable to create Key File : + Ustvarjanje datoteke s ključi ni uspelo: + + + Select a key file + Izberi datoteko s kljući + + + Question + Vprašanje + + + Do you really want to use an empty string as password? + Ali res želite uporabiti prazen niz kot geslo? + + + Different passwords supplied. + Vnešeni gesli sta različni. + + + Failed to set key file + Nastavljanje datoteke s ključi ni uspelo + + + Failed to set %1 as the Key file: +%2 + Nastavljanje %1 kot datoteko s ključi ni uspelo: +%2 + + + + DatabaseOpenWidget + + Enter master key + Vnesi glavno geslo + + + Key File: + Datoteka s ključi: + + + Password: + Geslo: + + + Browse + Prebrskaj + + + Error + Napaka + + + Unable to open the database. + Odpiranje podatkovne baze ni uspelo. + + + Can't open key file + Odpiranje datoteke s ključi ni uspelo + + + All files + Vse datoteke + + + Key files + Datoteke s ključi + + + Select key file + Izberi datoteko s ključi + + + + DatabaseSettingsWidget + + Database name: + Ime podatkovne baze: + + + Database description: + Opis podatkovne baze: + + + Transform rounds: + Transform rounds: + + + Default username: + Privzeto uporabniško ime: + + + Use recycle bin: + Uporaba koša: + + + MiB + MiB + + + Benchmark + Primerjalni preizkus (benchmark) + + + Max. history items: + Max. vnosov zgodovine: + + + Max. history size: + Max. velikost zgodovine: + + + + DatabaseTabWidget + + Root + Koren + + + KeePass 2 Database + KeePass 2 podatkovna baza + + + All files + Vse datoteke + + + Open database + Odpri podatkovno bazo + + + Warning + Opozorilo + + + File not found! + Datoteke ni mogoče najti! + + + Open KeePass 1 database + Odpri KeePass 1 podatkovno bazo + + + KeePass 1 database + KeePass 1 podatkovna baza + + + All files (*) + Vse datoteke (*) + + + Close? + Zapri? + + + Save changes? + Shrani spremembe? + + + "%1" was modified. +Save changes? + "%1" spremenjeno. +Shrani spremembe? + + + Error + Napaka + + + Writing the database failed. + Zapis podatkovne baze ni uspel. + + + Save database as + Shrani podatkovno bazo kot + + + New database + Nova podatkovna baza + + + locked + zaklenjeno + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + Podatkovna baza ki jo želite odpreti je že odprta v drugem KeePassX. +Ali jo vseeno želite odpreti? Lahko jo odprete tudi samo za branje. + + + Lock database + Zakleni podatkovno bazo + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Podatkovna baza je trenutno v urejanju, zato je ni mogoče zakleniti. +Dokončajte spremembe in poskusite znova. + + + This database has never been saved. +You can save the database or stop locking it. + Podatkovna baza še ni bila shranjena. +Lahko jo shranite ali prekinete z zaklepanjem. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + Podatkovna baza je bila spremenjena. +Ali jo želite shraniti? +V nasprotnem primeru bodo spremembe izgubljene. + + + "%1" is in edit mode. +Discard changes and close anyway? + "%1" je v urejanju. +Zavrži spremembe in zapri? + + + Export database to CSV file + Izvozi podatkovno bazo v CSV datoteko + + + CSV file + CSV datoteka + + + Writing the CSV file failed. + Pisanje v CSV datoteko ni uspelo + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + + + + + DatabaseWidget + + Change master key + Spremeni glavni ključ + + + Delete entry? + Izbris vnosa? + + + Do you really want to delete the entry "%1" for good? + Ali res želite izbrisati "%1"? + + + Delete entries? + Izbris vnosov? + + + Do you really want to delete %1 entries for good? + Ali res želite izbrisati %1 vnosov? + + + Move entries to recycle bin? + Premik vnosov v koš? + + + Do you really want to move %n entry(s) to the recycle bin? + Ali res želite premakniti %n vnos v koš?Ali res želite premakniti %n vnosa v koš?Ali res želite premakniti %n vnose v koš?Ali res želite premakniti %n - vnosov v koš? + + + Delete group? + Izbris skupine? + + + Do you really want to delete the group "%1" for good? + Ali res želite izbrisati skupino "%1"? + + + Current group + Trenutna skupina + + + Error + Napaka + + + Unable to calculate master key + Izračun glavnega ključa ni uspel + + + + EditEntryWidget + + Entry + Vnos + + + Advanced + Napredno + + + Icon + Ikona + + + Auto-Type + Samodejno tipkanje + + + Properties + Lastnosti + + + History + Zgodovina + + + Entry history + Zgodovina vnosov + + + Add entry + Dodaj vnos + + + Edit entry + Uredi vnos + + + Error + Napaka + + + Different passwords supplied. + Gesli se ne ujemata. + + + New attribute + Nov atribut + + + Select file + Izberi datoteko + + + Unable to open file + Datoteke ni mogoče odpreti + + + Save attachment + Shrani priponko + + + Unable to save the attachment: + + Priponke ni bilo mogoče shraniti: + + + Tomorrow + Jutri + + + %n week(s) + %n teden%n tedna%n tedni%n tednov + + + %n month(s) + %n mesec%n meseca%n meseci%n mesecev + + + 1 year + 1 leto + + + + EditEntryWidgetAdvanced + + Additional attributes + Dodatni atributi + + + Add + Dodaj + + + Edit + Uredi + + + Remove + Odstrani + + + Attachments + Priponke + + + Save + Shrani + + + Open + Odpri + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Omogoči samodejno tipkanje za ta vnos + + + Inherit default Auto-Type sequence from the group + Dedovanje privzete sekvence za samodejno tipkanje iz skupine + + + Use custom Auto-Type sequence: + Uporabi poljubno sekvenco za samodejno tipkanje: + + + + + + + + + - + - + + + Window title: + Naslov okna: + + + Use default sequence + Uporabi privzeto sekvenco + + + Set custom sequence: + Nastavi privzeto sekvenco: + + + + EditEntryWidgetHistory + + Show + Prikaži + + + Restore + Obnovi + + + Delete + Izbriši + + + Delete all + Izbriši vse + + + + EditEntryWidgetMain + + Title: + Naslov: + + + Username: + Uporabniško ime: + + + Password: + Geslo: + + + Repeat: + Ponovi geslo: + + + Gen. + Samodejno generiraj + + + URL: + URL: + + + Expires + Poteče + + + Presets + Prednastavljeno + + + Notes: + Opombe: + + + + EditGroupWidget + + Group + Skupina + + + Icon + Ikona + + + Properties + Lastnosti + + + Add group + Dodaj skupino + + + Edit group + Uredi skupino + + + Enable + Omogoči + + + Disable + Onemogoči + + + Inherit from parent group (%1) + Podeduj iz nadrejene skupine (%1) + + + + EditGroupWidgetMain + + Name + Ime + + + Notes + Opombe + + + Expires + Poteče + + + Search + Išči + + + Auto-type + Samodejno tipkanje + + + Use default auto-type sequence of parent group + Za samodejno tipkanje uporabi privzeto sekvenco nadrejene skupine + + + Set default auto-type sequence + Nastavi privzeto sekvenco za samodejno tipkanje + + + + EditWidgetIcons + + Use default icon + Uporabi privzeto ikono + + + Use custom icon + Uporabi ikono po meri + + + Add custom icon + Dodaj poljubno ikono + + + Delete custom icon + Izbriši ikono + + + Images + Slike + + + All files + Vse datoteke + + + Select Image + Izberi sliko + + + Can't delete icon! + Ikone ni mogoče izbrisati! + + + Can't delete icon. Still used by %n item(s). + Ikone ni mogoče izbrisati. Uporablja jo še %n vnos.Ikone ni mogoče izbrisati. Uporabljata jo še %n vnosa.Ikone ni mogoče izbrisati. Uporabljajo jo še %n vnosi.Ikone ni mogoče izbrisati. Uporablja jo še %n vnosov. + + + + EditWidgetProperties + + Created: + Ustvarjeno: + + + Modified: + Spremenjeno: + + + Accessed: + Zadnji dostop: + + + Uuid: + Uuid: + + + + EntryAttributesModel + + Name + Ime + + + + EntryHistoryModel + + Last modified + Zadnja sprememba + + + Title + Naslov + + + Username + Uporabniško ime + + + URL + URL + + + + EntryModel + + Group + Skupina + + + Title + Naslov + + + Username + Uporabniško ime + + + URL + URL + + + + Group + + Recycle Bin + Koš + + + + KeePass1OpenWidget + + Import KeePass1 database + Uvozi KeePass1 podatkovno bazo + + + Error + Napaka + + + Unable to open the database. + Odpiranje podatkovne baze ni uspelo. + + + + KeePass1Reader + + Unable to read keyfile. + Branje datoteke s ključi ni uspelo. + + + Not a KeePass database. + Datoteka ni KeePass podatkovna baza. + + + Unsupported encryption algorithm. + Algoritem za enkripcijo ni podprt. + + + Unsupported KeePass database version. + Različica KeePass podatkovne baze ni podprta. + + + Root + Koren + + + Unable to calculate master key + Izračun glavnega ključa ni uspel + + + + KeePass2Reader + + Not a KeePass database. + Datoteka ni KeePass podatkovna baza. + + + Unsupported KeePass database version. + Različica KeePass podatkovne baze ni podprta. + + + Wrong key or database file is corrupt. + Napačno geslo ali pa je podatkovna baza poškodovana. + + + Unable to calculate master key + Izračun glavnega ključa ni uspel + + + + Main + + Fatal error while testing the cryptographic functions. + Napaka pri testiranju kriptografskih funkcij. + + + KeePassX - Error + KeePassX - Napaka + + + + MainWindow + + Database + Podatkovna baza + + + Recent databases + Nedavne podatkovne baze + + + Help + Pomoč + + + Entries + Vnosi + + + Copy attribute to clipboard + Kopiraj atribut v odložišče + + + Groups + Skupine + + + View + Pogled + + + Quit + Izhod + + + About + O programu + + + Open database + Odpri podatkovno bazo + + + Save database + Shrani podatkovno bazo + + + Close database + Zapri podatkovno bazo + + + New database + Nova podatkovna baza + + + Add new entry + Dodaj vnos + + + View/Edit entry + Uredi vnos + + + Delete entry + Izbriši vnos + + + Add new group + Dodaj novo skupino + + + Edit group + Uredi skupino + + + Delete group + Izbriši skupino + + + Save database as + Shrani podatkovno bazo kot + + + Change master key + Spremeni glavni ključ + + + Database settings + Nastavitve podatkovne baze + + + Import KeePass 1 database + Uvozi KeePass 1 podatkovno bazo + + + Clone entry + Kloniraj vnos + + + Find + Išči + + + Copy username to clipboard + Kopiraj uporabniško ime v odložišče + + + Copy password to clipboard + Kopiraj geslo v odložišče + + + Settings + Nastavitve + + + Perform Auto-Type + Izvedi samodejno tipkanje + + + Open URL + Odpri URL + + + Lock databases + Zakleni podatkovne baze + + + Title + Naslov + + + URL + URL + + + Notes + Opombe + + + Show toolbar + Prikaži orodno vrstico + + + read-only + samo za branje + + + Toggle window + Preklopi okno + + + Tools + Orodja + + + Copy username + Kopiraj uporabniško ime + + + Copy password + Kopiraj geslo + + + Export to CSV file + Izvozi v CSV datoteko + + + + PasswordGeneratorWidget + + Password: + Geslo: + + + Length: + Dolžina: + + + Character Types + Tipi znakov + + + Upper Case Letters + Velike črke + + + Lower Case Letters + Male črke + + + Numbers + Številke + + + Special Characters + Posebni znaki + + + Exclude look-alike characters + Izključi podobne znake + + + Ensure that the password contains characters from every group + Geslo naj vsebuje znake iz vsake skupine + + + Accept + Sprejmi + + + + QCommandLineParser + + Displays version information. + Prikaže informacije o različici. + + + Displays this help. + Prikaže pomoč. + + + Unknown option '%1'. + Neznana izbrira %1. + + + Unknown options: %1. + Neznane izbire: %1. + + + Missing value after '%1'. + Manjkajoča vrednost po '%1'. + + + Unexpected value after '%1'. + Nepričakovana vrednost po '%1'. + + + [options] + [možnosti] + + + Usage: %1 + Uporaba: %1 + + + Options: + Možnosti: + + + Arguments: + Argumenti: + + + + QSaveFile + + Existing file %1 is not writable + Obstoječa datoteka %1 ni zapisljiva + + + Writing canceled by application + Aplikacija je prekinila pisanje + + + Partial write. Partition full? + Delno pisanje. Polna particija? + + + + QtIOCompressor + + Internal zlib error when compressing: + Notranja zlib napaka pri stiskanju: + + + Error writing to underlying device: + Napaka pri pisanju na napravo: + + + Error opening underlying device: + Napaka pri odpiranju naprave: + + + Error reading data from underlying device: + Napak pri branju iz naprave: + + + Internal zlib error when decompressing: + Notranja zlib napaka pri dekompresiranju: + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + Ta različica zlib ne podpira gzip formata. + + + Internal zlib error: + Notranja zlib napaka: + + + + SearchWidget + + Find: + Išči: + + + Case sensitive + Razlikuj med velikimi in malimi črkami + + + Current group + Trenutna skupina + + + Root group + Korenska skupina + + + + SettingsWidget + + Application Settings + Nastavitve aplikacije + + + General + Splošno + + + Security + Varnost + + + + SettingsWidgetGeneral + + Remember last databases + Zapomni si zadnje podatkovne baze + + + Open previous databases on startup + Odpri prejšnje podatkovne baze ob zagonu programa + + + Automatically save on exit + Samodejno shrani ob izhodu + + + Automatically save after every change + Samodejno shrani po vsaki spremembi + + + Minimize when copying to clipboard + Minimiziraj pri kopiranju v odložišče + + + Use group icon on entry creation + Za nove vnose uporabi ikono skupine + + + Global Auto-Type shortcut + Globalna bližnjica za samodejno tipkanje + + + Use entry title to match windows for global auto-type + Uporabi ujemanje naslova vnosa in naslova okna pri samodejnem tipkanju + + + Language + Jezik + + + Show a system tray icon + Pokaži ikono v sistemski vrstici + + + Hide window to system tray when minimized + Minimiziraj v sistemsko vrstico + + + Remember last key files + Zapomni si zadnje datoteke s ključi + + + + SettingsWidgetSecurity + + Clear clipboard after + Pobriši odložišče po + + + sec + sekundah + + + Lock databases after inactivity of + Zakleni podatkovne baze po neaktivnosti + + + Show passwords in cleartext by default + Gesla privzeto v čistopisu + + + Always ask before performing auto-type + Pred izvedbo samodejnega tipkanja vprašaj za potrditev + + + + UnlockDatabaseWidget + + Unlock database + Odkleni podatkovno bazo + + + + WelcomeWidget + + Welcome! + Dobrodošli! + + + + main + + KeePassX - cross-platform password manager + KeePassX - urejevalnik gesel za različne platforme + + + filename of the password database to open (*.kdbx) + končnica podatkovne baze (*.kdbx) + + + path to a custom config file + pot do konfiguracijske datoteke po meri + + + key file of the database + datoteka s ključi podatkovne baze + + + \ No newline at end of file diff --git a/share/translations/keepassx_sv.ts b/share/translations/keepassx_sv.ts index 2ff998b5a..bafb1c109 100644 --- a/share/translations/keepassx_sv.ts +++ b/share/translations/keepassx_sv.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. Keepassx distribueras enligt villkoren i GNU General Public License (GPL) version 2 eller (om du vill) version 3. + + Revision + Revision + AutoType @@ -111,12 +115,13 @@ Failed to set key file - + Kunde inte sätta nyckel-fil Failed to set %1 as the Key file: %2 - + Kunde inte sätta %1 som nyckel-fil: +%2 @@ -276,44 +281,56 @@ Spara ändringarna? The database you are trying to open is locked by another instance of KeePassX. Do you want to open it anyway? Alternatively the database is opened read-only. - + Databasen som du försöker öppna är låst av en annan instans av KeePassX. +Vill du öppna den ändå? Databasen kommer då att öppnas skrivskyddad. Lock database - + Lås databasen Can't lock the database as you are currently editing it. Please press cancel to finish your changes or discard them. - + Kan inte låsa databasen eftersom du håller på att redigera den. +Tryck avbryt för att ansluta dina ändringar alternativt kasta dem. This database has never been saved. You can save the database or stop locking it. - + Databasen has aldrig sparats. +Spara databasen eller sluta lås den. This database has been modified. Do you want to save the database before locking it? Otherwise your changes are lost. - + Databasen har ändrats. +Vill du spara databasen innen du låser den? +I annat fall försvinner ändringarna. "%1" is in edit mode. Discard changes and close anyway? - + "%1" är i redigeringsläge. +Kasta ändringarna och stäng endå? Export database to CSV file - + Exportera databasen till en CSV-fil CSV file - + CSV-fil Writing the CSV file failed. - + Kunde inte skriva till CSV-filen + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Databasen du försöker spara som är låst av en annan instans av KeePassX. +Vill du spara endå? @@ -360,11 +377,11 @@ Discard changes and close anyway? Error - + Fel Unable to calculate master key - + Kunde inte räkna nu master-nyckeln @@ -480,7 +497,7 @@ Discard changes and close anyway? Open - + Öppna @@ -635,11 +652,11 @@ Discard changes and close anyway? Use default auto-type sequence of parent group - + Använd standard auto-skriv sekvensen från föräldergruppen Set default auto-type sequence - + Ange standard auto-skriv sekvens @@ -791,7 +808,7 @@ Discard changes and close anyway? Unable to calculate master key - + Kunde inte räkna nu master-nyckeln @@ -810,7 +827,7 @@ Discard changes and close anyway? Unable to calculate master key - + Kunde inte räkna nu master-nyckeln @@ -976,19 +993,19 @@ Discard changes and close anyway? Tools - + Verktyg Copy username - + Kopiera användarnamn Copy password - + Kopiera lösenord Export to CSV file - + Exportera till CSV-fil @@ -1208,7 +1225,7 @@ Discard changes and close anyway? Remember last key files - + Komihåg senaste nyckel-filen @@ -1262,10 +1279,6 @@ Discard changes and close anyway? path to a custom config file Sökväg till egen konfigurations-fil - - password of the database (DANGEROUS!) - lösenord för databasen (FARLIGT!) - key file of the database nyckel-fil för databas diff --git a/share/translations/keepassx_uk.ts b/share/translations/keepassx_uk.ts new file mode 100644 index 000000000..2b4774ee6 --- /dev/null +++ b/share/translations/keepassx_uk.ts @@ -0,0 +1,1286 @@ + + + AboutDialog + + About KeePassX + Про KeePassX + + + KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. + KeePassX розповсюджується на умовах Загальної публічної ліцензії GNU (GPL) версії 2 або (на ваш вибір) версії 3. + + + Revision + Ревізія + + + + AutoType + + Auto-Type - KeePassX + Автозаповнення — KeePassX + + + Couldn't find an entry that matches the window title: + Не знайдено запис, що відповідає заголовку вікна: + + + + AutoTypeAssociationsModel + + Window + Вікно + + + Sequence + Послідовність + + + Default sequence + Типова послідовність + + + + AutoTypeSelectDialog + + Auto-Type - KeePassX + Автозаповнення — KeePassX + + + Select entry to Auto-Type: + Оберіть запис для автозаповнення: + + + + ChangeMasterKeyWidget + + Password + Пароль + + + Enter password: + Введіть пароль: + + + Repeat password: + Повторіть пароль: + + + Key file + Файл-ключ + + + Browse + Огляд + + + Create + Створити + + + Key files + Файли-ключі + + + All files + Всі файли + + + Create Key File... + Створити файл-ключ... + + + Error + Помилка + + + Unable to create Key File : + Неможливо створити файл-ключ: + + + Select a key file + Обрати файл-ключ + + + Question + Питання + + + Do you really want to use an empty string as password? + Ви дійсно хочете використати порожній рядок в якості пароля? + + + Different passwords supplied. + Паролі не співпадають. + + + Failed to set key file + Не вдалося встановити файл-ключ + + + Failed to set %1 as the Key file: +%2 + Не вдалося встановити %1 в якості файл-ключа: +%2 + + + + DatabaseOpenWidget + + Enter master key + Введіть майстер-пароль + + + Key File: + Файл-ключ: + + + Password: + Пароль: + + + Browse + Огляд + + + Error + Помилка + + + Unable to open the database. + Неможливо відкрити сховище. + + + Can't open key file + Не вдається відкрити файл-ключ + + + All files + Всі файли + + + Key files + Файли-ключі + + + Select key file + Оберіть файл-ключ + + + + DatabaseSettingsWidget + + Database name: + Назва сховища: + + + Database description: + Опис сховища: + + + Transform rounds: + Раундів перетворень: + + + Default username: + Типове ім’я користувача: + + + Use recycle bin: + Використати смітник: + + + MiB + MiB + + + Benchmark + Перевірка + + + Max. history items: + Максимум записів історії: + + + Max. history size: + Максимальний розмір історії: + + + + DatabaseTabWidget + + Root + Корінь + + + KeePass 2 Database + Сховище KeePass 2 + + + All files + Всі файли + + + Open database + Відкрити сховище + + + Warning + Увага + + + File not found! + Файл не знайдено! + + + Open KeePass 1 database + Відкрити сховище KeePass 1 + + + KeePass 1 database + Сховище KeePass 1 + + + All files (*) + Всі файли (*) + + + Close? + Закрити? + + + Save changes? + Зберегти зміни? + + + "%1" was modified. +Save changes? + "%1" змінено. +Зберегти зміни? + + + Error + Помилка + + + Writing the database failed. + Записати сховище не вдалося. + + + Save database as + Зберегти сховище як + + + New database + Нове сховище + + + locked + заблоковано + + + The database you are trying to open is locked by another instance of KeePassX. +Do you want to open it anyway? Alternatively the database is opened read-only. + Сховище, яке ви хочете відкрити, заблоковано іншою запущеною копією KeePassX. Все одно відкрити? Сховище буде відкрито тільки для читання. + + + Lock database + Заблокувати сховище + + + Can't lock the database as you are currently editing it. +Please press cancel to finish your changes or discard them. + Не можливо заблокувати базу даних, яку ви в даний час редагуєте. +Натисніть Скасувати, щоб завершити зміни або скасувати їх. + + + This database has never been saved. +You can save the database or stop locking it. + Це сховище не було збережено. +Ви можете зберегти сховище або зупинити його блокування. + + + This database has been modified. +Do you want to save the database before locking it? +Otherwise your changes are lost. + В сховище було внесено зміни. +Ви хочете зберегти його перед блокуванням? +Інакше внесені зміни буде втрачено. + + + "%1" is in edit mode. +Discard changes and close anyway? + «%1» в режимі редагування. +Відхилити зміни і все одно закрити? + + + Export database to CSV file + Експортувати сховище в файл CSV + + + CSV file + Файл CSV + + + Writing the CSV file failed. + Не вдалось записати CSV файл. + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + Це сховище заблоковано іншою запущеною копією KeePassX. +Ви впевнені, що хочете зберегти його? + + + + DatabaseWidget + + Change master key + Змінити майстер-пароль + + + Delete entry? + Видалити запис? + + + Do you really want to delete the entry "%1" for good? + Ви дійсно хочете видалити запис «%1»? + + + Delete entries? + Видалити записи? + + + Do you really want to delete %1 entries for good? + Ви дійсно хочете назавжди видалити записи - %1 ? + + + Move entries to recycle bin? + Перемістити записи до смітника? + + + Do you really want to move %n entry(s) to the recycle bin? + Ви дійсно хочете перемістити %n запис в смітник?Ви дійсно хочете перемістити %n записи в смітник?Ви дійсно хочете перемістити %n записів в смітник? + + + Delete group? + Видалити групу? + + + Do you really want to delete the group "%1" for good? + Ви дійсно хочете назавжди видалити групу «%1»? + + + Current group + Поточна група + + + Error + Помилка + + + Unable to calculate master key + Неможливо вирахувати майстер-пароль + + + + EditEntryWidget + + Entry + Запис + + + Advanced + Розширені + + + Icon + Значок + + + Auto-Type + Автозаповнення + + + Properties + Параметри + + + History + Історія + + + Entry history + Історія запису + + + Add entry + Додати запис + + + Edit entry + Змінити запис + + + Error + Помилка + + + Different passwords supplied. + Паролі не співпадають. + + + New attribute + Новий атрибут + + + Select file + Вибрати файл + + + Unable to open file + Неможливо відкрити файл + + + Save attachment + Зберегти вкладення + + + Unable to save the attachment: + + Неможливо зберегти вкладення: + + + + Tomorrow + Завтра + + + %n week(s) + %n тиждень%n тижні%n тижнів + + + %n month(s) + %n місяць%n місяці%n місяців + + + 1 year + 1 рік + + + + EditEntryWidgetAdvanced + + Additional attributes + Додаткові атрибути + + + Add + Додати + + + Edit + Змінити + + + Remove + Видалити + + + Attachments + Вкладення + + + Save + Зберегти + + + Open + Відкрити + + + + EditEntryWidgetAutoType + + Enable Auto-Type for this entry + Увімкнути автозаповнення для цього запису + + + Inherit default Auto-Type sequence from the group + Успадкувати типову послідовність автозаповнення від групи + + + Use custom Auto-Type sequence: + Використовувати свою послідовність автозаповнення: + + + + + + + + + - + - + + + Window title: + Заголовок вікна: + + + Use default sequence + Використовувати типову послідовність + + + Set custom sequence: + Встановити свою послідовність: + + + + EditEntryWidgetHistory + + Show + Показати + + + Restore + Відновити + + + Delete + Видалити + + + Delete all + Видалити все + + + + EditEntryWidgetMain + + Title: + Заголовок: + + + Username: + Ім’я користувача: + + + Password: + Пароль: + + + Repeat: + Пароль ще раз: + + + Gen. + Генер. + + + URL: + URL: + + + Expires + Закінчується + + + Presets + Заготовки + + + Notes: + Примітки: + + + + EditGroupWidget + + Group + Група + + + Icon + Значок + + + Properties + Властивості + + + Add group + Додати групу + + + Edit group + Редагувати групу + + + Enable + Увімкнено + + + Disable + Вимкнено + + + Inherit from parent group (%1) + Успадкувати від батьківської групи (%1) + + + + EditGroupWidgetMain + + Name + Ім’я + + + Notes + Примітки + + + Expires + Закінчується + + + Search + Пошук + + + Auto-type + Автозаповнення + + + Use default auto-type sequence of parent group + Використовувати типову послідовність автозаповнення батьківської групи + + + Set default auto-type sequence + Типова послідовність автозаповнення + + + + EditWidgetIcons + + Use default icon + Використовувати типовий значок + + + Use custom icon + Використовувати свій значок + + + Add custom icon + Додати свій значок + + + Delete custom icon + Видалити свій значок + + + Images + Зображення + + + All files + Всі файли + + + Select Image + Вибір зображення + + + Can't delete icon! + Неможливо видалити значок! + + + Can't delete icon. Still used by %n item(s). + Ви дійсно хочете перемістити %n запис в смітник?Ви дійсно хочете перемістити %n записи в смітник?Ви дійсно хочете перемістити %n записів в смітник? + + + + EditWidgetProperties + + Created: + Створено: + + + Modified: + Змінено: + + + Accessed: + Доступ: + + + Uuid: + Uuid: + + + + EntryAttributesModel + + Name + Ім’я + + + + EntryHistoryModel + + Last modified + Остання зміна + + + Title + Заголовок + + + Username + Ім’я користувача + + + URL + URL + + + + EntryModel + + Group + Група + + + Title + Заголовок + + + Username + Ім’я користувача + + + URL + URL + + + + Group + + Recycle Bin + Смітник + + + + KeePass1OpenWidget + + Import KeePass1 database + Імпортувати сховище KeePass 1 + + + Error + Помилка + + + Unable to open the database. + Неможливо відкрити сховище. + + + + KeePass1Reader + + Unable to read keyfile. + Неможливо прочитати файл-ключ. + + + Not a KeePass database. + Це не сховище KeePass. + + + Unsupported encryption algorithm. + Алгоритм шифрування не підтримується. + + + Unsupported KeePass database version. + Версія сховища KeePass не підтримується. + + + Root + Корінь + + + Unable to calculate master key + Неможливо вирахувати майстер-пароль + + + + KeePass2Reader + + Not a KeePass database. + Не сховище KeePass. + + + Unsupported KeePass database version. + Версія сховища KeePass не підтримується. + + + Wrong key or database file is corrupt. + Неправильний ключ або файл сховища пошкоджено. + + + Unable to calculate master key + Неможливо вирахувати майстер-пароль + + + + Main + + Fatal error while testing the cryptographic functions. + Невиправна помилка в процесі тестування криптографічних функцій. + + + KeePassX - Error + KeePassX — Помилка + + + + MainWindow + + Database + Сховище + + + Recent databases + Недавні сховища + + + Help + Довідка + + + Entries + Записи + + + Copy attribute to clipboard + Копіювати атрибут в буфер обміну + + + Groups + Групи + + + View + Вигляд + + + Quit + Вихід + + + About + Про програму + + + Open database + Відкрити сховище + + + Save database + Зберегти сховище + + + Close database + Закрити сховище + + + New database + Нове сховище + + + Add new entry + Додати новий запис + + + View/Edit entry + Проглянути/змінити запис + + + Delete entry + Видалити запис + + + Add new group + Додати нову групу + + + Edit group + Редагувати групу + + + Delete group + Видалити групу + + + Save database as + Зберегти сховище як + + + Change master key + Змінити майстер-пароль + + + Database settings + Параметри сховища + + + Import KeePass 1 database + Імпортувати сховище KeePass 1 + + + Clone entry + Клонувати запис + + + Find + Знайти + + + Copy username to clipboard + Копіювати ім’я користувача в буфер обміну + + + Copy password to clipboard + Копіювати пароль в буфер обміну + + + Settings + Налаштування + + + Perform Auto-Type + Здійснити автозаповнення + + + Open URL + Відкрити URL + + + Lock databases + Заблокувати сховище + + + Title + Заголовок + + + URL + URL + + + Notes + Примітки + + + Show toolbar + Показати панель инструментів + + + read-only + тільки для читання + + + Toggle window + Перемкнути вікно + + + Tools + Інструменти + + + Copy username + Копіювати ім’я користувача + + + Copy password + Копіювати пароль + + + Export to CSV file + Експортувати в файл CSV + + + + PasswordGeneratorWidget + + Password: + Пароль: + + + Length: + Довжина: + + + Character Types + Види символів + + + Upper Case Letters + Великі літери + + + Lower Case Letters + Малі літери + + + Numbers + Цифри + + + Special Characters + Спеціальні символи + + + Exclude look-alike characters + Виключити неоднозначні символи + + + Ensure that the password contains characters from every group + Переконатися, що пароль містить символи всіх видів + + + Accept + Прийняти + + + + QCommandLineParser + + Displays version information. + Показує інформацію про версію. + + + Displays this help. + Показує цю довідку. + + + Unknown option '%1'. + Невідома опція «%1». + + + Unknown options: %1. + Невідомі опції %1. + + + Missing value after '%1'. + Пропущено значення після «%1». + + + Unexpected value after '%1'. + Непередбачене значення після «%1». + + + [options] + [опції] + + + Usage: %1 + Використання: %1 + + + Options: + Опції: + + + Arguments: + Аргументи: + + + + QSaveFile + + Existing file %1 is not writable + Існуючий файл %1 непридатний для запису + + + Writing canceled by application + Запис відмінено застосунком + + + Partial write. Partition full? + Частковий запис. Разділ переповнений? + + + + QtIOCompressor + + Internal zlib error when compressing: + Внутрішня помилка zlib при стисненні: + + + Error writing to underlying device: + Помилка запису на основний пристрій: + + + Error opening underlying device: + Помилка відкриття основного пристрою: + + + Error reading data from underlying device: + Помилка читання з основного пристрою: + + + Internal zlib error when decompressing: + Внутрішня помилка zlib при розпакуванні: + + + + QtIOCompressor::open + + The gzip format not supported in this version of zlib. + Формат gzip не підтримується в цій версії zlib. + + + Internal zlib error: + Внутрішня помилка zlib: + + + + SearchWidget + + Find: + Знайти: + + + Case sensitive + Враховується регістр + + + Current group + Поточна група + + + Root group + Коренева група + + + + SettingsWidget + + Application Settings + Параметри застосунку + + + General + Загальні + + + Security + Безпека + + + + SettingsWidgetGeneral + + Remember last databases + Пам’ятати останнє сховище + + + Open previous databases on startup + Відкривати останнє сховище під час запуску + + + Automatically save on exit + Автоматично зберігати при виході + + + Automatically save after every change + Автоматично зберігати після кожної зміни + + + Minimize when copying to clipboard + Згортати при копіюванні до буфера обміну + + + Use group icon on entry creation + Використовувати для нових записів значок групи + + + Global Auto-Type shortcut + Глобальні сполучення клавіш для автозаповнення + + + Use entry title to match windows for global auto-type + Використовувати заголовок запису для вибору вікон для глобального автозаповнення + + + Language + Мова + + + Show a system tray icon + Показувати значок в треї + + + Hide window to system tray when minimized + При згортанні ховати вікно в область системних повідомлень + + + Remember last key files + Пам’ятати останні файл-ключі + + + + SettingsWidgetSecurity + + Clear clipboard after + Очищати буфер обміну через + + + sec + сек + + + Lock databases after inactivity of + Заблокувати сховище, неактивне протягом + + + Show passwords in cleartext by default + Типово показувати пароль у відкритому вигляді + + + Always ask before performing auto-type + Завжди запитувати перед автозаповненням + + + + UnlockDatabaseWidget + + Unlock database + Розблокувати сховище + + + + WelcomeWidget + + Welcome! + Ласкаво просимо! + + + + main + + KeePassX - cross-platform password manager + KeePassX — кросплатформний менеджер паролів + + + filename of the password database to open (*.kdbx) + назва файла сховища паролів, що відкривається (*.kdbx) + + + path to a custom config file + шлях до власного файла налаштувань + + + key file of the database + файл-ключ сховища + + + \ No newline at end of file diff --git a/share/translations/keepassx_zh_TW.ts b/share/translations/keepassx_zh_TW.ts index 6a4ed3423..1d7c2f2de 100644 --- a/share/translations/keepassx_zh_TW.ts +++ b/share/translations/keepassx_zh_TW.ts @@ -9,6 +9,10 @@ KeePassX is distributed under the term of the GNU General Public License (GPL) version 2 or (at your option) version 3. KeePassX 是使用第 2 版 GNU 通用公共授權條款所發佈的 (或者,可根據你的選擇選用第 3 版) + + Revision + 修改紀錄 + AutoType @@ -306,19 +310,26 @@ Otherwise your changes are lost. "%1" is in edit mode. Discard changes and close anyway? - + "%1" 正在編輯模式。 +是否要放棄編輯及關閉? Export database to CSV file - + 將資料庫輸出成 CSV 檔案 CSV file - + CSV 檔案 Writing the CSV file failed. - + 寫入 CSV 檔案失敗 + + + The database you are trying to save as is locked by another instance of KeePassX. +Do you want to save it anyway? + 你嘗試要打開的資料庫已經被另一個正在執行的 KeePassX 鎖定 +還要儲存嗎? @@ -985,15 +996,15 @@ Discard changes and close anyway? Copy username - + 複製使用者名稱 Copy password - + 複製密碼 Export to CSV file - + 輸出成 CSV 檔案 @@ -1267,10 +1278,6 @@ Discard changes and close anyway? path to a custom config file 自定設定檔的路徑 - - password of the database (DANGEROUS!) - 資料庫的密碼(危險!) - key file of the database 資料庫的金鑰 From 24275d8dc40b3b048a4dde4dca9ceb63a19be8af Mon Sep 17 00:00:00 2001 From: Felix Geyer Date: Sun, 6 Dec 2015 22:19:05 +0100 Subject: [PATCH 12/12] Bump version. --- CMakeLists.txt | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/CMakeLists.txt b/CMakeLists.txt index 233f0f920..3a6ae6c1d 100644 --- a/CMakeLists.txt +++ b/CMakeLists.txt @@ -33,8 +33,8 @@ option(WITH_TESTS "Enable building of unit tests" ON) option(WITH_GUI_TESTS "Enable building of GUI tests" OFF) option(WITH_CXX11 "Build with the C++ 11 standard" ON) -set(KEEPASSX_VERSION "2.0 beta 2") -set(KEEPASSX_VERSION_NUM "1.9.92") +set(KEEPASSX_VERSION "2.0") +set(KEEPASSX_VERSION_NUM "2.0") if("${CMAKE_C_COMPILER}" MATCHES "clang$" OR "${CMAKE_C_COMPILER_ID}" STREQUAL "Clang") set(CMAKE_COMPILER_IS_CLANG 1)