diff --git a/changelog b/changelog
index 4433a14..ebf67d3 100644
--- a/changelog
+++ b/changelog
@@ -1,3 +1,42 @@
+----------------------------
+ 0.4.0beta1 ()
+----------------------------
+- Added pronounceable password generator
+- Added action "Copy URL to Clipboard"
+- Added "Tools" button to EditEntryDlg: Window List and Auto-Type sequence
+- Improved Auto-Typing: ability to type all unicode characters
+- Added option to save database after every change
+- Associate KeePassX with *.kdb files on Linux and Mac OS
+- Display warning when opening a database that is already opened
+- Distinguish between adding groups and subgroups (Bug #2194057)
+- Store list of preferred characters in password generator (Bug #2432748)
+- Implemented backup feature
+- Don't include entries from "Backup" group in search results
+- Clear Klipper history when clearing clipboard
+- Redesigned the Settings dialog and added ability to select language
+- Added gl_ES and it_IT translations
+- Cache and protect MasterKey - speeds up saving database
+- Added 2 new password generator options
+- Fixed: Unnamed Database saved as ".kdb" (Bugs #2109972, #2118340)
+- Fixed: Date of Modification isn't updated (Bugs #2108658, #2121768)
+- Fixed: Predefined expire times don't work (Bug #2109987)
+- Fixed: Sorting isn't consistent (Bug #2108655)
+- Fixed: KeepassX fails to lock itself after Ctrl-V (Bug #2106604)
+- Fixed: Position of main window not properly restored (Bugs #2090649, #2371738, #2336064)
+- Fixed: No password generated using list of very special characters (Bug #2230887)
+- Fixed: Crash if minimize to systray with locked workbench on Mac OS (Bug #2482531)
+- Fixed: Exports aren't sorted consistently (Bug #2108661)
+- Improved the initialization of the Windows RNG and fallback random number source (Bug #2091784)
+- Improved Mac OS bundle information (Bugs #2096992, #1921260)
+- Improve tab order in many dialogs (Bug #2130397)
+- Added nostrip qmake option
+
+----------------------------
+ 0.3.4 (2008-11-09)
+----------------------------
+- fixed crash when auto-typing special characters (Bug #2111588)
+- only allow plain text in comment field
+
----------------------------
0.3.3 (2008-08-11)
----------------------------
diff --git a/share/macx_bundle/Info.plist b/share/macx_bundle/Info.plist
index 036d86b..c48ceb2 100644
--- a/share/macx_bundle/Info.plist
+++ b/share/macx_bundle/Info.plist
@@ -16,7 +16,7 @@
APPLCFBundleGetInfoString
- KeePassX 0.4.0b
+ KeePassX 0.4.0beta1CFBundleSignaturekpsx
@@ -25,10 +25,10 @@
KeePassXCFBundleVersion
- 0.4.0b
+ 0.4.0beta1CFBundleShortVersionString
- 0.4.0b
+ 0.4.0b1CFBundleNameKeePassX
diff --git a/src/Database.h b/src/Database.h
index 8eb07d0..3bf30d1 100644
--- a/src/Database.h
+++ b/src/Database.h
@@ -122,22 +122,22 @@ public:
virtual void setExpire(const KpxDateTime& Expire)=0;
virtual void setBinary(const QByteArray& BinaryData)=0;
- virtual KpxUuid uuid()=0;
- virtual IGroupHandle* group()=0;
- virtual quint32 image()=0;
- virtual QString title()=0;
- virtual QString url()=0;
- virtual QString username()=0;
- virtual SecString password()=0;
- virtual QString comment()=0;
- virtual QString binaryDesc()=0;
- virtual KpxDateTime creation()=0;
- virtual KpxDateTime lastMod()=0;
- virtual KpxDateTime lastAccess()=0;
- virtual KpxDateTime expire()=0;
- virtual QByteArray binary()=0;
- virtual quint32 binarySize()=0;
- virtual QString friendlySize()=0;
+ virtual KpxUuid uuid()const=0;
+ virtual IGroupHandle* group()const=0;
+ virtual quint32 image()const=0;
+ virtual QString title()const=0;
+ virtual QString url()const=0;
+ virtual QString username()const=0;
+ virtual SecString password()const=0;
+ virtual QString comment()const=0;
+ virtual QString binaryDesc()const=0;
+ virtual KpxDateTime creation()const=0;
+ virtual KpxDateTime lastMod()const=0;
+ virtual KpxDateTime lastAccess()const=0;
+ virtual KpxDateTime expire()const=0;
+ virtual QByteArray binary()const=0;
+ virtual quint32 binarySize()const=0;
+ virtual QString friendlySize()const=0;
//! \return the index of the entry amongst the entries of its group. The index of the first entry is 0.
virtual int visualIndex()const=0;
@@ -280,6 +280,10 @@ public:
//! \return a list of pointers to the handles of all entries which belong to the given group. The list contains only valid handles and is sorted in an ascending order regarding to the entry indices.
virtual QList entries(IGroupHandle* Group)=0;
+ //! \param Group The group which contains the wanted entries.
+ //! \return a list of pointers to the handles of all entries which belong to the given group. The list contains only valid handles and is sorted in an ascending order (title, username).
+ virtual QList entriesSortedStd(IGroupHandle* Group)=0;
+
//! \return a list with the pointers to the handles of all expired entries of the database. The list contains only valid handles. The list is not sorted.
virtual QList expiredEntries()=0;
diff --git a/src/Kdb3Database.cpp b/src/Kdb3Database.cpp
index 0340fac..a8a1060 100644
--- a/src/Kdb3Database.cpp
+++ b/src/Kdb3Database.cpp
@@ -28,15 +28,26 @@
const QDateTime Date_Never(QDate(2999,12,28),QTime(23,59,59));
-bool EntryHandleLessThan(const IEntryHandle* This,const IEntryHandle* Other){
+bool Kdb3Database::EntryHandleLessThan(const IEntryHandle* This,const IEntryHandle* Other){
if(!This->isValid() && Other->isValid())return true;
if(This->isValid() && !Other->isValid())return false;
if(!This->isValid() && !Other->isValid())return false;
return This->visualIndex()visualIndex();
+}
+bool Kdb3Database::EntryHandleLessThanStd(const IEntryHandle* This,const IEntryHandle* Other){
+ int comp = This->title().compare(Other->title());
+ if (comp < 0) return true;
+ else if (comp > 0) return false;
+
+ comp = This->username().compare(Other->username());
+ if (comp < 0) return true;
+ else if (comp > 0) return false;
+
+ return true;
}
-bool StdEntryLessThan(const Kdb3Database::StdEntry& This,const Kdb3Database::StdEntry& Other){
+bool Kdb3Database::StdEntryLessThan(const Kdb3Database::StdEntry& This,const Kdb3Database::StdEntry& Other){
return This.Index Kdb3Database::expiredEntries(){
return handles;
}
-QList Kdb3Database::entries(IGroupHandle* group){
+QList Kdb3Database::entries(IGroupHandle* Group){
QList handles;
for(int i=0; i Kdb3Database::entries(IGroupHandle* group){
return handles;
}
+QList Kdb3Database::entriesSortedStd(IGroupHandle* Group){
+ QList handles;
+ for(int i=0; iBinaryDes
void Kdb3Database::EntryHandle::setComment(const QString& s){Entry->Comment=s;}
void Kdb3Database::EntryHandle::setBinary(const QByteArray& s){Entry->Binary=s;}
void Kdb3Database::EntryHandle::setImage(const quint32& s){Entry->Image=s;}
-KpxUuid Kdb3Database::EntryHandle::uuid(){return Entry->Uuid;}
-IGroupHandle* Kdb3Database::EntryHandle::group(){return Entry->Group->Handle;}
-quint32 Kdb3Database::EntryHandle::image(){return Entry->Image;}
-QString Kdb3Database::EntryHandle::title(){return Entry->Title;}
-QString Kdb3Database::EntryHandle::url(){return Entry->Url;}
-QString Kdb3Database::EntryHandle::username(){return Entry->Username;}
-SecString Kdb3Database::EntryHandle::password(){return Entry->Password;}
-QString Kdb3Database::EntryHandle::comment(){return Entry->Comment;}
-QString Kdb3Database::EntryHandle::binaryDesc(){return Entry->BinaryDesc;}
-KpxDateTime Kdb3Database::EntryHandle::creation(){return Entry->Creation;}
-KpxDateTime Kdb3Database::EntryHandle::lastMod(){return Entry->LastMod;}
-KpxDateTime Kdb3Database::EntryHandle::lastAccess(){return Entry->LastAccess;}
-KpxDateTime Kdb3Database::EntryHandle::expire(){return Entry->Expire;}
-QByteArray Kdb3Database::EntryHandle::binary(){return Entry->Binary;}
-quint32 Kdb3Database::EntryHandle::binarySize(){return Entry->Binary.size();}
-
-QString Kdb3Database::EntryHandle::friendlySize()
+KpxUuid Kdb3Database::EntryHandle::uuid()const{return Entry->Uuid;}
+IGroupHandle* Kdb3Database::EntryHandle::group()const{return Entry->Group->Handle;}
+quint32 Kdb3Database::EntryHandle::image()const{return Entry->Image;}
+QString Kdb3Database::EntryHandle::title()const{return Entry->Title;}
+QString Kdb3Database::EntryHandle::url()const{return Entry->Url;}
+QString Kdb3Database::EntryHandle::username()const{return Entry->Username;}
+SecString Kdb3Database::EntryHandle::password()const{return Entry->Password;}
+QString Kdb3Database::EntryHandle::comment()const{return Entry->Comment;}
+QString Kdb3Database::EntryHandle::binaryDesc()const{return Entry->BinaryDesc;}
+KpxDateTime Kdb3Database::EntryHandle::creation()const{return Entry->Creation;}
+KpxDateTime Kdb3Database::EntryHandle::lastMod()const{return Entry->LastMod;}
+KpxDateTime Kdb3Database::EntryHandle::lastAccess()const{return Entry->LastAccess;}
+KpxDateTime Kdb3Database::EntryHandle::expire()const{return Entry->Expire;}
+QByteArray Kdb3Database::EntryHandle::binary()const{return Entry->Binary;}
+quint32 Kdb3Database::EntryHandle::binarySize()const{return Entry->Binary.size();}
+
+QString Kdb3Database::EntryHandle::friendlySize()const
{
quint32 binsize = binarySize();
QString unit;
diff --git a/src/Kdb3Database.h b/src/Kdb3Database.h
index c60e48e..82ef9cf 100644
--- a/src/Kdb3Database.h
+++ b/src/Kdb3Database.h
@@ -60,25 +60,25 @@ public:
virtual void setLastAccess(const KpxDateTime& LastAccess);
virtual void setExpire(const KpxDateTime& Expire);
virtual void setBinary(const QByteArray& BinaryData);
- virtual KpxUuid uuid();
- virtual IGroupHandle* group();
- virtual quint32 image();
+ virtual KpxUuid uuid()const;
+ virtual IGroupHandle* group()const;
+ virtual quint32 image()const;
virtual int visualIndex() const;
virtual void setVisualIndex(int i);
virtual void setVisualIndexDirectly(int i);
- virtual QString title();
- virtual QString url();
- virtual QString username();
- virtual SecString password();
- virtual QString comment();
- virtual QString binaryDesc();
- virtual KpxDateTime creation();
- virtual KpxDateTime lastMod();
- virtual KpxDateTime lastAccess();
- virtual KpxDateTime expire();
- virtual QByteArray binary();
- virtual quint32 binarySize();
- virtual QString friendlySize();
+ virtual QString title()const;
+ virtual QString url()const;
+ virtual QString username()const;
+ virtual SecString password()const;
+ virtual QString comment()const;
+ virtual QString binaryDesc()const;
+ virtual KpxDateTime creation()const;
+ virtual KpxDateTime lastMod()const;
+ virtual KpxDateTime lastAccess()const;
+ virtual KpxDateTime expire()const;
+ virtual QByteArray binary()const;
+ virtual quint32 binarySize()const;
+ virtual QString friendlySize()const;
virtual bool isValid() const;
virtual CEntry data()const;
private:
@@ -164,6 +164,7 @@ public:
virtual QList entries();
virtual QList entries(IGroupHandle* Group);
+ virtual QList entriesSortedStd(IGroupHandle* Group);
virtual QList expiredEntries();
virtual IEntryHandle* cloneEntry(const IEntryHandle* entry);
@@ -212,6 +213,9 @@ private:
void rebuildIndices(QList& list);
void restoreGroupTreeState();
//void copyTree(Kdb3Database* db, GroupHandle* orgGroup, IGroupHandle* parent);
+ static bool EntryHandleLessThan(const IEntryHandle* This,const IEntryHandle* Other);
+ static bool EntryHandleLessThanStd(const IEntryHandle* This,const IEntryHandle* Other);
+ static bool StdEntryLessThan(const Kdb3Database::StdEntry& This,const Kdb3Database::StdEntry& Other);
StdEntry* getEntry(const KpxUuid& uuid);
StdEntry* getEntry(EntryHandle* handle);
diff --git a/src/export/Export_KeePassX_Xml.cpp b/src/export/Export_KeePassX_Xml.cpp
index db56f43..6c6feba 100644
--- a/src/export/Export_KeePassX_Xml.cpp
+++ b/src/export/Export_KeePassX_Xml.cpp
@@ -27,11 +27,11 @@ bool Export_KeePassX_Xml::exportDatabase(QWidget* GuiParent,IDatabase* database)
QDomDocument doc("KEEPASSX_DATABASE");
QDomElement root=doc.createElement("database");
doc.appendChild(root);
- QList Groups=db->groups();
+ QList Groups=db->sortedGroups();
for(int i=0;iparent()==NULL){
- addGroup(Groups[i],root,doc);
- }
+ addGroup(Groups[i],root,doc);
+ }
}
file->write(doc.toByteArray());
file->close();
@@ -52,7 +52,7 @@ void Export_KeePassX_Xml::addGroup(IGroupHandle* group,QDomElement& parent,QDomD
for(int i=0;i entries=db->entries(group);
+ QList entries=db->entriesSortedStd(group);
for(int i=0;i groups=db->sortedGroups();
for(int g=0;gwrite(GroupTemplate.arg(groups[g]->title()).toUtf8());
- QList entries=db->entries(groups[g]);
+ QList entries=db->entriesSortedStd(groups[g]);
for(int e=0;epassword();
password.unlock();
diff --git a/src/forms/AboutDlg.ui b/src/forms/AboutDlg.ui
index 4e4d859..7f6474a 100644
--- a/src/forms/AboutDlg.ui
+++ b/src/forms/AboutDlg.ui
@@ -138,7 +138,7 @@
- Copyright (C) 2005 - 2008 KeePassX Team
+ Copyright (C) 2005 - 2009 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
diff --git a/src/mainwindow.cpp b/src/mainwindow.cpp
index 599400b..53e161c 100644
--- a/src/mainwindow.cpp
+++ b/src/mainwindow.cpp
@@ -1067,7 +1067,9 @@ void KeepassMainWindow::hideEvent(QHideEvent* event){
void KeepassMainWindow::showEvent(QShowEvent* event){
if (IsLocked && !InUnLock && event->spontaneous()){
+#ifndef Q_WS_MAC
showNormal(); // workaround for some graphic glitches
+#endif
OnUnLockWorkspace();
}
@@ -1081,7 +1083,15 @@ void KeepassMainWindow::OnExtrasSettings(){
if (config->language() != oldLang){
retranslateUi(this);
EntryView->updateColumns();
-
+ if (FileOpen) {
+ if (db->file())
+ setWindowTitle(QString("%1[*] - KeePassX").arg(db->file()->fileName()));
+ else
+ setWindowTitle(QString("[%1][*] - KeePassX").arg(tr("new")));
+ }
+ else {
+ setWindowTitle(APP_DISPLAY_NAME);
+ }
}
EntryView->setAlternatingRowColors(config->alternatingRowColors());
diff --git a/src/translations/keepassx-cs_CZ.ts b/src/translations/keepassx-cs_CZ.ts
index 3f2d5f7..cab1a03 100644
--- a/src/translations/keepassx-cs_CZ.ts
+++ b/src/translations/keepassx-cs_CZ.ts
@@ -21,13 +21,13 @@
- Marek Straka
+ Marek StrakaHere you can enter your email or homepage if you want.
- marek@straka.info (<a href="http://marek.straka.info">marek.straka.info</a>)
+ marek@straka.info (<a href="http://marek.straka.info">marek.straka.info</a>)
@@ -40,7 +40,7 @@
Tarek Saidi
-
+ Vývojář, vedoucí projektu
@@ -55,7 +55,7 @@
Eugen Gorschenin
-
+ Webový designér
@@ -65,7 +65,7 @@
geugen@users.berlios.de
-
+ Poděkování
@@ -75,7 +75,7 @@
Matthias Miller
-
+ Patches pro lepší MacOS X podporu
@@ -90,32 +90,32 @@
James Nicholls
-
+ Hlavní ikonka aplikace
-
+
-
+ Chyba
-
+ Soubor '%1' nemohl být nalezen.
-
+ Ujistěte se, že program je správně nainstalován.
-
+ OK
@@ -137,7 +137,7 @@
http://keepassx.sf.net
-
+
@@ -166,17 +166,17 @@
AboutDlg
-
+ O aplikaci
-
+ Licence
-
+ Překlad
@@ -195,33 +195,33 @@ KeePassX je šířen pod podmínkami
General Public License (GPL) verze 2.
-
+ Poděkování
-
+ http://keepassx.sourceforge.net
-
+ keepassx@gmail.com
-
+
-
+
-
-
More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Nalezena více než jedna 'Auto-Type:' klíčová sekvence
+ Nalezena více než jedna 'Auto-Type:' klíčová sekvence
Je dovolena pouze jedna na každý záznam.
@@ -286,17 +286,6 @@ Je dovolena pouze jedna na každý záznam.
ErrorChyba
-
-
- Syntax Error in Auto-Type sequence near character %1
-Found '{' without closing '}'
-
-
-
-
- Auto-Type string contains invalid characters
-
- AutoTypeDlg
@@ -526,24 +515,24 @@ http://keepassx.sourceforge.net/
CEditEntryDlg
-
+ WarningUpozornění
-
+ Password and password repetition are not equal.
Please check your input.Heslo a opakované heslo nejsou stejné
Prosím zkontrolujte zadané údaje.
-
+ OKOK
-
+ Save Attachment...Uložit přílohu...
@@ -560,7 +549,7 @@ Do you want to replace it?
Chcete ho přepsat?
-
+ YesAno
@@ -570,7 +559,7 @@ Chcete ho přepsat?
Ne
-
+ ErrorChyba
@@ -585,104 +574,104 @@ Chcete ho přepsat?
Nelze vytvořit nový soubor.
-
+ Error while writing the file.Chyba při zápisu souboru.
-
+ Delete Attachment?Smazat přílohu?
-
+ You are about to delete the attachment of this entry.
Are you sure?Chystáte se smazat přílohu tohoto záznamu.
Jste si tím jistí?
-
+ No, CancelNe, zrušit
-
+ Edit EntryUpravit záznam
-
+ Could not open file.Nelze otevřít soubor.
-
+ %1 Bit%1 bitů
-
+ Add Attachment...Připojit přílohu...
-
+ The chosen entry has no attachment or it is empty.
-
+ Today
-
+ 1 Week
-
+ 2 Weeks
-
+ 3 Weeks
-
+ 1 Month
-
+ 3 Months
-
+ 6 Months
-
+ 1 Year
-
+ Calendar...
-
+ [Untitled Entry]
-
+ New Entry
@@ -692,17 +681,17 @@ Jste si tím jistí?
Notice
- Poznámka
+ PoznámkaYou need to enter at least one character
- Je nutné vložit minimálně jeden znak
+ Je nutné vložit minimálně jeden znakOK
- OK
+ OK
@@ -715,7 +704,7 @@ Jste si tím jistí?
Nelze otevřít '/dev/random' nebo '/dev/urandom'.
-
+ Password GeneratorGenerátor hesla
@@ -725,7 +714,7 @@ Jste si tím jistí?
%1 bitů
-
+ %1 Bits
@@ -903,12 +892,12 @@ Prosím zkontrolujte jeho parametry.
Smazat
-
+ Add Icons...Přidat ikonky...
-
+ Images (%1)Obrázky (%1)
@@ -920,7 +909,7 @@ Prosím zkontrolujte jeho parametry.
-
+ ErrorChyba
@@ -937,7 +926,7 @@ Prosím zkontrolujte jeho parametry.
%1
-
+ An error occured while loading the icon.Během otevírání ikonky se vyskytla chyba.
@@ -957,7 +946,7 @@ Prosím zkontrolujte jeho parametry.
-
+ An error occured while loading the icon(s):
@@ -965,17 +954,17 @@ Prosím zkontrolujte jeho parametry.
CSettingsDlg
-
+ SettingsNastavení
-
+ Select a directory...Výběr adresáře...
-
+ Select an executable...
@@ -1083,187 +1072,187 @@ p, li { white-space: pre-wrap; }
-
+ Rich Text Editor
-
+ Bold
-
+ B
-
+ Italic
-
+ I
-
+ Underlined
-
+ U
-
+ Left-Aligned
-
+ L
-
+ Centered
-
+ C
-
+ Right-Aligned
-
+ R
-
+ Justified
-
+ Text Color
-
+ Font Size
-
+ 6
-
+ 7
-
+ 8
-
+ 9
-
+ 10
-
+ 11
-
+ 12
-
+ 14
-
+ 16
-
+ 18
-
+ 20
-
+ 22
-
+ 24
-
+ 26
-
+ 28
-
+ 36
-
+ 42
-
+ 78
-
+ Templates
-
+ T
-
+ HTML
@@ -1312,52 +1301,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ Group
-
+ TitleNázev
-
+ Username
-
+ PasswordHeslo
-
+ URLURL
-
+ CreationVytvoření
-
+ Last AccessPoslední přístup
-
+ Last Modification
-
+ Expiration
-
+ CommentKomentář
@@ -1370,47 +1359,47 @@ p, li { white-space: pre-wrap; }
Úprava záznamu
-
+ Username:Uživatel:
-
+ Password Repet.:Zopakování hesla:
-
+ Title:Název:
-
+ URL:URL:
-
+ Password:Heslo:
-
+ Quality:Úroveň zajištění:
-
+ Comment:Komentář:
-
+ Expires:Platnost vyprší:
-
+ Group:Skupina:
@@ -1425,17 +1414,17 @@ p, li { white-space: pre-wrap; }
Alt+C
-
+ %1%1
-
+ Icon:Ikonka:
-
+ Ge&n.Ge&n.
@@ -1455,12 +1444,12 @@ p, li { white-space: pre-wrap; }
Alt+K
-
+ NeverNikdy
-
+ Attachment:Příloha:
@@ -1470,7 +1459,7 @@ p, li { white-space: pre-wrap; }
>
-
+ %1 Bit%1 bitů
@@ -1483,12 +1472,12 @@ p, li { white-space: pre-wrap; }
Vlastnosti skupiny
-
+ Title:Název:
-
+ Icon:Ikonka:
@@ -1513,7 +1502,7 @@ p, li { white-space: pre-wrap; }
Alt+K
-
+ >>
@@ -1600,90 +1589,90 @@ p, li { white-space: pre-wrap; }
ExporterBase
-
- Import File...
+
+ Export Failed
-
- Export Failed
+
+ Export File...FileErrors
-
+ No error occurred.
-
+ An error occurred while reading from the file.
-
+ An error occurred while writing to the file.
-
+ A fatal error occurred.
-
+ An resource error occurred.
-
+ The file could not be opened.
-
+ The operation was aborted.
-
+ A timeout occurred.
-
+ An unspecified error occurred.
-
+ The file could not be removed.
-
+ The file could not be renamed.
-
+ The position in the file could not be changed.
-
+ The file could not be resized.
-
+ The file could not be accessed.
-
+ The file could not be copied.
@@ -1691,22 +1680,22 @@ p, li { white-space: pre-wrap; }
GenPwDlg
-
+ Alt+UAlt+U
-
+ Alt+NAlt+N
-
+ Alt+MAlt+M
-
+ Alt+LAlt+L
@@ -1726,54 +1715,54 @@ p, li { white-space: pre-wrap; }
&zrušit
-
+ GenerateVygenerovat
-
+ New Password:Nové heslo:
-
+ Quality:Kvalita:
-
+ OptionsVolby
-
+ &Upper Letters&Velká písmena
-
+ &Lower Letters&Malá písmena
-
+ &NumbersČís&la
-
+ &Special Characters&Zvláštní znakyMinus
- Minus
+ MinusU&nderline
- Po&dtržítko
+ Po&dtržítko
@@ -1786,17 +1775,17 @@ p, li { white-space: pre-wrap; }
Alt+H
-
+ Use &only following characters:Používat &jen následující znaky:
-
+ Alt+OAlt+O
-
+ Length:Délka:
@@ -1806,35 +1795,90 @@ p, li { white-space: pre-wrap; }
Použít "/dev/rando&m"
-
+ Use follo&wing character groups:Použít následující &skupiny znaků:
-
+ Alt+WAlt+WWhite &Spaces
- Me&zery
+ Me&zery
-
+ Alt+SAlt+S
-
+ Enable entropy collection
-
+ Collect only once per session
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
+ Import_KWalletXml
@@ -1901,62 +1945,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ PwManager Files (*.pwm)
-
+ All Files (*)
-
+ Import Failed
-
+ File is empty.Soubor je prázdný.
-
+ File is no valid PwManager file.Soubor není ve formátu PwManager.
-
+ Unsupported file version.Nepodporovaná verze souboru.
-
+ Unsupported hash algorithm.Nepodporovaný hash algoritmus.
-
+ Unsupported encryption algorithm.Nepodporovaný šifrovací algoritmus.
-
+ Compressed files are not supported yet.Zkompresované soubory nejsou ještě podporovány.
-
+ Wrong password.Chybné heslo.
-
+ File is damaged (hash test failed).Soubor je poškozen (hast test selhall).
-
+ Invalid XML data (see stdout for details).Neplatná XML data (viz stdout pro podrobnosti).
@@ -1977,39 +2021,39 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Neočekávaná velikost souboru (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong SignatureChybný podpis
-
+ Unsupported File Version.Nepodporovaná verze souboru.
-
+ Unknown Encryption Algorithm.Neznámý algoritmus zašifrování.
-
+ Decryption failed.
The key is wrong or the file is damaged.Rozšifrování se nepodařilo.
Buď je nesprávný klíč nebo je soubor poškozen.
-
+ Hash test failed.
The key is wrong or the file is damaged.Hash test selhal.
@@ -2041,50 +2085,55 @@ Klíč je chybný nebo je soubor poškozen.Neočekávaná chyba: Offset je mimo rozsah. [E3]
-
+ Invalid group tree.
-
+ Key file is empty.
-
+ The database must contain at least one group.
-
+ Could not open file for writing.Nebylo možné otevřít soubor pro zápis.
-
+ Unexpected error: Offset is out of range.
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ Bytes
-
+ KiB
-
+ MiB
-
+ GiB
@@ -2092,52 +2141,52 @@ Klíč je chybný nebo je soubor poškozen.
KeepassEntryView
-
+ TitleNázev
-
+ UsernameUživatelské jméno
-
+ URLURL
-
+ PasswordHeslo
-
+ CommentsKomentáře
-
+ ExpiresVyprší
-
+ CreationVytvoření
-
+ Last ChangePoslední změna
-
+ Last AccessPoslední přístup
-
+ AttachmentPříloha
@@ -2147,37 +2196,37 @@ Klíč je chybný nebo je soubor poškozen.
%1 položky
-
+ Delete?
-
+ Group
-
+ ErrorChyba
-
+ At least one group must exist before adding an entry.
-
+ OKOK
-
+ Are you sure you want to delete this entry?
-
+ Are you sure you want to delete these %1 entries?
@@ -2185,7 +2234,7 @@ Klíč je chybný nebo je soubor poškozen.
KeepassGroupView
-
+ Search ResultsVýsledky hledání
@@ -2195,95 +2244,95 @@ Klíč je chybný nebo je soubor poškozen.
Skupiny
-
+ Delete?
-
- Are you sure you want to delete this group, all it's child groups and all their entries?
+
+ Are you sure you want to delete this group, all its child groups and all their entries?KeepassMainWindow
-
+ Ctrl+NCtrl+N
-
+ Ctrl+OCtrl+O
-
+ Ctrl+SCtrl+S
-
+ Ctrl+GCtrl+G
-
+ Ctrl+CCtrl+C
-
+ Ctrl+BCtrl+B
-
+ Ctrl+UCtrl+U
-
+ Ctrl+YCtrl+Y
-
+ Ctrl+ECtrl+E
-
+ Ctrl+DCtrl+D
-
+ Ctrl+KCtrl+K
-
+ Ctrl+FCtrl+F
-
+ Ctrl+WCtrl+W
-
+ Shift+Ctrl+SShift+Ctrl+S
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ ErrorChyba
@@ -2300,7 +2349,7 @@ Klíč je chybný nebo je soubor poškozen.
OK
-
+ Save modified file?Uložit změněný soubor?
@@ -2308,7 +2357,7 @@ Klíč je chybný nebo je soubor poškozen.
The current file was modified. Do you want
to save the changes?
- Aktuální soubor byl změněn. Mají být
+ Aktuální soubor byl změněn. Mají být
změny uloženy?
@@ -2337,22 +2386,22 @@ změny uloženy? <B>Skupina: </B>%1 <B>Název: </B>%2 <B>Uživ. jméno: </B>%3 <B>URL: </B><a href=%4>%4</a> <B>Heslo: </B>%5 <B>Vytvořeno: </B>%6 <B>Poslední změna: </B>%7 <B>Poslední přístup: </B>%8 <B>Vyprší: </B>%9
-
+ Clone EntryNaklonovat záznam
-
+ Delete EntrySmazat záznam
-
+ Clone EntriesNaklonovat záznamy
-
+ Delete EntriesSmazat záznamy
@@ -2369,7 +2418,7 @@ změny uloženy?
Uložit databázi jako ...
-
+ ReadyPřipraveno
@@ -2379,17 +2428,17 @@ změny uloženy?
[nový]
-
+ Open Database...Otevřít databázi ...
-
+ Loading Database...Otevírání databáze ...
-
+ Loading FailedOtevření selhalo
@@ -2426,7 +2475,7 @@ změny uloženy?
Neznámá chyba v PwDatabase::openDatabase()
-
+ Ctrl+VCtrl+V
@@ -2441,145 +2490,179 @@ změny uloženy?
KeePassX
-
+ Unknown error while loading database.
-
+ KeePass Databases (*.kdb)
-
+ All Files (*)
-
+ Save Database...
-
+ 1 Month
-
+ %1 Months
-
+ 1 Year
-
+ %1 Years
-
+ 1 Day
-
+ %1 Days
-
+ less than 1 day
-
+ Locked
-
+ Unlocked
-
+ Ctrl+L
-
+ Ctrl+Q
-
+ The database file does not exist.
-
+ new
-
+ Expired
-
+ Un&lock Workspace
-
+ &Lock Workspace
-
+ The following error occured while opening the database:
-
+ File could not be saved.
-
+ Show &Toolbar
-
+ Ctrl+P
-
+ Ctrl+X
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ ErrorChyba
-
+ File '%1' could not be found.Soubor '%1' nemohl být nalezen.
-
+ OKOK
@@ -2607,9 +2690,9 @@ změny uloženy?
KWallet XML-souboru (*.xml)
-
+ Add New Group...
- Přidat novou skupinu...
+ Přidat novou skupinu...
@@ -2752,7 +2835,7 @@ změny uloženy?
Jednoduchého textu (*.txt)
-
+ HideSkrýt
@@ -2787,72 +2870,72 @@ změny uloženy?
28x28
-
+ &View&Zobrazit
-
+ &File&Soubor
-
+ &Import from...&Importovat z ...
-
+ &Export to...&Exportovat do ...
-
+ &Edit&Upravit
-
+ E&xtras&Doplňky
-
+ &Help&Nápověda
-
+ &New Database...Nová &databáze...
-
+ &Open Database...&Otevřít databázi...
-
+ &Close DatabaseZa&vřít databázi
-
+ &Save DatabaseUloži&t databázi
-
+ Save Database &As...Uložit databázi &jako...
-
+ &Database Settings...Nastavení data&báze...
-
+ Change &Master Key...Změnit &master klíč...
@@ -2862,250 +2945,255 @@ změny uloženy?
Uk&ončit
-
+ &Settings...N&astavení...
-
+ &About...O a&plikaci...
-
+ &KeePassX Handbook...&KeePassX příručka...
-
+ Standard KeePass Single User Database (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)
-
+ Recycle Bin...
-
+ GroupsSkupiny
-
+ &Lock Workspace
-
+ &Bookmarks
-
+ Toolbar &Icon Size
-
+ &Columns
-
+ &Manage Bookmarks...
-
+ &Quit
-
- &Add New Group...
-
-
-
-
+ &Edit Group...
-
+ &Delete Group
-
+ Copy Password &to Clipboard
-
+ Copy &Username to Clipboard
-
+ &Open URL
-
+ &Save Attachment As...
-
+ Add &New Entry...
-
+ &View/Edit Entry...
-
+ De&lete Entry
-
+ &Clone Entry
-
+ Search &in Database...
-
+ Search in this &Group...
-
+ Show &Entry Details
-
+ Hide &Usernames
-
+ Hide &Passwords
-
+ &Title
-
+ User&name
-
+ &URL
-
+ &Password
-
+ &Comment
-
+ E&xpires
-
+ C&reation
-
+ &Last Change
-
+ Last &Access
-
+ A&ttachment
-
+ Show &Statusbar
-
+ &Perform AutoType
-
+ &16x16
-
+ &22x22
-
+ 2&8x2828x28 {2&8x?}
-
+ &Password Generator...
-
+ &Group (search results only)
-
+ Show &Expired Entries...
-
+ &Add Bookmark...
-
+ Bookmark &this Database...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+ ManageBookmarksDlg
@@ -3138,70 +3226,70 @@ změny uloženy?
Klíč k databázi
-
+ Last File
-
+ Select a Key FileVyberte soubor s klíčem
-
+ All Files (*)
-
+ Key Files (*.key)
-
+ Please enter a Password or select a key file.Vložte prosím heslo nebo vyberte soubor s klíčem.
-
+ Please enter a Password.Vložte prosím heslo.
-
+ Please provide a key file.
-
+ %1:
No such file or directory.
-
+ The selected key file or directory is not readable.
-
+ The given directory does not contain any key files.Daný adresář neobsahuje žádné soubory s klíči.
-
+ The given directory contains more then one key files.
Please specify the key file directly.
-
+ %1:
File is not readable.
-
+ Create Key File...
@@ -3239,7 +3327,7 @@ File is not readable.
Klíč
-
+ Password:Heslo:
@@ -3249,12 +3337,12 @@ File is not readable.
Soubor s klíčem nebo adresář:
-
+ &Browse...&Projít...
-
+ Alt+BAlt+B
@@ -3279,27 +3367,27 @@ File is not readable.
-
+ Key File:
-
+ Generate Key File...
-
+ Please repeat your password:
-
+ Back
-
+ Passwords are not equal.
@@ -3512,11 +3600,6 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
NeverNikdy
-
-
- Could not locate library file.
-
- SearchDialog
@@ -3670,7 +3753,7 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
SettingsDialog
-
+ Alt+ÖAlt+Ö
@@ -3700,7 +3783,7 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
&Zrušit
-
+ Clear clipboard after:Smazat schránku po:
@@ -3715,47 +3798,47 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
Zobrazovat &hesla vždy jako obyčejný text
-
+ Alt+OAlt+OAppea&rance
- Zo&brazení
+ Zo&brazení
-
+ Banner ColorBarva banneru
-
+ Text Color:Barva textu:
-
+ Change...Změnit...
-
+ Color 2:Barva 2:
-
+ C&hange...Z&měnit...
-
+ Alt+HAlt+H
-
+ Color 1:Barva 1:
@@ -3780,17 +3863,17 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
&Bezpečnost
-
+ Alternating Row ColorsStřídavě barevné podklady řádků
-
+ Browse...Projít...
-
+ Remember last key type and locationZapamatovat naposledy napsaný klíč a umístění
@@ -3800,275 +3883,315 @@ Ujistěte se, že je možný přístup do '~/.keepass'.
Mountovat jako Root:
-
+ Remember last opened fileZapamatovat naposledy otevřený soubor
-
- The integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
-
-
-
-
- General
-
-
-
-
+ Show system tray icon
-
+ Minimize to tray when clicking the main window's close button
-
+ Save recent directories of file dialogs
-
+ Group tree at start-up:
-
+ Restore last state
-
+ Expand all items
-
+ Do not expand any item
-
+ Security
-
+ Edit Entry Dialog
-
- Desktop Integration
-
-
-
-
+ Plug-Ins
-
+ None
-
+ Gnome Desktop Integration (Gtk 2.x)
-
+ KDE 4 Desktop Integration
-
+ You need to restart the program before the changes take effect.
-
+ Configure...
-
+ Advanced
-
+ Clear History Now
-
+ Always ask before deleting entries or groups
-
+ Customize Entry Detail View...
-
- Features
-
-
-
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.
-
+ Bookmarks
-
+ Auto-Type Fine Tuning
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.
-
+ ms
-
+ Pre-Gap:
-
+ Key Stroke Delay:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.
-
+ Media Root:
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.
-
+ Save relative paths (bookmarks and last file)
-
+ Minimize to tray instead of taskbar
-
+ Start minimized
-
+ Start locked
-
+ Lock workspace when minimizing the main window
-
+ Global Auto-Type Shortcut:
-
+ Custom Browser Command
-
+ Browse
-
+ Automatically save database on exit and workspace locking
-
+ Show plain text passwords in:
-
+ Database Key Dialog
-
+ seconds
-
+ Lock database after inactivity of
-
+ Use entries' title to match the window for Global Auto-Type
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ Ctrl
-
+ Shift
-
+ Alt
-
+ AltGr
-
+ Win
@@ -4178,6 +4301,40 @@ Klíč je chybný nebo je soubor poškozen.
Nebylo možné otevřít soubor pro zápis.
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ Marek Straka
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ marek@straka.info (<a href="http://marek.straka.info">marek.straka.info</a>)
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+TrashCanDialog
diff --git a/src/translations/keepassx-de_DE.ts b/src/translations/keepassx-de_DE.ts
index 3c3fe1e..cf85270 100644
--- a/src/translations/keepassx-de_DE.ts
+++ b/src/translations/keepassx-de_DE.ts
@@ -1,5 +1,5 @@
-
+@default
@@ -29,33 +29,33 @@
$TRANSLATION_AUTHOR
- Tarek Saidi
+ Tarek Saidi$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- tarek.saidi@arcor.de
+ tarek.saidi@arcor.deTeam
- Team
+ Team
-
+ Developer, Project Admin
- Entwickler und Projektadministrator
+ Entwickler und Projektadministrator
-
+ Web Designer
-
+ Web Designer
-
+ Thanks To
- Dank An
+ Dank an
@@ -63,39 +63,39 @@
Matthias Miller
-
+ Patches for better MacOS X support
- Patches für bessere MacOS X Unterstützung
+ Patches für bessere MacOS X Unterstützung
-
+ Main Application Icon
- Anwendungssymbol
+ Hauptanwendungssymbol
-
+ Various fixes and improvements
-
+ vielzählige Verbesserungen und Erweiterungen
-
+ Error
- Fehler
+ Fehler
-
+ File '%1' could not be found.
- Datei '%1' konnte nicht geöffnet werden.
+ Datei '%1' konnte nicht geöffnet werden.
-
+ Make sure that the program is installed correctly.
- Stellen Sie sicher, dass das Programm korrekt installiert wurde.
+ Stellen Sie sicher, dass das Programm korrekt installiert wurde.
-
+ OK
- OK
+ OK
@@ -112,34 +112,34 @@
Information on how to translate KeePassX can be found under:
-
+ Informationen wie KeePassX übersetzt werden kann finden sich unter:
-
+ Developer
-
+ EntwicklerCurrent Translation
-
+ aktuelle ÜbersetzungNonePlease replace 'None' with the language of your translation
-
+ nichtsAuthor
-
+ AutorAboutDlg
-
+ AboutÜber
@@ -149,12 +149,12 @@
Dank An
-
+ LicenseLizenz
-
+ TranslationÜbersetzung
@@ -183,36 +183,43 @@ General Public License (GPL) Version 2.
http://keepass.berlios.de/
-
+ Credits
-
+ http://keepassx.sourceforge.net
-
+ http://keepassx.sourceforge.net
-
+ keepassx@gmail.com
-
+ keepassx@gmail.com
-
+ AppName
-
+ Anwendungsname
-
+ AppFunc
-
+ AnwendungsfunktionCopyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
-
+ Copyright (C) 2005 - 2008 KeePassX Team(sp)(new line)KeePassX is distributed under the terms of the(sp)(new line)General Public License (GPL) version 2.
+
+
+
+ Copyright (C) 2005 - 2009 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2.
+ Copyright (C) 2005 - 2008 KeePassX Team(sp)(new line)KeePassX is distributed under the terms of the(sp)(new line)General Public License (GPL) version 2. {2005 ?} {2009 ?} {2.?}
@@ -220,37 +227,37 @@ General Public License (GPL) version 2.
Add Bookmark
-
+ Lesezeichen hinzufügenTitle:
- Titel:
+ Titel:File:
-
+ Datei:Browse...
- Durchsuchen...
+ durchsuchen...Edit Bookmark
-
+ Lesezeichen bearbeitenKeePass Databases (*.kdb)
-
+ KeePass Datenbanken (*.kdb)All Files (*)
-
+ alle Dateien (*)
@@ -259,7 +266,7 @@ General Public License (GPL) version 2.
More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Es wurde mehr als eine 'Auto-Type:'-Zeichenkette gefunden.
+ Es wurde mehr als eine 'Auto-Type:'-Zeichenkette gefunden.
Erlaubt ist nur eine pro Eintrag.
@@ -278,12 +285,12 @@ Erlaubt ist nur eine pro Eintrag.Syntax Error in Auto-Type sequence near character %1
Found '{' without closing '}'
-
+ Syntax Fehler in Auto-Type Sequenz nahe des Zeichens %1gefunden '{' ohne '}'Auto-Type string contains invalid characters
-
+ Auto-Type Zeichenkette enthält ungültige Zeichen
@@ -291,27 +298,27 @@ Erlaubt ist nur eine pro Eintrag.
KeePassX - Auto-Type
-
+ KeePassX - Auto-TypeClick on an entry to auto-type it.
-
+ Klicke auf einen Eintrag, um diesen mit Auto-Type auszuführen.Group
-
+ GruppeTitle
- Titel
+ TitelUsername
- Benutzername
+ Benutzername
@@ -321,7 +328,7 @@ Erlaubt ist nur eine pro Eintrag.
Auto-Type
-
+ Auto-Type
@@ -496,26 +503,26 @@ http://keepass.berlios.de
CEditEntryDlg
-
+ WarningWarnung
-
+ Password and password repetition are not equal.
Please check your input.Passwort und Passwortwiederholung stimmen nicht überein.
Bitte prüfen Sie Ihre Eingabe.
-
+ OKOK
-
+ Save Attachment...
- Anhang Speichern...
+ Anhang speichern...
@@ -530,7 +537,7 @@ Do you want to replace it?
Möchten Sie diese ersetzen.
-
+ YesJa
@@ -540,7 +547,7 @@ Möchten Sie diese ersetzen.
Nein
-
+ ErrorFehler
@@ -555,106 +562,106 @@ Möchten Sie diese ersetzen.
Neue Datei konnte nicht angelegt werden.
-
+ Error while writing the file.Beim Schreiben der Datei ist ein Fehler aufgetreten.
-
+ Delete Attachment?Anhang löschen?
-
+ You are about to delete the attachment of this entry.
Are you sure?Sie sind dabei den Dateianhang dieses Eintrages zu löschen.
Sind Sie sicher?
-
+ No, CancelNein, Abbrechen
-
+ Edit Entry
- Eintrag bearbeiten
+ Eintrag bearbeiten
-
+ Could not open file.Datei konnte nicht geöffnet werden.
-
+ %1 Bit
-
+ %1 Bit
-
+ Add Attachment...Anhang hinzufügen...
-
+ The chosen entry has no attachment or it is empty.
-
+ Der ausgewählte Eintrag hat keinen Anhang oder ist leer.
-
+ Today
-
+ Heute
-
+ 1 Week
-
+ 1 Woche
-
+ 2 Weeks
-
+ 2 Wochen
-
+ 3 Weeks
-
+ 3 Wochen
-
+ 1 Month
-
+ 1 Monat
-
+ 3 Months
-
+ 3 Monate
-
+ 6 Months
-
+ 6 Monate
-
+ 1 Year
-
+ 1 Jahr
-
+ Calendar...
-
+ Kalender...
-
+ [Untitled Entry]
-
+ [unbeschrifteter Eintrag]
-
+ New Entry
-
+ neuer Eintag
@@ -662,17 +669,17 @@ Sind Sie sicher?
Notice
- Hinweis
+ HinweisYou need to enter at least one character
- Sie müssen mindestens ein Zeichen angeben.
+ Sie müssen mindestens ein Zeichen angeben.OK
- OK
+ OK
@@ -685,14 +692,14 @@ Sind Sie sicher?
'/dev/random' oder '/dev/urandom' konnte nicht geöffnet werden.
-
+ Password GeneratorPasswortgenerator
-
+ %1 Bits
-
+ %1 Bits
@@ -867,15 +874,15 @@ Bitter prüfen Sie Ihre Zugriffsrechte.
Delete
- Löschen
+ löschen
-
+ Add Icons...Symbol hinzufügen...
-
+ Images (%1)Symbole (%1)
@@ -886,14 +893,14 @@ Bitter prüfen Sie Ihre Zugriffsrechte.
%1: Datei konnte nicht geladen werden.
-
+ ErrorFehlerReplace...
- Ersetzen...
+ ersetzen...
@@ -903,47 +910,47 @@ Bitter prüfen Sie Ihre Zugriffsrechte.
%1
-
+ An error occured while loading the icon.Beim Laden des Symbols ist ein Fehler aufgetreten.Add Custom Icon
-
+ Benutzersymbol hinzufügenPick
- Wählen
+ wählen%1: File could not be loaded.
-
+ %1: Datei konnte nicht geöffnet werden.
-
+ An error occured while loading the icon(s):
-
+ Ein Fehler ist während es öffnens der Symbole aufgetreten:CSettingsDlg
-
+ SettingsEinstellungen
-
+ Select a directory...Verzeichnis wählen...
-
+ Select an executable...
-
+ ausführbare Datei auswählen...
@@ -951,7 +958,7 @@ Bitter prüfen Sie Ihre Zugriffsrechte.
Calendar
-
+ Kalender
@@ -959,18 +966,19 @@ Bitter prüfen Sie Ihre Zugriffsrechte.
Entropy Collection
-
+ EntropiesammlungRandom Number Generator
-
+ ZufallszahlengeneratorCollecting entropy...
Please move the mouse and/or press some keys until enought entropy for a reseed of the random number generator is collected.
-
+ sammle Entropie...
+Bitte bewegen Sie die Maus und/oder drücken Sie einige Tasten bis genügend Entropie gesammelt wurde, damit der Zufallszahlengenerator gefüllt werden kann.
@@ -978,7 +986,7 @@ Please move the mouse and/or press some keys until enought entropy for a reseed
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'Verdana'; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;">
<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-weight:600; color:#006400;">Random pool successfully reseeded!</span></p></body></html>
-
+ <html><head><meta name="qrichtext" content="1" /><style type="text/css">(new line)p, li { white-space: pre-wrap; }(new line)</style></head><body style=" font-family:'Verdana'; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;">(new line)<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-weight:600; color:#006400;">Zufallsdatenfeld erfolgreich gefüllt!</span></p></body></html>
@@ -986,250 +994,250 @@ p, li { white-space: pre-wrap; }
Group
-
+ GruppeTitle
- Titel
+ TitelUsername
- Benutzername
+ BenutzernamePassword
- Passwort
+ PasswortUrl
-
+ UrlComment
- Kommentar
+ KommentarAttachment Name
-
+ AnhangsnameCreation Date
-
+ ErstellungsdatumLast Access Date
-
+ Datum des letzten ZugriffsLast Modification Date
-
+ Datum der letzten ÄnderungExpiration Date
-
+ AblaufdatumTime till Expiration
-
+ Zeit bis zum AblaufDialog
-
+ Dialog
-
+ Rich Text Editor
-
+ Rich Text Editor
-
+ Bold
-
+ Fett
-
+ B
-
+ B
-
+ Italic
-
+ kursiv
-
+ I
-
+ I
-
+ Underlined
-
+ unterstrichen
-
+ U
-
+ U
-
+ Left-Aligned
-
+ Ausrichtung links
-
+ L
-
+ L
-
+ Centered
-
+ Zentriert
-
+ C
-
+ C
-
+ Right-Aligned
-
+ Ausrichtung rechts
-
+ R
-
+ R
-
+ Justified
-
+ Beurteilt
-
+ Text Color
-
+ Textfarbe
-
+ Font Size
-
+ Schriftgröße
-
+ 6
-
+ 7
-
+ 8
-
+ 9
-
+ 10
-
+ 11
-
+ 12
-
+ 14
-
+ 16
-
+ 18
-
+ 20
-
+ 22
-
+ 24
-
+ 26
-
+ 28
-
+ 36
-
+ 42
-
+ 78
-
+ Templates
-
+ Vorlagen
-
+ T
-
+ T
-
+ HTML
@@ -1244,7 +1252,7 @@ p, li { white-space: pre-wrap; }
Never
- Nie
+ Nie
@@ -1252,80 +1260,80 @@ p, li { white-space: pre-wrap; }
Database Settings
- Datenbankeinstellungen
+ DatenbankeinstellungenEncryption
- Verschlüsselung
+ VerschlüsselungAlgorithm:
- Algorithmus:
+ Algorithmus:Encryption Rounds:
- Verschlüsselungsrunden:
+ Verschlüsselungsrunden:Calculate rounds for a 1-second delay on this computer
-
+ Berechne Runden für eine Sekunde Verzögerung auf diesem ComputerDetailViewTemplate
-
+ Group
-
+ Gruppe
-
+ Title
- Titel
+ Titel
-
+ Username
- Benutzername
+ Benutzername
-
+ Password
- Passwort
+ Passwort
-
+ URL
- URL
+ URL
-
+ Creation
- Erstellung
+ Erstellung
-
+ Last Access
- Letzter Zugriff
+ letzter Zugriff
-
+ Last Modification
-
+ letzte Änderung
-
+ Expiration
-
+ Ablauf
-
+ Comment
- Kommentar
+ Kommentar
@@ -1336,47 +1344,47 @@ p, li { white-space: pre-wrap; }
Eintrag bearbeiten
-
+ Username:Benutzername:
-
+ Password Repet.:Passwort Wdhlg.:
-
+ Title:Titel:
-
+ URL:URL:
-
+ Password:Passwort:
-
+ Quality:Qualität:
-
+ Comment:Kommentar:
-
+ Expires:Läuft ab:
-
+ Group:Gruppe:
@@ -1391,12 +1399,12 @@ p, li { white-space: pre-wrap; }
Alt+A
-
+ %1%1
-
+ Icon:Symbol:
@@ -1406,7 +1414,7 @@ p, li { white-space: pre-wrap; }
% Bit
-
+ Ge&n.Ge&n.
@@ -1426,19 +1434,19 @@ p, li { white-space: pre-wrap; }
Alt+K
-
+ NeverNie
-
+ Attachment:Anhang:
-
+ %1 Bit
-
+ %1 Bit
@@ -1449,12 +1457,12 @@ p, li { white-space: pre-wrap; }
Gruppen-Eigenschaften
-
+ Title:Titel:
-
+ Icon:Symbol:
@@ -1474,9 +1482,9 @@ p, li { white-space: pre-wrap; }
O&K
-
+ >
-
+ >
@@ -1484,37 +1492,37 @@ p, li { white-space: pre-wrap; }
Expired Entries
-
+ abgelaufene EinträgeDouble click on an entry to jump to it.
-
+ Doppelklick auf einen Eintrag, um zu diesem zu springen.Group
-
+ GuppeTitle
- Titel
+ TitelUsername
- Benutzername
+ BenutzernameExpired
-
+ AbgelaufenExpired Entries in the Database
-
+ abgelaufene Einträge in der Datenbank
@@ -1522,17 +1530,17 @@ p, li { white-space: pre-wrap; }
XML Files (*.xml)
-
+ XML Dateien (*.xml)All Files (*)
-
+ alle Dateien (*)KeePassX XML File
-
+ KeePassX XML Datei
@@ -1545,17 +1553,17 @@ p, li { white-space: pre-wrap; }
All Files (*)
-
+ alle Dateien (*)Text Files (*.txt)
-
+ Textdateien (*.txt)Text File
-
+ Textdatei
@@ -1563,111 +1571,116 @@ p, li { white-space: pre-wrap; }
Import File...
-
+ importiere Datei...Export Failed
+ Export felgeschlagen
+
+
+
+ Export File...FileErrors
-
+ No error occurred.
-
+ Kein Fehler aufgetreten.
-
+ An error occurred while reading from the file.
-
+ Es ist ein Fehler beim lesen der Datei aufgetreten.
-
+ An error occurred while writing to the file.
-
+ Es ist ein Fehler beim schreiben der Datei aufgetreten.
-
+ A fatal error occurred.
-
+ Ein fataler Fehler hat sich ereignet.
-
+ An resource error occurred.
-
+ Ein Resourcenfehler hat siche ereignet.
-
+ The file could not be opened.
-
+ Die Datei konnte nicht geöffnet werden.
-
+ The operation was aborted.
-
+ Die Operation wurde abgebrochen.
-
+ A timeout occurred.
-
+ Ein Zeitlauffehler hat sich ereignet.
-
+ An unspecified error occurred.
-
+ Ein unspezifizierter Fehler hat sich ereignet.
-
+ The file could not be removed.
-
+ Die Datei konnte nicht gelöscht werden.
-
+ The file could not be renamed.
-
+ Die Datei konnte nicht umbenannt werden.
-
+ The position in the file could not be changed.
-
+ Die Position in der Datei konnte nicht geändert werden.
-
+ The file could not be resized.
-
+ Die Größe der Datei konnte nicht geändert werden.
-
+ The file could not be accessed.
-
+ Auf die Datei konnte nicht zugegriffen werden.
-
+ The file could not be copied.
-
+ Die Datei konnte nicht kopiert werden.GenPwDlg
-
+ Alt+U
-
+ Alt+N
-
+ Alt+M
-
+ Alt+L
@@ -1687,54 +1700,54 @@ p, li { white-space: pre-wrap; }
Abbre&chen
-
+ GenerateGenerieren
-
+ New Password:Neues Passwort:
-
+ Quality:Qualität:
-
+ OptionsOptionen
-
+ &Upper LettersGroßbuchstaben:
-
+ &Lower LettersKleinbuchstaben:
-
+ &NumbersZahlen
-
+ &Special CharactersSonderzeichenMinus
- Minus
+ MinusU&nderline
- Unterstrich
+ Unterstrich
@@ -1742,17 +1755,17 @@ p, li { white-space: pre-wrap; }
höhere ANSI-Zeichen
-
+ Use &only following characters:Nur folgende Zeichen benutzen:
-
+ Alt+O
-
+ Length:Länge:
@@ -1762,33 +1775,88 @@ p, li { white-space: pre-wrap; }
'/dev/random' benutzen
-
+ Use follo&wing character groups:Folgende Zeichengruppen nutzen:
-
+ Alt+WWhite &Spaces
- Leerzeichen
+ Leerzeichen
-
+ Alt+S
-
+ Enable entropy collection
-
+ aktiviere Entropie Sammlung
-
+ Collect only once per session
+ Sammle nur einmal pro Sitzung
+
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
@@ -1797,32 +1865,32 @@ p, li { white-space: pre-wrap; }
XML Files (*.xml)
-
+ XML Dateien (*.xml)All Files (*)
-
+ alle Dateien (*)Import Failed
-
+ importieren fehlgeschlagenInvalid XML data (see stdout for details).
- Ungültige XML-Daten (siehe stdout für Fehlerbeschreibung).
+ ungültige XML-Daten (siehe stdout für Fehlerbeschreibung).Invalid XML file.
- Ungültige XML-Datei.
+ ungültige XML-Datei.Document does not contain data.
- Dokument enthält keine Daten.
+ Dokument enthält keine Daten.
@@ -1830,91 +1898,92 @@ p, li { white-space: pre-wrap; }
KeePass XML Files (*.xml)
-
+ KeePass XML Datei (*.xml)All Files (*)
-
+ alle Dateien (*)Import Failed
-
+ importieren fehlgeschlagenXML parsing error on line %1 column %2:
%3
-
+ XML Phrasenfehler in Zeile %1 Spalte %2:
+%3Parsing error: File is no valid KeePassX XML file.
-
+ Phrasenfehler: Datei ist keine gültige PeePassX XML Datei.Import_PwManager
-
+ PwManager Files (*.pwm)
-
+ PwManager Dateien (*.pwm)
-
+ All Files (*)
-
+ alle Dateien (*)
-
+ Import Failed
-
+ importieren fehlgeschlagen
-
+ File is empty.
- Datei ist leer.
+ Datei ist leer.
-
+ File is no valid PwManager file.
- Datei ist keine gültige PwManager-Datei.
+ Datei ist keine gültige PwManager-Datei.
-
+ Unsupported file version.
- Nicht unterstützte Dateiversion.
+ Nicht unterstützte Dateiversion.
-
+ Unsupported hash algorithm.
- Nicht unterstützter Hash-Algorithmus.
+ Nicht unterstützter Hash-Algorithmus.
-
+ Unsupported encryption algorithm.
- Unbekannter bzw. nicht unterstüzter Verschlüsselungsalgorithmus.
+ Unbekannter bzw. nicht unterstüzter Verschlüsselungsalgorithmus.
-
+ Compressed files are not supported yet.
- Komprimierte Dateien werden noch nicht unterstützt.
+ Komprimierte Dateien werden noch nicht unterstützt.
-
+ Wrong password.
- Falsches Passwort.
+ falsches Passwort
-
+ File is damaged (hash test failed).
- Datei ist beschädigt (Hash-Test fehlgeschlagen).
+ Datei ist beschädigt (Hash-Test fehlgeschlagen).
-
+ Invalid XML data (see stdout for details).
- Ungültige XML-Daten (siehe stdout für Fehlerbeschreibung).
+ ungültige XML-Daten (siehe stdout für Fehlerbeschreibung)
@@ -1922,153 +1991,158 @@ p, li { white-space: pre-wrap; }
Import File...
-
+ importiere Datei...Import Failed
-
+ importieren fehlgeschlagenKdb3Database
-
+ Could not open file.
- Datei konnte nicht geöffnet werden.
+ Datei konnte nicht geöffnet werden.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)
- Unerwartete Dateigrößen (DB_TOTAL_SIZE < DB_HEADER_SIZE)
+ unerwartete Dateigrößen (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong Signature
- Falsche Signatur
+ falsche Signatur
-
+ Unsupported File Version.
- Nicht unterstützte Dateiversion.
+ Nicht unterstützte Dateiversion.
-
+ Unknown Encryption Algorithm.
- Unbekannter bzw. nicht unterstüzter Verschlüsselungsalgorithmus.
+ Unbekannter bzw. nicht unterstüzter Verschlüsselungsalgorithmus.
-
+ Decryption failed.
The key is wrong or the file is damaged.
- Entschlüsselung fehlgeschlagen.
+ Entschlüsselung fehlgeschlagen.
Der Schlüssel ist falsch oder die Datei ist beschädigt.
-
+ Hash test failed.
The key is wrong or the file is damaged.
- Hash-Test fehlgeschlagen.
+ Hash-Test fehlgeschlagen.
Der Schlüssel ist falsch oder die Datei ist beschädigt.
-
+ Invalid group tree.
-
+ Gruppenbaum ungültig.
-
+ Key file is empty.
-
+ Schlüsseldatei ist leer.
-
+ The database must contain at least one group.
-
+ Die Datenbank muss mindestens eine Gruppe enthalten.
-
+ Could not open file for writing.
- Datei konnte nicht zum Schreiben geöffnent werden.
+ Datei konnte nicht zum Schreiben geöffnent werden.
-
+ Unexpected error: Offset is out of range.
+ unerwarteter Fehler: Offset ist auserhalb der Reichweite.
+
+
+
+ Unable to initalize the twofish algorithm.Kdb3Database::EntryHandle
-
+ Bytes
-
+
-
+ KiB
-
+
-
+ MiB
-
+
-
+ GiB
-
+ KeepassEntryView
-
+ TitleTitel
-
+ UsernameBenutzername
-
+ URLURL
-
+ PasswordPasswort
-
+ CommentsKommentar
-
+ ExpiresLäuft ab
-
+ CreationErstellung
-
+ Last ChangeLetzte Änderung
-
+ Last AccessLetzter Zugriff
-
+ AttachmentAnhang
@@ -2078,45 +2152,45 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
%1 Elemente
-
+ Delete?
-
+ löschen?
-
+ Group
-
+ Gruppe
-
+ Error
- Fehler
+ Fehler
-
+ At least one group must exist before adding an entry.
-
+ mindestens eine Gruppe muss existieren, bevor ein Eintrag hinzugefügt werden kann.
-
+ OK
- OK
+ OK
-
+ Are you sure you want to delete this entry?
-
+ Sind Sie sicher, dass Sie diesen Eintrag löschen wollen?
-
+ Are you sure you want to delete these %1 entries?
-
+ Sind Sie sicher, dass Sie diese Einträge %1 löschen wollen?KeepassGroupView
-
+ Search ResultsSuchergebnisse
@@ -2126,90 +2200,95 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
Gruppen
-
+ Delete?
-
+ löschen?Are you sure you want to delete this group, all it's child groups and all their entries?
+ Sind Sie sicher, dass Sie diese Gruppe und alle Untergruppen swie die Einträge löschen wollen?
+
+
+
+ Are you sure you want to delete this group, all its child groups and all their entries?KeepassMainWindow
-
+ Ctrl+O
-
+ Ctrl+S
-
+ Ctrl+G
-
+ Ctrl+C
-
+ Ctrl+B
-
+ Ctrl+U
-
+ Ctrl+Y
-
+ Ctrl+E
-
+ Ctrl+D
-
+ Ctrl+K
-
+ Ctrl+F
-
+ Ctrl+W
-
+ Shift+Ctrl+S
-
+ Shift+Ctrl+F
-
+ ErrorFehler
@@ -2226,7 +2305,7 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
OK
-
+ Save modified file?Geändete Datei speichern?
@@ -2234,7 +2313,7 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
The current file was modified. Do you want
to save the changes?
- Die aktuelle Datei wurde verändert. Möchten Sie
+ Die aktuelle Datei wurde verändert. Möchten Sie
die Änderungen speichern?
@@ -2258,22 +2337,22 @@ die Änderungen speichern?<B>Gruppe: </B>%1 <B>Titel: </B>%2 <B>Benutzername: </B>%3 <B>URL: </B><a href=%4>%4</a> <B>Passwort: </B>%5 <B>Erstellung: </B>%6 <B>Letzte Änderung: </B>%7 <B>Letzter Zugriff: </B>%8 <B>Läuft ab: </B>%9
-
+ Clone EntryEintrag duplizieren
-
+ Delete EntryEintrag löschen
-
+ Clone EntriesEinträge duplizieren
-
+ Delete EntriesEinträge löschen
@@ -2290,7 +2369,7 @@ die Änderungen speichern?
Datenbank speichern unter...
-
+ ReadyBereit
@@ -2300,17 +2379,17 @@ die Änderungen speichern?
[neu]
-
+ Open Database...Datenbank öffnen...
-
+ Loading Database...Lade Datenbank...
-
+ Loading FailedLaden fehlgeschlagen
@@ -2347,7 +2426,7 @@ die Änderungen speichern?
Unbekannter Fehler in PwDatabase::openDatabase()
-
+ Ctrl+V
@@ -2362,152 +2441,186 @@ die Änderungen speichern?
KeePassX
-
+ Unknown error while loading database.
-
+ Unbekannter Fehler während des öffnens der Datenbank.
-
+ KeePass Databases (*.kdb)
-
+ KeePass Datenbank (*.kdb)
-
+ All Files (*)
-
+ alle Dateien (*)
-
+ Save Database...
-
+ speichere Datenbank...
-
+ 1 Month
-
+ 1 Monat
-
+ %1 Months
-
+ %1 Monate
-
+ 1 Year
-
+ 1 Jahr
-
+ %1 Years
-
+ %1 Jahre
-
+ 1 Day
-
+ 1 Tag
-
+ %1 Days
-
+ %1 Tage
-
+ less than 1 day
-
+ weniger als einen Tag
-
+ Locked
-
+ gesperrt
-
+ Unlocked
-
+ entsperrt
-
+ Ctrl+L
-
+
-
+ Ctrl+Q
-
+
-
+ The database file does not exist.
-
+ Die Datenbankdatei existiert nicht.
-
+ new
-
+ neu
-
+ Expired
-
+ abgelaufen
-
+ Un&lock Workspace
-
+ entsperre Arbeitsbereich
-
+ &Lock Workspace
-
+ sperre Arbeitsbereich
-
+ The following error occured while opening the database:
-
+ Der folgende Fehler hat sich beim öffnen der Datenbank ereignet:
-
+ File could not be saved.
-
+ Datei konnte nicht gespeichert werden.
-
+ Show &Toolbar
-
+ Werkzeugleiste anzeigen
-
+ Ctrl+N
-
+
-
+ Ctrl+P
-
+
-
+ Ctrl+X
+
+
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.Main
-
+ Error
- Fehler
+ Fehler
-
+ File '%1' could not be found.
- Datei '%1' konnte nicht geöffnet werden.
+ Datei '%1' konnte nicht geöffnet werden.
-
+ OK
- OK
+ OK
@@ -2598,9 +2711,9 @@ die Änderungen speichern?
KWallet XML-Datei (*.xml)
-
+ Add New Group...
- Neu Gruppe hinzufügen...
+ Neu Gruppe hinzufügen...
@@ -2768,9 +2881,9 @@ die Änderungen speichern?
Klartext (*.txt)
-
+ Hide
- Verbergen
+ verbergen
@@ -2788,72 +2901,72 @@ die Änderungen speichern?
Symbolleistengröße
-
+ &ViewAnsicht
-
+ &File&Datei
-
+ &Import from...
- &Importieren aus...
+ &importieren aus...
-
+ &Export to...
- &Exportieren nach...
+ &exportieren nach...
-
+ &Edit
- &Bearbeiten
+ &Bearbeiten
-
+ E&xtrasE&xtras
-
+ &Help&Hilfe
-
+ &New Database...
- &Neue Datenbank...
+ &neue Datenbank...
-
+ &Open Database...Datenbank &öffnen...
-
+ &Close DatabaseDatenbank s&chließen
-
+ &Save DatabaseDatenbank &speichern
-
+ Save Database &As...D&atenbank speichern unter...
-
+ &Database Settings...&Datenbankeinstellungen...
-
+ Change &Master Key...Hauptschlüssel &ändern...
@@ -2863,248 +2976,258 @@ die Änderungen speichern?
Beend&en
-
+ &Settings...Ein&stellungen...
-
+ &About...&Über...
-
+ &KeePassX Handbook...&KeePassX Handbuch...
-
+ Standard KeePass Single User Database (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)
-
+ fortgeschrittene KeePassX Datenbank (*.kxdb)
-
+ Recycle Bin...
-
+ Mülleimer...
-
+ Groups
- Gruppen
+ Gruppen
-
+ &Lock Workspace
-
+ sperre Arbeitsbereich
-
+ &Bookmarks
-
+ Lesezeichen
-
+ Toolbar &Icon Size
-
+ Werkezugleisten Symbol Größe
-
+ &Columns
-
+ Spalten
-
+ &Manage Bookmarks...
-
+ Lesezeichen bearbeiten...
-
+ &Quit
-
+ schliessen&Add New Group...
-
+ Gruppe neu hinzufügen
-
+ &Edit Group...
-
+ Gruppe bearbeiten...
-
+ &Delete Group
-
+ Gruppe löschen
-
+ Copy Password &to Clipboard
-
+ Passwort in die Zwischenablage kopieren
-
+ Copy &Username to Clipboard
-
+ Benutzername in die Zwischenablage kopieren
-
+ &Open URL
-
+ Url öffnen
-
+ &Save Attachment As...
-
+ Anhang speichern als...
-
+ Add &New Entry...
-
+ Eintrag neu hinzufügen...
-
+ &View/Edit Entry...
-
+ Eintrag zeigen/bearbeiten...
-
+ De&lete Entry
-
+ Eintrag löschen
-
+ &Clone Entry
-
+ Eintrag schliessen
-
+ Search &in Database...
-
+ Suche in Datenbank...
-
+ Search in this &Group...
-
+ Suche in dieser Gruppe...
-
+ Show &Entry Details
-
+ Eintragsdetails zeigen
-
+ Hide &Usernames
-
+ Benutzername verstecken
-
+ Hide &Passwords
-
+ Passwort verstecken
-
+ &Title
-
+ Titel
-
+ User&name
-
+ Benutzername
-
+ &URL
-
+ URL
-
+ &Password
-
+ Passwort
-
+ &Comment
-
+ Kommentar
-
+ E&xpires
-
+ Ablauf
-
+ C&reation
-
+ Erstellung
-
+ &Last Change
-
+ letzte Änderung
-
+ Last &Access
-
+ letzter Zugriff
-
+ A&ttachment
-
+ Anhang
-
+ Show &Statusbar
-
+ Statuszeile zeigen
-
+ &Perform AutoType
-
+ Auto-Type ausführen
-
+ &16x16
-
+ &22x22
-
+ 2&8x28
-
+ &Password Generator...
-
+ Passwortgenerator...
-
+ &Group (search results only)
-
+ Gruppe (nur Suchergebnisse)
-
+ Show &Expired Entries...
-
+ Zeige abgelaufene Einträge...
-
+ &Add Bookmark...
-
+ Lesezeichen hinzufügen...
-
+ Bookmark &this Database...
+ speichere diese Datenbank als Lesezeichen...
+
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
@@ -3113,7 +3236,7 @@ die Änderungen speichern?
Manage Bookmarks
-
+ verwalte Lesezeichen
@@ -3121,91 +3244,94 @@ die Änderungen speichern?
Enter Master Key
-
+ Hauptschlüssel eingebenSet Master Key
-
+ Hauptschlüssel festlegenChange Master Key
-
+ Hauptschlüssel ändernDatabase Key
- Datenbankschlüssel
+ Datenbankschlüssel
-
+ Last File
-
+ letzte Datei
-
+ Select a Key File
- Schlüsseldatei wählen
+ Schlüsseldatei wählen
-
+ All Files (*)
-
+ alle Dateien (*)
-
+ Key Files (*.key)
-
+ Schlüsseldateien (*.key)
-
+ Please enter a Password or select a key file.
- Bitte geben Sie ein Passwort ein oder wählen
+ Bitte geben Sie ein Passwort ein oder wählen
Sie eine Schlüsseldatei.
-
+ Please enter a Password.
- Bitte geben Sie ein Passwort ein.
+ Bitte geben Sie ein Passwort ein.
-
+ Please provide a key file.
-
+ Bitte stellen Sie eine Schlüsseldatei zur Verfügung.
-
+ %1:
No such file or directory.
-
+ %1:
+Datei oder Verzeichnis nicht gefunden.
-
+ The selected key file or directory is not readable.
-
+ Die ausgewählte Schlüsseldatei oder das Verzeichnis konnte nicht gelesen werden.
-
+ The given directory does not contain any key files.
- Das angegebene Verzeichnis enthält keine Schlüsseldatei.
+ Das angegebene Verzeichnis enthält keine Schlüsseldatei.
-
+ The given directory contains more then one key files.
Please specify the key file directly.
-
+ Das angegebene Verzeichnis enthält meher als eine Schlüsseldatei.
+Bitte die Schlüsseldatei direkt auswählen.
-
+ %1:
File is not readable.
-
+ %1:
+Datei ist nicht lesbar.
-
+ Create Key File...
-
+ erzeuge Schlüsseldatei...
@@ -3236,7 +3362,7 @@ File is not readable.
Schlüssel
-
+ Password:Passwort:
@@ -3246,12 +3372,12 @@ File is not readable.
Schlüsseldatei oder Datenträger:
-
+ &Browse...
- Durchsuchen...
+ durchsuchen...
-
+ Alt+B
@@ -3273,32 +3399,32 @@ File is not readable.
Last File
-
+ letzte Datei
-
+ Key File:
-
+ Schlüsseldatei:
-
+ Generate Key File...
-
+ generiere Schlüsseldatei...
-
+ Please repeat your password:
-
+ bitte geben Sie Ihr Passwort nochmal ein:
-
+ Back
-
+ Zurück
-
+ Passwords are not equal.
-
+ Passwörter sind nicht gleich.
@@ -3486,7 +3612,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Could not locate library file.
-
+ Konnte Bibliotek nicht lokalisieren.
@@ -3494,7 +3620,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Search
- Suchen
+ Suche
@@ -3502,42 +3628,42 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Alt+T
-
+ Alt+TAlt+U
-
+ Alt+UA&nhang
-
+ A&nhangAlt+N
-
+ Alt+NAlt+W
-
+ Alt+WAlt+C
-
+ Alt+CSearch...
- Suche...
+ suche...Search For:
- Suche nach:
+ suchen nach:
@@ -3547,7 +3673,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Alt+X
-
+ Alt+X
@@ -3557,7 +3683,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Include:
- Einbeziehen:
+ einbeziehen:
@@ -3577,7 +3703,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Alt+O
-
+ Alt+O
@@ -3587,7 +3713,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Alt+R
-
+ Alt+R
@@ -3636,9 +3762,9 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
SettingsDialog
-
+ Alt+Ö
-
+ Alt+Ö
@@ -3656,7 +3782,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.Abbrechen
-
+ Clear clipboard after:Zwischenablage löschen nach:
@@ -3671,47 +3797,47 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.Passwort standardmäßig im Klartext anzeigen
-
+ Alt+O
-
+ Alt+OAppea&rance
- Erscheinungsbild
+ Erscheinungsbild
-
+ Banner ColorBannerfarbe
-
+ Text Color:Textfarbe
-
+ Change...
- Ändern...
+ ändern...
-
+ Color 2:Farbe 2:
-
+ C&hange...
- Ändern...
+ ändern...
-
+ Alt+H
-
+ Alt+H
-
+ Color 1:Farbe 1:
@@ -3741,17 +3867,17 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.Sicherheit
-
+ Alternating Row Colors
- Abwechselnde Zeilenfarben
+ abwechselnde Zeilenfarben
-
+ Browse...
- Durchsuchen...
+ durchsuchen...
-
+ Remember last key type and locationArt und Ort des Schlüssels der letzten Datenbank merken
@@ -3761,277 +3887,332 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.Datenträgerwurzelverzeichnis:
-
+ Remember last opened fileZuletzt geöffnete Datei merken
-
-
- The integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
-
- General
-
+ Allgemein
-
+ Show system tray icon
-
+ zeige System-Tray Symbol
-
+ Minimize to tray when clicking the main window's close button
-
+ minimiere zum tray, wenn das Hauptfenser geschlossen wird
-
+ Save recent directories of file dialogs
-
+ speichere Verzeichnisse der letzten geöffneten Dateien
-
+ Group tree at start-up:
-
+ gruppiere Baum beim Start:
-
+ Restore last state
-
+ letzte Einstellungen wiederherstellen
-
+ Expand all items
-
+ alle Gegenstände expandieren
-
+ Do not expand any item
-
+ Gegenstände nicht expandieren
-
+ Security
-
+ Sicherheit
-
+ Edit Entry Dialog
-
+ Eintragbearbeitungs DialogDesktop Integration
-
+ Benutzeroberflächenintegration
-
+ Plug-Ins
-
+ Plugins
-
+ None
-
+ nichts
-
+ Gnome Desktop Integration (Gtk 2.x)
-
+ Gnome Oberflächenintegration (Gtk 2.x)
-
+ KDE 4 Desktop Integration
-
+ KDE 4 Oberflächenintegration
-
+ You need to restart the program before the changes take effect.
-
+ Sie müssen das Program neu starten bevor die Änderungen wirksam werden.
-
+ Configure...
-
+ konfigurieren...
-
+ Advanced
-
+ Fortgeschritten
-
+ Clear History Now
-
+ lösche Historie sofort
-
+ Always ask before deleting entries or groups
-
+ Frage immer vor dem löschen von Einträgen und Gruppen
-
+ Customize Entry Detail View...
-
+ Anpassung der EintragsdetailansichtFeatures
-
+ Eigenschaften
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.
-
+ Sie können einige Einstellung von KeePassX nach Ihren Wünschen abschalten, um das Erscheinungsbild gering zu halten.
-
+ Bookmarks
-
+ Lesezeichen
-
+ Auto-Type Fine Tuning
-
+ Auto-Type Feineinstellungen
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.
-
+ ms
-
+ ms
-
+ Pre-Gap:
-
+ vor Lücke:
-
+ Key Stroke Delay:
-
+ Tasteneingabeverzögerung:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.
-
+ Verzögerung zwischen zwei simulierten Tasteneingaben. Erhöhen Sie dies, wenn Auto-Type unregelmäßig Zeichen auslässt.
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.
-
+ Das Verzeichnis, indem normalerweise Speichermedien (Festplatten, CDs, DVDs, USB-Sticks) eingehängt werden.
-
+ Media Root:
-
+ Hauptmedienverzeichnis:
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.
-
+ Save relative paths (bookmarks and last file)
-
+ speichere relative Pfade (Lesezeichen und letzte Datei)
-
+ Minimize to tray instead of taskbar
-
+ minimiere nach tray anstatt zur Arbeitsleiste
-
+ Start minimized
-
+ starte minimiert
-
+ Start locked
-
+ starte gesperrt
-
+ Lock workspace when minimizing the main window
-
+ sperre Arbeisbereich, wenn das Hauptfenster minimiert wird
-
+ Global Auto-Type Shortcut:
-
+ globale Auto-Type Tastenzuordnung
-
+ Custom Browser Command
-
+ anwenderspezifischer Browserbefehl
-
+ Browse
-
+ durchsuchen...
-
+ Automatically save database on exit and workspace locking
-
+ automaitsches speichern der Datenbank beim Beenden und beim Sperren des Arbeitsbereiches
-
+ Show plain text passwords in:
-
+ zeige Klartextpasswörter in:
-
+ Database Key Dialog
-
+ Datenbank Schlüssel Dialog
-
+ seconds
-
+ Sekunden
-
+ Lock database after inactivity of
-
+ sperre Datenbank bei Inaktivität nach:
-
+ Use entries' title to match the window for Global Auto-Type
+ Vergleiche den Titel der Einträge mit Fenter für globale Auto-Type
+
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:ShortcutWidget
-
+ Ctrl
-
+ Strg (Ctrl)
-
+ Shift
-
+ Hochstellen
-
+ Alt
-
+ Alt
-
+ AltGr
-
+ AltGr
-
+ Win
-
+ Win
@@ -4049,7 +4230,7 @@ Stellen Sie sicher, dass Sie Schreibzugriff auf '~/.keepass' haben.
Enter your Password
-
+ Ihr Passwort eingeben
@@ -4109,6 +4290,40 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
Datei konnte nicht zum Schreiben geöffnent werden.
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ Tarek Saidi
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ tarek.saidi@arcor.de
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+TrashCanDialog
@@ -4127,7 +4342,7 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
Form
-
+ Formular
@@ -4135,17 +4350,17 @@ Der Schlüssel ist falsch oder die Datei ist beschädigt.
p, li { white-space: pre-wrap; }
</style></head><body style=" font-family:'Verdana'; font-size:9pt; font-weight:400; font-style:normal;">
<p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:10pt; font-weight:600;">The workspace is locked.</span></p></body></html>
-
+ <html><head><meta name="qrichtext" content="1" /><style type="text/css">p, li { white-space: pre-wrap; }</style></head><body style=" font-family:'Verdana'; font-size:9pt; font-weight:400; font-style:normal;"><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:10pt; font-weight:600;">Der Arbeitsbereich ist gesperrt.</span></p></body></html>Unlock
-
+ entsperrenClose Database
- Datenbank schließen
+ Datenbank schließen
diff --git a/src/translations/keepassx-es_ES.ts b/src/translations/keepassx-es_ES.ts
index 23c2c15..2844b4e 100644
--- a/src/translations/keepassx-es_ES.ts
+++ b/src/translations/keepassx-es_ES.ts
@@ -1,9 +1,9 @@
-@default
+ Could not open file (FileError=%1)No se pudo abrir el archivo (FileError=%1)
@@ -11,28 +11,31 @@
AboutDialog
+ KeePassX %1KeePassX %1
+ <b>Current Translation: None</b><br><br>Please replace 'None' with the language of your translation<b>Traducción actual: Español</b><br><br>
+ <b>Author:</b> %1<br><b>Autor:</b> %1<br>$TRANSLATION_AUTHOR
- Jaroslaw Filiochowski, Marcos del Puerto
+ Jaroslaw Filiochowski, Marcos del Puerto$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- jarfil@jarfil.net, mpuertog@gmail.com
+ jarfil@jarfil.net, mpuertog@gmail.com
@@ -40,67 +43,69 @@
Equipo
-
+ Developer, Project AdminDesarrollador, Administrador del Proyecto
-
+ Web DesignerDiseñador web
-
+ Thanks ToAgradecimientos
-
+ Patches for better MacOS X supportParches para mejorar la compatibilidad con MacOS X
-
+ Main Application IconIcono de la aplicación principal
-
+ Various fixes and improvementsMúltiples correcciones y mejoras
-
+ ErrorError
-
+ File '%1' could not be found.Archivo '%1' no encontrado.
-
+ Make sure that the program is installed correctly.Asegúrese de que el programa está instalado correctamente.
-
+ OKOk
+ Could not open file '%1'No se pudo abrir fichero '%1'
+ The following error occured:
%1Ha ocurrido el siguiente error:
%1
-
+ DeveloperDesarrollador
@@ -129,46 +134,47 @@
AboutDlg
-
+ AboutAcerca de
+ Thanks ToAgradecimientos
-
+ LicenseLicencia
-
+ TranslationTraducción
-
+ CreditsCréditos
-
+ http://keepassx.sourceforge.nethttp://keepassx.sourceforge.net
-
+ keepassx@gmail.comkeepassx@gmail.com
-
+ AppNameNombreApl
-
+ AppFuncNombreFun
@@ -177,7 +183,14 @@
Copyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
- Copyright (C) 2005 - 2008 KeePassX Team KeePassX se distribuye bajo los términos de la General Public License (GPL) versión 2.
+ Copyright (C) 2005 - 2008 KeePassX Team KeePassX se distribuye bajo los términos de la General Public License (GPL) versión 2.
+
+
+
+ Copyright (C) 2005 - 2009 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2.
+ Copyright (C) 2005 - 2008 KeePassX Team KeePassX se distribuye bajo los términos de la General Public License (GPL) versión 2. {2005 ?} {2009 ?} {2.?}
@@ -224,9 +237,10 @@ General Public License (GPL) version 2.
More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Se ha encontrado más de una secuencia de teclas para 'auto-escritura:'.Sólo se permite una por entrada.
+ Se ha encontrado más de una secuencia de teclas para 'auto-escritura:'.Sólo se permite una por entrada.
+ ErrorError
@@ -234,13 +248,13 @@ Allowed is only one per entry.
Syntax Error in Auto-Type sequence near character %1
Found '{' without closing '}'
- Error sintáctico en la secuencia de auto-escritura cerca del carácter %1
+ Error sintáctico en la secuencia de auto-escritura cerca del carácter %1
Se encontró '{' sin un '}' de cierrre.Auto-Type string contains invalid characters
- Alguno de los caracteres de la cadena de auto-escritura no son válidos.
+ Alguno de los caracteres de la cadena de auto-escritura no son válidos.
@@ -271,6 +285,7 @@ Allowed is only one per entry.
Nombre de usuario
+ CancelCancelar
@@ -283,64 +298,78 @@ Allowed is only one per entry.
CAboutDialog
+ KeePassX %1KeePassX %1
+ ErrorError
+ File '%1' could not be found.Archivo '%1' no encontrado.
+ Make sure that the program is installed correctly.Asegúrese de que el programa está instalado correctamente.
+ OKOK
+ Could not open file '%1'No se pudo abrir fichero '%1'
+ The following error occured:
%1Ha ocurrido el siguiente error:
%1
+ http://keepass.berlios.de/index.phphttp://keepass.berlios.de/index.php
+ <b>Current Translation: None</b><br><br>Please replace 'None' with the language of your translation<b>Traducción actual: Español</b><br><br>
+ <b>Author:</b> %1<br><b>Autor:</b> %1<br>
+ $TRANSALTION_AUTHORJaroslaw Filiochowski
+ $TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.jarfil@jarfil.net
+ Information on how to translate KeePassX can be found under:
http://keepass.berlios.de/translation-howto.htmlPuede encontrar información sobre cómo traducir KeePassX en esta dirección:
http://keepass.berlios.de/translation-howto.html
+ Thanks ToAgradecimientos
@@ -396,158 +425,163 @@ http://keepass.berlios.de/translation-howto.html
CEditEntryDlg
-
+ WarningAviso
-
+ Password and password repetition are not equal.
Please check your input.Las contraseñas no coinciden.
Compruebe que las ha introducido correctamente.
-
+ OKAceptar
-
+ Save Attachment...Guardar Adjunto...
+ Overwrite?Sobreescribir?
+ A file with this name already exists.
Do you want to replace it?Ya existe un archivo con este nombre.
¿Desea reemplazarlo?
-
+ YesSí
+ NoNo
-
+ ErrorError
+ Could not remove old file.No se pudo eliminar el archivo anterior.
+ Could not create new file.No se pudo crear el nuevo archivo.
-
+ Error while writing the file.Error al escribir el archivo.
-
+ Delete Attachment?Eliminar Adjunto?
-
+ You are about to delete the attachment of this entry.
Are you sure?Está a punto de eliminar el adjunto de esta entrada.
¿Está seguro?
-
+ No, CancelNo, Cancelar
-
+ Edit EntryEditar entrada
-
+ Could not open file.No se pudo abrir el archivo.
-
+ %1 Bit%1 Bit
-
+ Add Attachment...Adjuntar archivo...
-
+ The chosen entry has no attachment or it is empty.La entrada seleccionada no contiene un archivo adjunto o está vacio.
-
+ TodayHoy
-
+ 1 Week1 Semana
-
+ 2 Weeks2 Semanas
-
+ 3 Weeks3 Semanas
-
+ 1 Month1 Mes
-
+ 3 Months3 Meses
-
+ 6 Months6 Meses
-
+ 1 Year1 Año
-
+ Calendar...Calendario...
-
+ [Untitled Entry][Entrada sin nombre]
-
+ New EntryNueva entrada
@@ -557,33 +591,35 @@ Are you sure?
Notice
- Notificación
+ NotificaciónYou need to enter at least one character
- Debe introducir al menos un carácter
+ Debe introducir al menos un carácterOK
- Aceptar
+ Aceptar
+ ErrorError
+ Could not open '/dev/random' or '/dev/urandom'.No se pudo abrir '/dev/random' o '/dev/urandom'.
-
+ Password GeneratorGenerador de contraseñas
-
+ %1 Bits%1 Bits
@@ -591,110 +627,134 @@ Are you sure?
CPasswordDialog
+ OKAceptar
+ ErrorError
+ Please enter a Password.Introduzca una Contraseña.
+ Please choose a key file.Seleccione un archivo de clave.
+ Please enter a Password or select a key file.Introduzca una Contraseña o seleccione un archivo de clave.
+ Database KeyContraseña de la Base de Datos
+ Select a Key FileSeleccione un Archivo de Clave
+ *.key*.key
+ Unexpected Error: File does not exist.Error Inesperado: Archivo no existe.
+ The selected key file or directory does not exist.El archivo de clave seleccionado o el directorio no existen.
+ The given directory does not contain any key files.El directorio no contiene ningún archivo de clave.
+ The given directory contains more then one key file.
Please specify the key file directly.El directorio contiene más de un archivo de clave.
Especifique un archivo de clave concreto.
+ The key file found in the given directory is not readable.
Please check your permissions.El archivo de clave encontrado en el directorio no se puede leer.
Compruebe sus permisos de acceso.
+ Key file could not be found.Archivo de clave no encontrado.
+ Key file is not readable.
Please check your permissions.Archivo de clave no se puede leer.
Compruebe sus permisos de acceso.
+ WarningAdvertencia
+ Password an password repetition are not equal.
Please check your input.Las contraseñas no coinciden.
Compruebe que las ha introducido correctamente.
+ Please enter a password or select a key file.Introduzca una contraseña o seleccione un archivo de clave.
+ A file with the name 'pwsafe.key' already exisits in the given directory.
Do you want to replace it?El archivo 'pwsafe.key' ya existe en el directorio.
¿Desea reemplazarlo?
+ YesSí
+ NoNo
+ The exisiting file is not writable.El archivo existente no se puede escribir.
+ A file with the this name already exisits.
Do you want to replace it?Existe un archivo con ese nombre.
¿Desea reemplazarlo?
+ CancelCancelar
@@ -702,18 +762,22 @@ Do you want to replace it?
CSearchDlg
+ NoticeAviso
+ Please enter a search string.Introduzca una cadena de búsqueda.
+ OKAceptar
+ SearchBuscar
@@ -726,17 +790,17 @@ Do you want to replace it?
Borrar
-
+ Add Icons...Añadir iconos...
-
+ Images (%1)Imágenes (%1)
-
+ ErrorError
@@ -746,7 +810,7 @@ Do you want to replace it?
Sustituir...
-
+ An error occured while loading the icon.Se produjo un error al cargar el icono.
@@ -766,7 +830,7 @@ Do you want to replace it?
%1: No se puede cargar el archivo.
-
+ An error occured while loading the icon(s):Se produjo un error al cargar los iconos:
@@ -774,17 +838,17 @@ Do you want to replace it?
CSettingsDlg
-
+ SettingsPreferencias
-
+ Select a directory...Seleccione un directorio...
-
+ Select an executable...Seleccionar un ejecutable...
@@ -892,191 +956,192 @@ p, li { white-space: pre-wrap; }
Diálogo
-
+ Rich Text EditorEditor de texto enriquecido
-
+ BoldNegrita
-
+ BN
-
+ ItalicCursiva
-
+ IC
-
+ UnderlinedSubrayado
-
+ US
-
+ Left-AlignedAlineado a la izquierda
-
+ LI
-
+ CenteredCentrado
-
+ CC
-
+ Right-AlignedAlineado a la derecha
-
+ RD
-
+ JustifiedJustificado
-
+ Text ColorColor del texto
-
+ Font SizeTamaño de fuente
-
+ 66
-
+ 77
-
+ 88
-
+ 99
-
+ 1010
-
+ 1111
-
+ 1212
-
+ 1414
-
+ 1616
-
+ 1818
-
+ 2020
-
+ 2222
-
+ 2424
-
+ 2626
-
+ 2828
-
+ 3636
-
+ 4242
-
+ 7878
-
+ TemplatesPlantillas
-
+ TP
-
+ HTMLHTML
+ CancelCancelar
@@ -1120,52 +1185,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ GroupGrupo
-
+ TitleTítulo
-
+ UsernameNombre de usuario
-
+ PasswordContraseña
-
+ URLURL
-
+ CreationCreación
-
+ Last AccessÚltimo Acceso
-
+ Last ModificationÚltima modificación
-
+ ExpirationExpiración
-
+ CommentComentario
@@ -1178,101 +1243,107 @@ p, li { white-space: pre-wrap; }
Editar Entrada
-
+ Username:Usuario:
-
+ Password Repet.:Contraseña (repetida):
-
+ Title:Título:
-
+ URL:URL:
-
+ Password:Contraseña:
-
+ Quality:Calidad:
-
+ Comment:Comentario:
-
+ Expires:Expira:
-
+ Group:Grupo:
+ &Cancel&Cancelar
+ Alt+CAlt+C
-
+ %1%1
-
+ Icon:Icono:
+ % Bit% Bits
-
+ Ge&n.Ge&n.
+ ......
+ O&K&Aceptar
+ Alt+KAlt+A
-
+ NeverNunca
-
+ Attachment:Adjunto:
-
+ %1 Bit%1 Bit
@@ -1285,33 +1356,37 @@ p, li { white-space: pre-wrap; }
Propiedades del Grupo
-
+ Title:Título:
-
+ Icon:Icono:
+ &Cancel&Cancelar
+ Alt+CAlt+C
+ O&K&Aceptar
+ Alt+KAlt+A
-
+ >>
@@ -1375,6 +1450,7 @@ p, li { white-space: pre-wrap; }
Export_Txt
+ Could not open file (FileError=%1)No se pudo abrir el archivo (FileError=%1)
@@ -1399,88 +1475,93 @@ p, li { white-space: pre-wrap; }
Import File...
- Importar archivo...
+ Importar archivo...Export FailedFalló la exportación
+
+
+ Export File...
+
+ FileErrors
-
+ No error occurred.No se produjeron errores.
-
+ An error occurred while reading from the file.Se produjo un error al leer el archivo.
-
+ An error occurred while writing to the file.Se produjo un error al escribir en el archivo.
-
+ A fatal error occurred.Se produjo un error fatal.
-
+ An resource error occurred.Se produjo un error de recursos.
-
+ The file could not be opened.No se puede abrir el archivo.
-
+ The operation was aborted.Se abortó la operación.
-
+ A timeout occurred.Venció un temporizador.
-
+ An unspecified error occurred.Se produjo un error no especificado.
-
+ The file could not be removed.No se puede eliminar el archivo.
-
+ The file could not be renamed.No se puede renombrar el archivo.
-
+ The position in the file could not be changed.No se puede cambiar la posición en el archivo.
-
+ The file could not be resized.No se puede redimensionar el archivo.
-
+ The file could not be accessed.No se puede acceder al archivo.
-
+ The file could not be copied.No se puede copiar el archivo.
@@ -1488,22 +1569,22 @@ p, li { white-space: pre-wrap; }
GenPwDlg
-
+ Alt+UAlt+U
-
+ Alt+NAlt+N
-
+ Alt+MAlt+M
-
+ Alt+LAlt+L
@@ -1513,116 +1594,175 @@ p, li { white-space: pre-wrap; }
Generador de Contraseña
+ Accep&t&Aceptar
+ &Cancel&Cancelar
-
+ GenerateGenerar
-
+ New Password:Nueva Contraseña:
-
+ Quality:Calidad:
-
+ OptionsOpciones
-
+ &Upper LettersMayúsc&ulas
-
+ &Lower LettersMinúscu&las
-
+ &Numbers&Números
-
+ &Special CharactersCarácteres E&specialesMinus
- Guión
+ GuiónU&nderline
- S&ubrayado
+ S&ubrayado
+ Alt+HAlt+M
-
+ Use &only following characters:Usar sól&o carácteres siguientes:
-
+ Alt+OAlt+O
-
+ Length:Longitud:
+ Use "/dev/rando&m"Usar "/dev/rando&m"
-
+ Use follo&wing character groups:Usar &grupos de carácteres siguientes:
-
+ Alt+WAlt+GWhite &Spaces
- E&spacios
+ E&spacios
-
+ Alt+SAlt+S
-
+ Enable entropy collectionHabilitar la recopilación de entropía
-
+ Collect only once per sessionRecopilar sólo una vez por sesión
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
+ Import_KWalletXml
@@ -1689,62 +1829,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ PwManager Files (*.pwm)Archivo de PwManager (*.pwm)
-
+ All Files (*)Todos los archivos (*)
-
+ Import FailedFalló la importación
-
+ File is empty.Archivo vacío.
-
+ File is no valid PwManager file.El archivo no es un archivo PwManager válido.
-
+ Unsupported file version.Version de archivo no compatible.
-
+ Unsupported hash algorithm.Algoritmo hash no compatible.
-
+ Unsupported encryption algorithm.Algoritmo de cifrado no compatible.
-
+ Compressed files are not supported yet.No se admiten todavía archivos comprimidos.
-
+ Wrong password.Contraseña incorrecta.
-
+ File is damaged (hash test failed).El archivo está dañado (comprobación hash fallida).
-
+ Invalid XML data (see stdout for details).Datos XML no válidos (ver stdout para más detalles).
@@ -1765,88 +1905,93 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.No se pudo abrir el archivo.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Tamaño de fichero no esperado (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong SignatureFirma Incorrecta
-
+ Unsupported File Version.Versión de archivo no compatible.
-
+ Unknown Encryption Algorithm.Algoritmo de cifrado desconocido.
-
+ Decryption failed.
The key is wrong or the file is damaged.Falló el descifrado.La contraseña es incorrecta o el archivo está dañado.
-
+ Hash test failed.
The key is wrong or the file is damaged.Comprobación hash fallida.
La clave es incorecta o el fichero está dañado.
-
+ Invalid group tree.Árbol de grupos no válido.
-
+ Key file is empty.El archivo de claves está vacio.
-
+ The database must contain at least one group.La base de datos tiene que contener al menos un grupo.
-
+ Could not open file for writing.No se puede abrir el archivo para escritura.
-
+ Unexpected error: Offset is out of range.Error inesperado: El desplazamiento está fuera del rango.
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ BytesBytes
-
+ KiBKiB
-
+ MiBMiB
-
+ GiBGiB
@@ -1854,91 +1999,92 @@ La clave es incorecta o el fichero está dañado.
KeepassEntryView
-
+ TitleTítulo
-
+ UsernameUsuario
-
+ URLURL
-
+ PasswordContraseña
-
+ CommentsComentarios
-
+ ExpiresExpira
-
+ CreationCreación
-
+ Last ChangeÚltimo Cambio
-
+ Last AccessÚltimo Acceso
-
+ AttachmentAdjunto
+ %1 items%1 elementos
-
+ Delete?¿Borrar?
-
+ GroupGrupo
-
+ ErrorError
-
+ At least one group must exist before adding an entry.Tiene que existir al menos un grupo antes de añadir una entrada.
-
+ OKOK
-
+ Are you sure you want to delete this entry?¿Está seguro de que quiere borrar esta entrada?
-
+ Are you sure you want to delete these %1 entries?¿Está seguro de que quiere borrar estas %1 entradas?
@@ -1946,114 +2092,122 @@ La clave es incorecta o el fichero está dañado.
KeepassGroupView
-
+ Search ResultsResultados de Búsqueda
+ GroupsGrupos
-
+ Delete?¿Borrar?Are you sure you want to delete this group, all it's child groups and all their entries?
- ¿Está seguro de que quiere borrar este grupo, todos los grupos hijos y todas las entradas?
+ ¿Está seguro de que quiere borrar este grupo, todos los grupos hijos y todas las entradas?
+
+
+
+ Are you sure you want to delete this group, all its child groups and all their entries?
+ KeepassMainWindow
-
+ Ctrl+OCtrl+A
-
+ Ctrl+SCtrl+G
-
+ Ctrl+GCtrl+G
-
+ Ctrl+CCtrl+C
-
+ Ctrl+BCtrl+B
-
+ Ctrl+UCtrl+U
-
+ Ctrl+YCtrl+Y
-
+ Ctrl+ECtrl+E
-
+ Ctrl+DCtrl+D
-
+ Ctrl+KCtrl+K
-
+ Ctrl+FCtrl+F
-
+ Ctrl+WCtrl+W
-
+ Shift+Ctrl+SShift+Ctrl+G
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ ErrorError
+ The following error occured while opening the database:
%1Ocurrió el siguiente error al intentar abrir la base de datos:
%1
+ OKAceptar
-
+ Save modified file?¿Guardar archivo modificado?
@@ -2061,259 +2215,307 @@ La clave es incorecta o el fichero está dañado.
The current file was modified. Do you want
to save the changes?
- El archivo actual ha sido modificado.
+ El archivo actual ha sido modificado.
¿Desea guardar los cambios?
+ YesSí
+ NoNo
+ CancelCancelar
+ <B>Group: </B>%1 <B>Title: </B>%2 <B>Username: </B>%3 <B>URL: </B><a href=%4>%4</a> <B>Password: </B>%5 <B>Creation: </B>%6 <B>Last Change: </B>%7 <B>LastAccess: </B>%8 <B>Expires: </B>%9<b>Grupo: </b>%1 <b>Título: </b>%2 <b>Usuario: </b>%3 <b>URL: </b><a href="%4">%4</a> <b>Contraseña: </b>%5 <b>Creación: </b>%6 <b>Último Cambio: </b>%7 <b>Último Acceso: </b>%8 <b>Expira: </b>%9
-
+ Clone EntryDuplicar Entrada
-
+ Delete EntryEliminar Entrada
-
+ Clone EntriesDuplicar Entradas
-
+ Delete EntriesEliminar Entradas
+ File could not be saved.
%1Archivo no ha podido ser guardado.
%1
+ Save Database As...Guardar Base de Datos Como...
-
+ ReadyListo
+ [new][nuevo]
-
+ Open Database...Abrir Base de Datos...
-
+ Loading Database...Cargando Base de Datos...
-
+ Loading FailedCarga Fallida
+ Could not create key file. The following error occured:
%1No se ha podido crear archivo de clave. Ha ocurrido el siguiente error:
%1
+ Export To...Exportar A...
+ KeePassX [new]KeePassX [nuevo]
+ Unknown error in Import_PwManager::importFile()()Error desconocido en Import_PwManager::importFile()()
+ Unknown error in Import_KWalletXml::importFile()Error desconocido en Import_KWalletXml::importFile()
-
+ Ctrl+VCtrl+V
+ Show ToolbarMostrar Barra de herramientas
+ KeePassXKeePassX
-
+ Unknown error while loading database.Error desconocido al cargar la base de datos.
-
+ KeePass Databases (*.kdb)Base de datos de KeePass (*.kdb)
-
+ All Files (*)Todos los archivos (*)
-
+ Save Database...Guardar base de datos
-
+ 1 Month1 Mes
-
+ %1 Months%1 Meses
-
+ 1 Year1 Año
-
+ %1 Years%1 Años
-
+ 1 Day1 Día
-
+ %1 Days%1 Días
-
+ less than 1 daymenos de 1 día
-
+ LockedBloqueado
-
+ UnlockedDesbloqueado
-
+ Ctrl+LCtrl+L
-
+ Ctrl+QCtrl+Q
-
+ The database file does not exist.El archivo de la base de datos no existe.
-
+ newnuevo
-
+ ExpiredExpirada
-
+ Un&lock WorkspaceDesb&loquear área de trabajo
-
+ &Lock WorkspaceB&loquear área de trabajo
-
+ The following error occured while opening the database:Se produjo el siguiente errore al abrir la base de datos:
-
+ File could not be saved.No se puedo guardar el archivo.
-
+ Show &ToolbarMostrar &Barra de herramientas
-
+ Ctrl+NCtrl+N
-
+ Ctrl+PCtrl+P
-
+ Ctrl+XCtrl+X
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ ErrorError
-
+ File '%1' could not be found.Archivo '%1' no encontrado.
-
+ OKOK
@@ -2326,525 +2528,585 @@ to save the changes?
KeePassX
+ FileArchivo
+ Import from...Importar desde...
+ ViewVer
+ ColumnsColumnas
+ ExtrasPreferencias
+ HelpAyuda
+ New Database...Nueva Base de Datos...
+ Open Database...Abrir Base de Datos...
+ Close DatabaseCerrar Base de Datos
+ Save DatabaseGuardar Base de Datos
+ Save Database As...Guardar Base de Datos Como...
+ Database Settings...Preferencias de Base de Datos...
+ Change Master Key...Cambiar Clave Maestra...
+ ExitSalir
+ PwManager File (*.pwm)PwManager (*.pwm)
+ KWallet XML-File (*.xml)KWallet, archivo XML (*.xml)
+ Add New Group...
- Añadir Nuevo Grupo...
+ Añadir Nuevo Grupo...
+ Edit Group...Editar Grupo...
+ Delete GroupEliminar Grupo
+ Copy Password to ClipboardCopiar Contraseña al Portapapeles
+ Copy Username to ClipboardCopiar Usuario al Portapapeles
+ Open URLAbrir URL
+ Save Attachment As...Guardar Adjunto Como...
+ Add New Entry...Añadir Nueva Entrada...
+ View/Edit Entry...Ver/Editar Entrada...
+ Delete EntryEliminar Entrada
+ Clone EntryDuplicar Entrada
+ Search In Database...Buscar en Base de Datos...
+ Search in this group...Buscar en este grupo...
+ Show ToolbarMostrar Barra de herramientas
+ Show Entry DetailsMostrar Detalles de Entradas
+ Hide UsernamesOcultar Usuarios
+ Hide PasswordsOcultar Contraseñas
+ TitleTítulo
+ UsernameUsuario
+ URLURL
+ PasswordContraseña
+ CommentComentario
+ ExpiresExpira
+ CreationCreación
+ Last ChangeÚltimo Cambio
+ Last AccessÚltimo Acceso
+ AttachmentAdjunto
+ Settings...Preferencias...
+ About...Acerca de...
+ EditEditar
+ Show StatusbarMostrar Barra de estado
+ Export to...Exportar a...
+ KeePassX Handbook...Manual de KeePassX...
+ Plain Text (*.txt)Texto Plano (*.txt)
-
+ HideOcultar
-
+ &View&Ver
-
+ &File&Archivo
-
+ &Import from...&Importar desde...
-
+ &Export to...&Exportar a...
-
+ &Edit&Editar
-
+ E&xtrasE&xtras
-
+ &Help&Ayuda
-
+ &Open Database...&Abrir base de datos...
-
+ &Close Database&Cerrar bases de datos
-
+ &Save Database&Guardar base de datos
-
+ Save Database &As...Guardar base de datos &como...
-
+ &Database Settings...Configuración de la base de &datos
-
+ Change &Master Key...Cambiar contraseña &maestra...
-
+ &Settings...&Preferencias...
-
+ &About...&Acerca de...
-
+ &KeePassX Handbook...Manual de &KeePassX...
-
+ Standard KeePass Single User Database (*.kdb)Base de datos estándar de KeePass para un único usuario (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)Base de datos avanzada de KeePass (*.kxdb)
-
+ Recycle Bin...Papelera de reciclaje...
-
+ GroupsGrupos
-
+ &Lock WorkspaceB&loquear área de trabajo
-
+ &Bookmarks&Marcadores
-
+ Toolbar &Icon SizeTamaño de los &iconos de la barra de herramientas
-
+ &Columns&Columnas
-
+ &Manage Bookmarks...&Gestionar marcadores
-
+ &Quit&Salir&Add New Group...
- &Añadir nuevo grupo...
+ &Añadir nuevo grupo...
-
+ &Edit Group...&Editar Grupo...
-
+ &Delete Group&Borrar grupo
-
+ Copy Password &to ClipboardCopiar la con&traseña al portapapeles
-
+ Copy &Username to ClipboardCopiar la nombre de &usuario al portapapeles
-
+ &Open URLAbrir URL
-
+ &Save Attachment As...&Guardar archivo adjunto como...
-
+ Add &New Entry...Añadir &nueva entrada...
-
+ &View/Edit Entry...&Ver/Editar entrada...
-
+ De&lete EntryBo&rrar entrada
-
+ &Clone Entry&Clonar entrada
-
+ Search &in Database...Buscar e&n la base de datos
-
+ Search in this &Group...Buscar en este &grupo...
-
+ Show &Entry DetailsMostrar detalles de la &entrada
-
+ Hide &UsernamesOcultar nombres de &usuario
-
+ Hide &PasswordsOcultar &contraseñas
-
+ &Title&Título
-
+ User&name&Nombre de usuario
-
+ &URL&URL
-
+ &Password&Contraseña
-
+ &Comment&Comentario
-
+ E&xpiresE&xpira
-
+ C&reationC&reación
-
+ &Last ChangeÚ<imo cambio
-
+ Last &AccessÚltimo &acceso
-
+ A&ttachmentAdjun&to
-
+ Show &StatusbarMostrar barra de e&stado
-
+ &Perform AutoType%Utilizar Auto-escritura
-
+ &16x16&16x16
-
+ &22x22&22x22
-
+ 2&8x282&8x28
-
+ &New Database...&Nueva base de datos...
-
+ &Password Generator...Generador de &contraseñas...
-
+ &Group (search results only)&Grupo (sólo resultados de búsqueda)
-
+ Show &Expired Entries...Mostar &entidades expiradas
-
+ &Add Bookmark...&Añadir marcador...
-
+ Bookmark &this Database...Añadir marcador a es&ta base de datos...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+ ManageBookmarksDlg
@@ -2877,70 +3139,70 @@ to save the changes?
Contraseña de la Base de Datos
-
+ Last FileÚltimo archivo
-
+ Select a Key FileSeleccione un archivo de contraseñas
-
+ All Files (*)Todos los archivos (*)
-
+ Key Files (*.key)Archivos de contraseñas (*.key)
-
+ Please enter a Password or select a key file.Introduzca una contraseña o seleccione un archivo de contraseñas.
-
+ Please enter a Password.Introduzca una Contraseña.
-
+ Please provide a key file.Introduzca un archivo de contraseñas.
-
+ %1:
No such file or directory.%1:No existe el archivo o directorio.
-
+ The selected key file or directory is not readable.No se puede leer el archivo o directorio de las contraseñas.
-
+ The given directory does not contain any key files.El directorio especificado no contiene ningún archivo de contraseñas.
-
+ The given directory contains more then one key files.
Please specify the key file directly.El directorio especificado contiene más de un archivo de contraseñas.Por favor, especifique el archivo de contraseñas directamente.
-
+ %1:
File is not readable.%1:No se puede leer el archivo.
-
+ Create Key File...Crear un archivo de contraseñas...
@@ -2948,14 +3210,17 @@ File is not readable.
PasswordDlg
+ OKAceptar
+ ......
+ CancelCancelar
@@ -2970,33 +3235,37 @@ File is not readable.
Clave
-
+ Password:Contraseña:
+ Key file or directory:Archivo o directorio de clave:
-
+ &Browse...&Navegar...
-
+ Alt+BAlt+N
+ Use Password AND Key FileUsar Contraseña Y Archivo de Clave
+ ExitSalir
+ Password Repet.:Contraseña (repetida):
@@ -3006,27 +3275,27 @@ File is not readable.
Último archivo
-
+ Key File:Archivo de contraseñas:
-
+ Generate Key File...Generar archivo de contraseñas...
-
+ Please repeat your password:Por favor, repita la contraseña:
-
+ BackVolver
-
+ Passwords are not equal.Las contraseñas no son iguales.
@@ -3034,36 +3303,44 @@ File is not readable.
PwDatabase
+ Unknown ErrorError Desconocido
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Tamaño de fichero inesperado (DB_TOTAL_SIZE < DB_HEADER_SIZE)
+ Wrong SignatureFirma Incorrecta
+ AES-Init FailedFalló inicialización de AES
+ Hash test failed.
The key is wrong or the file is damaged.Comprobación hash fallida.
La clave es incorecta o el fichero está dañado.
+ Could not open key file.No se pudo abrir archivo de clave.
+ Key file could not be written.No se pudo escribir archivo de clave.
+ Could not open file.No se pudo abrir el archivo.
@@ -3071,91 +3348,111 @@ La clave es incorecta o el fichero está dañado.
QObject
+ WarningAdvertencia
+ Could not save configuration file.
Make sure you have write access to '~/.keepass'.No se pudo guardar el archivo de configuración.
Asegúrese de tener acceso para escritura en '~/.keepass'.
+ OKAceptar
+ File '%1' could not be found.Archivo '%1' no encontrado.
+ File not found.Archivo no encontrado.
+ Could not open file.No se pudo abrir el archivo.
+ File is no valid PwManager file.El archivo no es un archivo PwManager válido.
+ Unsupported file version.Version de archivo no soportada.
+ Unsupported hash algorithm.Algoritmo hash no soportado.
+ Unsupported encryption algorithm.Algoritmo de cifrado no soportado.
+ Compressed files are not supported yet.Los archivos comprimidos todavía no están soportados.
+ Wrong password.Contraseña incorrecta.
+ File is damaged (hash test failed).El archivo está dañado (comprobación hash fallida).
+ Invalid XML data (see stdout for details).Datos XML no válidos (ver stdout para más detalles).
+ File is empty.Archivo vacío.
+ Invalid XML file (see stdout for details).Archivo XML no válido (ver stdout para más detalles).
+ Invalid XML file.Archivo XML no válido.
+ Document does not contain data.El documento no contiene datos.
+ ErrorError
+ NeverNuncaCould not locate library file.
- No se puede localizar el archivo de la biblioteca.
+ No se puede localizar el archivo de la biblioteca.
@@ -3264,14 +3561,17 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.&Contraseñas
+ SearchBuscar
+ Clo&seC&errar
+ Alt+SAlt+E
@@ -3289,6 +3589,7 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.Selección de icono
+ CancelCancelar
@@ -3296,15 +3597,17 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.
SettingsDialog
-
+ Alt+ÖAlt+Ö
+ O&K&Aceptar
+ Alt+KAlt+A
@@ -3314,372 +3617,440 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.Preferencias
+ &Cancel&Cancelar
-
+ Clear clipboard after:Borrar portapapeles después de:
+ SecondsSegundos
+ Sh&ow passwords in plain text by defaultM&ostrar contraseñas en texto plano por defecto
-
+ Alt+OAppea&rance
- Apa&riencia
+ Apa&riencia
-
+ Banner ColorColor de las cabeceras
-
+ Text Color:Color de Texto:
-
+ Change...Cambiar...
-
+ Color 2:Color 2:
-
+ C&hange...Ca&mbiar...
-
+ Alt+HAlt+M
-
+ Color 1:Color 1:
+ Expand group tree when opening a databaseExpandir árbol de grupo al abrir la base de datos
+ &Other&Otros
+ Remember last opend fileRecordar último archivo abierto
+ Browser Command:Comando del Navegador:
+ Securi&tySeguri&dad
-
+ Alternating Row ColorsAlternar Colores de Columna
-
+ Browse...Navegar...
-
+ Remember last key type and locationRecordar último tipo de clave y localización
-
+ Remember last opened fileRecordar el último archivo abiertoThe integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
- Las extensiones de integración ofrecen funcionalidades como el uso de cuadros de diálogo y mensajes nativos entornos de escritorio particulares.
+ Las extensiones de integración ofrecen funcionalidades como el uso de cuadros de diálogo y mensajes nativos entornos de escritorio particulares.General
- General
+ General
-
+ Show system tray iconMostrar icono en la bandeja del sistema
-
+ Minimize to tray when clicking the main window's close buttonMinimizar a la bandeja al hacer click en el botón de cerrar de la ventana principal
-
+ Save recent directories of file dialogsGuardar los directorios recientes de los cuadros de diálogo de archivos
-
+ Group tree at start-up:Árbol de grupos al inicio:
-
+ Restore last stateRestaurar el último estado
-
+ Expand all itemsExpandir todos los elementos
-
+ Do not expand any itemNo expandir ningún elemento
-
+ SecuritySeguridad
-
+ Edit Entry DialogEditar cuadro de diálogo de entradasDesktop Integration
- Integración con el escritorio
+ Integración con el escritorio
-
+ Plug-InsExtensiones
-
+ NoneNinguno
-
+ Gnome Desktop Integration (Gtk 2.x)Integración con Gnome (Gtk 2.x)
-
+ KDE 4 Desktop IntegrationIntegración con KDE 4
-
+ You need to restart the program before the changes take effect.Se necesita reiniciar el programa antes de que los cambios tengan efecto.
-
+ Configure...Configurar...
-
+ AdvancedAvanzado
-
+ Clear History NowBorrar ahora el historial
-
+ Always ask before deleting entries or groupsPreguntar siempre antes de borrar entradas o grupos
-
+ Customize Entry Detail View...Personalizar la vista detallada de entradasFeatures
- Funcionalidades
+ Funcionalidades
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.Aquí se pueden deshabilitar funcionalidades de KeePassX de acuerdo a tus prefencias para mantener la interfaz símple
-
+ BookmarksMarcadores
-
+ Auto-Type Fine TuningAjuste fino de auto-escritura
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.Tiempo entre la activación por el usuario de una acción de auto-completar y la primera pulsación de tecla simulada.
-
+ msms
-
+ Pre-Gap:Hueco previo:
-
+ Key Stroke Delay:Retraso en la pulsación de teclas:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.Retraso ente dos pulsaciones de tecla simuladas. Incrementar en caso de que auto-completar se salte caracteres aleatoriamente.
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.El directorio en el que se suelen monar los dispositivos como CDs y unidades de memoria.
-
+ Media Root:Raíz de los medios:
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.Habilitar si se quiere usar los marcadores y el último archivo abierto de forma independiente de las rutas absolutas. Esto es especialmente útil cuando se usa KeePassX en varios equipos y por lo tanto cambian los puntos de montaje del sistema de archivos.
-
+ Save relative paths (bookmarks and last file)Guardar rutas relativas (marcadores y último archivo)
-
+ Minimize to tray instead of taskbarMinimizar a la bandeja en vez de a la barra de tareas
-
+ Start minimizedIniciar minimizado
-
+ Start lockedIniciar bloqueado
-
+ Lock workspace when minimizing the main windowBloquear el área de trabajo cuando se minimice la ventana principal
-
+ Global Auto-Type Shortcut:Combinación de teclas para la Auto-escritura global:
-
+ Custom Browser CommandNavegador web personalizado
-
+ BrowseNavegar
-
+ Automatically save database on exit and workspace lockingGuardar la base de datos automáticamente al salir y al bloquear el área de trabajo.
-
+ Show plain text passwords in:Mostrar las contraseñas con texto sin formato en:
-
+ Database Key DialogDiálogo de claves de la base de datos
-
+ secondssegundos
-
+ Lock database after inactivity ofBloquear la base de datos tras una inactividad de
-
+ Use entries' title to match the window for Global Auto-TypeUsar el título de las entradas para buscar la ventana correspondiente para la auto-escritura global
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ CtrlCtrl
-
+ ShiftShift
-
+ AltAlt
-
+ AltGrAltGr
-
+ WinWin
@@ -3687,18 +4058,22 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.
SimplePasswordDialog
+ O&K&Aceptar
+ Alt+KAlt+A
+ Alt+CAlt+C
+ ......
@@ -3713,6 +4088,7 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.Contraseña:
+ &Cancel&Cancelar
@@ -3720,31 +4096,71 @@ Asegúrese de tener acceso para escritura en '~/.keepass'.
StandardDatabase
+ Could not open file.No se pudo abrir el archivo.
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Tamaño de fichero inesperado (DB_TOTAL_SIZE < DB_HEADER_SIZE)
+ Wrong SignatureFirma Incorrecta
+ Hash test failed.
The key is wrong or the file is damaged.Comprobación hash fallida.
La clave es incorecta o el fichero está dañado.
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ Jaroslaw Filiochowski, Marcos del Puerto
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+TrashCanDialog
+ TitleTítulo
+ UsernameUsuario
@@ -3778,38 +4194,47 @@ p, li { white-space: pre-wrap; }
dbsettingdlg_base
+ Database SettingsPreferencias de Base de Datos
+ EncryptionCifrado
+ Algorithm:Algoritmo:
+ ??
+ Encryption Rounds:Iteraciones de Cifrado:
+ O&K&Aceptar
+ Ctrl+KCtrl+A
+ &Cancel&Cancelar
+ Ctrl+CCtrl+C
diff --git a/src/translations/keepassx-fr_FR.ts b/src/translations/keepassx-fr_FR.ts
index 93dc99a..54ffa78 100644
--- a/src/translations/keepassx-fr_FR.ts
+++ b/src/translations/keepassx-fr_FR.ts
@@ -29,13 +29,13 @@
$TRANSLATION_AUTHOR
- <br>Djellel DIDA
+ <br>Djellel DIDA$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- <b>Courriel:</b> <br> djellel@free.fr
+ <b>Courriel:</b> <br> djellel@free.fr
@@ -49,7 +49,7 @@
Tarek Saidi
-
+ Developer, Project AdminDéveloppeur et Administrateur du Projet
@@ -65,7 +65,7 @@
-
+ Web DesignerConcepteur du site Internet
@@ -75,7 +75,7 @@
geugen@users.berlios.de
-
+ Thanks ToRemerciement à
@@ -85,7 +85,7 @@
Matthias Miller
-
+ Patches for better MacOS X supportPour les rustines ayant permis un meilleur support de MacOS X
@@ -100,32 +100,32 @@
James Nicholls
-
+ Main Application IconPour le logo de KeepassX
-
+ Various fixes and improvements
-
+ ErrorErreur
-
+ File '%1' could not be found.
-
+ Make sure that the program is installed correctly.S'assurer que l'application est correctement installée.
-
+ OK
@@ -147,7 +147,7 @@
http://keepassx.sf.net
-
+ Developer
@@ -176,7 +176,7 @@
AboutDlg
-
+ AboutÀ propos
@@ -186,12 +186,12 @@
Remerciement à
-
+ LicenseLicence
-
+ TranslationTraduction
@@ -219,33 +219,33 @@ KeePassX est distribué sous les termes de la<br> Licence Publique
http://keepass.berlios.de/
-
+ CreditsCrédits
-
+ http://keepassx.sourceforge.nethttp://keepassx.sourceforge.net
-
+ keepassx@gmail.comkeepassx@gmail.com
-
+ AppName
-
+ AppFunc
-
- Copyright (C) 2005 - 2008 KeePassX Team
+
+ Copyright (C) 2005 - 2009 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
@@ -295,7 +295,7 @@ General Public License (GPL) version 2.More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Plus d'une auto-saisie: Séquence clé trouvée.
+ Plus d'une auto-saisie: Séquence clé trouvée.
Seulement une par entrée est autorisée.
@@ -310,17 +310,6 @@ Seulement une par entrée est autorisée.
ErrorErreur
-
-
- Syntax Error in Auto-Type sequence near character %1
-Found '{' without closing '}'
-
-
-
-
- Auto-Type string contains invalid characters
-
- AutoTypeDlg
@@ -586,24 +575,24 @@ http://keepassx.sourceforge.net/
CEditEntryDlg
-
+ WarningAvertissement
-
+ Password and password repetition are not equal.
Please check your input.Le mot de passe et sa confirmation ne sont pas identiques !
S'il vous plait, vérifier votre saisie.
-
+ OKAccepter
-
+ Save Attachment...Enregistrer la pièce jointe...
@@ -620,7 +609,7 @@ Do you want to replace it?
Voulez-vous le remplacer ?
-
+ YesOui
@@ -630,7 +619,7 @@ Voulez-vous le remplacer ?
Non
-
+ ErrorErreur
@@ -645,104 +634,104 @@ Voulez-vous le remplacer ?
N'a pas pu créer un nouveau fichier.
-
+ Error while writing the file.Erreur lors de l'écriture du fichier.
-
+ Delete Attachment?Supprimer la pièce jointe ?
-
+ You are about to delete the attachment of this entry.
Are you sure?Vous êtes sur le point de supprimer la pièce jointe de cette entrée.
En êtes-vous sûr ?
-
+ No, CancelNon, annuler
-
+ Edit EntryÉdition de l'entrée
-
+ Could not open file.N'a pas pu ouvrir le fichier.
-
+ %1 Bit%1 Bits
-
+ Add Attachment...Ajouter une pièce jointe...
-
+ The chosen entry has no attachment or it is empty.
-
+ Today
-
+ 1 Week
-
+ 2 Weeks
-
+ 3 Weeks
-
+ 1 Month
-
+ 3 Months
-
+ 6 Months
-
+ 1 Year
-
+ Calendar...
-
+ [Untitled Entry]
-
+ New Entry
@@ -752,17 +741,17 @@ En êtes-vous sûr ?
Notice
- Notification
+ NotificationYou need to enter at least one character
- Vous devez au moins entrer un caractère
+ Vous devez au moins entrer un caractèreOK
- Accepter
+ Accepter
@@ -775,7 +764,7 @@ En êtes-vous sûr ?
N'a pas pu ouvrir '/dev/random' ou '/dev/urandom'.
-
+ Password GeneratorGénérateur de mots de passe
@@ -785,7 +774,7 @@ En êtes-vous sûr ?
%1 Bits
-
+ %1 Bits
@@ -963,12 +952,12 @@ S'il vous plait, vérifier vos permissions.
Supprimer
-
+ Add Icons...Ajouter une icône...
-
+ Images (%1)Images (%1)
@@ -979,7 +968,7 @@ S'il vous plait, vérifier vos permissions.
%1: Le fichier n'a pu être chargé.
-
+ ErrorErreur
@@ -1001,7 +990,7 @@ S'il vous plait, vérifier vos permissions.
Une erreur est survenue lors du chargement (des) de l'icône(s): %1
-
+ An error occured while loading the icon.Une erreur est survenue lors du chargement de l'icône.
@@ -1021,7 +1010,7 @@ S'il vous plait, vérifier vos permissions.
-
+ An error occured while loading the icon(s):
@@ -1029,17 +1018,17 @@ S'il vous plait, vérifier vos permissions.
CSettingsDlg
-
+ SettingsPréférences
-
+ Select a directory...Sélectionner un répertoire....
-
+ Select an executable...
@@ -1147,187 +1136,187 @@ p, li { white-space: pre-wrap; }
-
+ Rich Text Editor
-
+ Bold
-
+ B
-
+ Italic
-
+ I
-
+ Underlined
-
+ U
-
+ Left-Aligned
-
+ L
-
+ Centered
-
+ C
-
+ Right-Aligned
-
+ R
-
+ Justified
-
+ Text Color
-
+ Font Size
-
+ 6
-
+ 7
-
+ 8
-
+ 9
-
+ 10
-
+ 11
-
+ 12
-
+ 14
-
+ 16
-
+ 18
-
+ 20
-
+ 22
-
+ 24
-
+ 26
-
+ 28
-
+ 36
-
+ 42
-
+ 78
-
+ Templates
-
+ T
-
+ HTML
@@ -1376,52 +1365,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ Group
-
+ TitleTítre
-
+ UsernameNom d'utilisateur
-
+ PasswordMot de passe
-
+ URLURL
-
+ Creation
-
+ Last AccessDernier accès
-
+ Last Modification
-
+ Expiration
-
+ CommentCommentaire
@@ -1434,47 +1423,47 @@ p, li { white-space: pre-wrap; }
Édition de l'entrée
-
+ Username:Nom d'utilisateur:
-
+ Password Repet.:Confirmation:
-
+ Title:Títre:
-
+ URL:URL:
-
+ Password:Mot de passe:
-
+ Quality:Qualité
-
+ Comment:Commentaire:
-
+ Expires:Expire le:
-
+ Group:Groupe:
@@ -1489,12 +1478,12 @@ p, li { white-space: pre-wrap; }
Alt+N
-
+ %1%1
-
+ Icon:Icône:
@@ -1504,7 +1493,7 @@ p, li { white-space: pre-wrap; }
% Bits
-
+ Ge&n.&Gen.
@@ -1524,12 +1513,12 @@ p, li { white-space: pre-wrap; }
Alt+A
-
+ NeverJamais
-
+ Attachment:Pièce jointe:
@@ -1539,7 +1528,7 @@ p, li { white-space: pre-wrap; }
>
-
+ %1 Bit%1 Bits
@@ -1552,12 +1541,12 @@ p, li { white-space: pre-wrap; }
Propriétés du groupe
-
+ Title:Títre:
-
+ Icon:Icône:
@@ -1582,7 +1571,7 @@ p, li { white-space: pre-wrap; }
Alt+A
-
+ >>
@@ -1669,90 +1658,90 @@ p, li { white-space: pre-wrap; }
ExporterBase
-
- Import File...
+
+ Export Failed
-
- Export Failed
+
+ Export File...FileErrors
-
+ No error occurred.
-
+ An error occurred while reading from the file.
-
+ An error occurred while writing to the file.
-
+ A fatal error occurred.
-
+ An resource error occurred.
-
+ The file could not be opened.
-
+ The operation was aborted.
-
+ A timeout occurred.
-
+ An unspecified error occurred.
-
+ The file could not be removed.
-
+ The file could not be renamed.
-
+ The position in the file could not be changed.
-
+ The file could not be resized.
-
+ The file could not be accessed.
-
+ The file could not be copied.
@@ -1760,22 +1749,22 @@ p, li { white-space: pre-wrap; }
GenPwDlg
-
+ Alt+UAlt+U
-
+ Alt+NAlt+N
-
+ Alt+MAlt+M
-
+ Alt+LAlt+L
@@ -1795,54 +1784,54 @@ p, li { white-space: pre-wrap; }
&Annuler
-
+ GenerateGénérer
-
+ New Password:Nouveau mot de passe:
-
+ Quality:Qualité:
-
+ OptionsOptions
-
+ &Upper LettersLettres majusc&ules
-
+ &Lower LettersLettres minuscu&les
-
+ &Numbers&Nombres
-
+ &Special CharactersCaractères &SpéciauxMinus
- Moins
+ MoinsU&nderline
- Soulig&né
+ Soulig&né
@@ -1855,17 +1844,17 @@ p, li { white-space: pre-wrap; }
Alt+H
-
+ Use &only following characters:Utiliser s&eulement les caractères suivant:
-
+ Alt+OAlt+E
-
+ Length:Longueur:
@@ -1875,35 +1864,90 @@ p, li { white-space: pre-wrap; }
Utiliser "/dev/rando&m"
-
+ Use follo&wing character groups:Utiliser le &groupe de caractères suivant:
-
+ Alt+WAlt+GWhite &Spaces
- E&space
+ E&space
-
+ Alt+SAlt+S
-
+ Enable entropy collection
-
+ Collect only once per session
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
+ Import_KWalletXml
@@ -1970,62 +2014,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ PwManager Files (*.pwm)
-
+ All Files (*)
-
+ Import Failed
-
+ File is empty.Le fichier est vide.
-
+ File is no valid PwManager file.Le fichier n'est pas un fichier PwManager valide.
-
+ Unsupported file version.Version de fichier non supportée.
-
+ Unsupported hash algorithm.L'algorithme de hachage non supporté.
-
+ Unsupported encryption algorithm.Algorithme d'encryptage non supporté.
-
+ Compressed files are not supported yet.Fichiers de compression non supportés encore.
-
+ Wrong password.Mauvais mot de passe.
-
+ File is damaged (hash test failed).Le fichier est endommagé (Le test de hachage a échoué).
-
+ Invalid XML data (see stdout for details).Donnée XML invalide (voir 'stdout pour plus de détails).
@@ -2046,39 +2090,39 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Taille de fichier inattendue (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong SignatureMauvaise signature
-
+ Unsupported File Version.Version de fichier non supportée.
-
+ Unknown Encryption Algorithm.Algorithme d'encryptage inconnu.
-
+ Decryption failed.
The key is wrong or the file is damaged.Le décryptage a échoué.
La clé est mauvaise ou le fichier est endommagé.
-
+ Hash test failed.
The key is wrong or the file is damaged.Le test de hachage a échoué.
@@ -2110,50 +2154,55 @@ La clé est mauvaise ou le fichier est endommagé.Erreur inattendue: Le décalage est hors limite.[E3]
-
+ Invalid group tree.
-
+ Key file is empty.
-
+ The database must contain at least one group.
-
+ Could not open file for writing.N'a pu ouvrir le fichier pour écriture.
-
+ Unexpected error: Offset is out of range.
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ Bytes
-
+ KiB
-
+ MiB
-
+ GiB
@@ -2161,52 +2210,52 @@ La clé est mauvaise ou le fichier est endommagé.
KeepassEntryView
-
+ TitleTítre
-
+ UsernameNom d'utilisateur
-
+ URLURL
-
+ PasswordMot de passe
-
+ CommentsCommentaires
-
+ ExpiresExpire le
-
+ CreationCréé le
-
+ Last ChangeDernier changement
-
+ Last AccessDernier accès
-
+ AttachmentPièce jointe
@@ -2216,37 +2265,37 @@ La clé est mauvaise ou le fichier est endommagé.
%1 élements
-
+ Delete?
-
+ Group
-
+ ErrorErreur
-
+ At least one group must exist before adding an entry.
-
+ OK
-
+ Are you sure you want to delete this entry?
-
+ Are you sure you want to delete these %1 entries?
@@ -2254,7 +2303,7 @@ La clé est mauvaise ou le fichier est endommagé.
KeepassGroupView
-
+ Search ResultsRésultats de la recherche
@@ -2264,95 +2313,95 @@ La clé est mauvaise ou le fichier est endommagé.
Groupes
-
+ Delete?
-
- Are you sure you want to delete this group, all it's child groups and all their entries?
+
+ Are you sure you want to delete this group, all its child groups and all their entries?KeepassMainWindow
-
+ Ctrl+NCtrl+N
-
+ Ctrl+OCtrl+O
-
+ Ctrl+SCtrl+S
-
+ Ctrl+GCtrl+G
-
+ Ctrl+CCtrl+C
-
+ Ctrl+BCtrl+B
-
+ Ctrl+UCtrl+U
-
+ Ctrl+YCtrl+Y
-
+ Ctrl+ECtrl+E
-
+ Ctrl+DCtrl+D
-
+ Ctrl+KCtrl+A
-
+ Ctrl+FCtrl+F
-
+ Ctrl+WCtrl+W
-
+ Shift+Ctrl+SShift+Ctrl+S
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ ErrorErreur
@@ -2369,7 +2418,7 @@ La clé est mauvaise ou le fichier est endommagé.
Accepter
-
+ Save modified file?Enregistrer le fichier modifié ?
@@ -2377,7 +2426,7 @@ La clé est mauvaise ou le fichier est endommagé.
The current file was modified. Do you want
to save the changes?
- Le courant fichier a été modifié.
+ Le courant fichier a été modifié.
Désirez-vous enregistrer le changement ?
@@ -2406,22 +2455,22 @@ Désirez-vous enregistrer le changement ?<B>Groupe: </B>%1 <B>Titre: </B>%2 <B>Nom d'utilisateur: </B>%3 <B>URL: </B><a href=%4>%4</a> <B>Mot de passe: </B>%5 <B>Date de création: </B>%6 <B>Dernier changement: </B>%7 <B>Dernier accès: </B>%8 <B>Date d'expiration: </B>%9
-
+ Clone EntryDupliquer l'entrée
-
+ Delete EntrySupprimer l'entrée
-
+ Clone EntriesDupliquer les entrées
-
+ Delete EntriesSupprimer les entrées
@@ -2438,7 +2487,7 @@ Désirez-vous enregistrer le changement ?
Enregistrer la BD sous...
-
+ ReadyPrêt
@@ -2448,17 +2497,17 @@ Désirez-vous enregistrer le changement ?
[nouveau]
-
+ Open Database...Ouvrir la BD...
-
+ Loading Database...Chargement de la BD...
-
+ Loading FailedLe chargement a échoué
@@ -2495,7 +2544,7 @@ Désirez-vous enregistrer le changement ?
Erreur inconnue dans PwDatabase::openDatabase()
-
+ Ctrl+VCtrl+V
@@ -2510,145 +2559,179 @@ Désirez-vous enregistrer le changement ?
KeePassX
-
+ Unknown error while loading database.
-
+ KeePass Databases (*.kdb)
-
+ All Files (*)
-
+ Save Database...
-
+ 1 Month
-
+ %1 Months
-
+ 1 Year
-
+ %1 Years
-
+ 1 Day
-
+ %1 Days
-
+ less than 1 day
-
+ Locked
-
+ Unlocked
-
+ Ctrl+L
-
+ Ctrl+Q
-
+ The database file does not exist.
-
+ new
-
+ Expired
-
+ Un&lock Workspace
-
+ &Lock Workspace
-
+ The following error occured while opening the database:
-
+ File could not be saved.
-
+ Show &Toolbar
-
+ Ctrl+P
-
+ Ctrl+X
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ ErrorErreur
-
+ File '%1' could not be found.
-
+ OK
@@ -2741,9 +2824,9 @@ Désirez-vous enregistrer le changement ?
Fichier XML, KWallet (*.xml)
-
+ Add New Group...
- Ajouter un nouveau groupe...
+ Ajouter un nouveau groupe...
@@ -2911,7 +2994,7 @@ Désirez-vous enregistrer le changement ?
Un fichier plein texte (*.txt)
-
+ HideCacher
@@ -2931,72 +3014,72 @@ Désirez-vous enregistrer le changement ?
Taille des icônes de la barre d'outils
-
+ &View&Affichage
-
+ &File&Fichier
-
+ &Import from...&Importer d'un...
-
+ &Export to...&Exporter vers...
-
+ &EditEd&iter
-
+ E&xtrasE&xtras
-
+ &HelpAi&de
-
+ &New Database...&Nouvelle BD...
-
+ &Open Database...&Ouvrir une BD...
-
+ &Close DatabaseFer&mer la BD
-
+ &Save Database&Enregistrer la BD
-
+ Save Database &As...Enre&gistrer la BD sous...
-
+ &Database Settings...Paramé&trage de la BD...
-
+ Change &Master Key...&Changer la clé maitresse...
@@ -3006,250 +3089,255 @@ Désirez-vous enregistrer le changement ?
&Quitter
-
+ &Settings...&Préférences...
-
+ &About...À pr&opos...
-
+ &KeePassX Handbook...Le manuel de &KeePassX...
-
+ Standard KeePass Single User Database (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)
-
+ Recycle Bin...
-
+ GroupsGroupes
-
+ &Lock Workspace
-
+ &Bookmarks
-
+ Toolbar &Icon Size
-
+ &Columns
-
+ &Manage Bookmarks...
-
+ &Quit
-
- &Add New Group...
-
-
-
-
+ &Edit Group...
-
+ &Delete Group
-
+ Copy Password &to Clipboard
-
+ Copy &Username to Clipboard
-
+ &Open URL
-
+ &Save Attachment As...
-
+ Add &New Entry...
-
+ &View/Edit Entry...
-
+ De&lete Entry
-
+ &Clone Entry
-
+ Search &in Database...
-
+ Search in this &Group...
-
+ Show &Entry Details
-
+ Hide &Usernames
-
+ Hide &Passwords
-
+ &Title
-
+ User&name
-
+ &URL
-
+ &Password
-
+ &Comment
-
+ E&xpires
-
+ C&reation
-
+ &Last Change
-
+ Last &Access
-
+ A&ttachment
-
+ Show &Statusbar
-
+ &Perform AutoType
-
+ &16x16
-
+ &22x22
-
+ 2&8x28
-
+ &Password Generator...
-
+ &Group (search results only)
-
+ Show &Expired Entries...
-
+ &Add Bookmark...
-
+ Bookmark &this Database...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+ ManageBookmarksDlg
@@ -3282,70 +3370,70 @@ Désirez-vous enregistrer le changement ?
Base de données des clés
-
+ Last File
-
+ Select a Key FileSelectionner un trousseau de clés
-
+ All Files (*)
-
+ Key Files (*.key)
-
+ Please enter a Password or select a key file.Entrer un mot de passe ou sélectionner un trousseau de clés.
-
+ Please enter a Password.Entrer un mot de passe.
-
+ Please provide a key file.
-
+ %1:
No such file or directory.
-
+ The selected key file or directory is not readable.
-
+ The given directory does not contain any key files.Le répertoire désigné ne contient aucun trousseau de clés.
-
+ The given directory contains more then one key files.
Please specify the key file directly.
-
+ %1:
File is not readable.
-
+ Create Key File...
@@ -3378,7 +3466,7 @@ File is not readable.
Clé maitresse
-
+ Password:Mot de passe:
@@ -3388,12 +3476,12 @@ File is not readable.
Trousseau de clés ou répertoire:
-
+ &Browse...&Parcourir...
-
+ Alt+BAlt+P
@@ -3418,27 +3506,27 @@ File is not readable.
-
+ Key File:
-
+ Generate Key File...
-
+ Please repeat your password:
-
+ Back
-
+ Passwords are not equal.
@@ -3650,11 +3738,6 @@ Make sure you have write access to '~/.keepass'.
NeverJamais
-
-
- Could not locate library file.
-
- SearchDialog
@@ -3808,7 +3891,7 @@ Make sure you have write access to '~/.keepass'.
SettingsDialog
-
+ Alt+ÖAlt+R
@@ -3838,7 +3921,7 @@ Make sure you have write access to '~/.keepass'.
A&nnuler
-
+ Clear clipboard after:Effacer le presse-papier après:
@@ -3853,47 +3936,47 @@ Make sure you have write access to '~/.keepass'.
A&fficher le mot de passe en clair par défaut
-
+ Alt+OAlt+FAppea&rance
- Appa&rence
+ Appa&rence
-
+ Banner ColorCouleur du bandeau
-
+ Text Color:Couleur du texte:
-
+ Change...Changer...
-
+ Color 2:Couleur 2:
-
+ C&hange...C&hanger...
-
+ Alt+HAlt+H
-
+ Color 1:Couleur 1:
@@ -3923,17 +4006,17 @@ Make sure you have write access to '~/.keepass'.
Séc&urité
-
+ Alternating Row ColorsCouleurs alternées pour les rangées
-
+ Browse...Parcourir...
-
+ Remember last key type and locationSe souvenir de la dernière saisie de clé et du dernier emplacement
@@ -3943,275 +4026,315 @@ Make sure you have write access to '~/.keepass'.
Point de montage:
-
+ Remember last opened fileSe souvenir du dernier fichier ouvert
-
- The integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
-
-
-
-
- General
-
-
-
-
+ Show system tray icon
-
+ Minimize to tray when clicking the main window's close button
-
+ Save recent directories of file dialogs
-
+ Group tree at start-up:
-
+ Restore last state
-
+ Expand all items
-
+ Do not expand any item
-
+ Security
-
+ Edit Entry Dialog
-
- Desktop Integration
-
-
-
-
+ Plug-Ins
-
+ None
-
+ Gnome Desktop Integration (Gtk 2.x)
-
+ KDE 4 Desktop Integration
-
+ You need to restart the program before the changes take effect.
-
+ Configure...
-
+ Advanced
-
+ Clear History Now
-
+ Always ask before deleting entries or groups
-
+ Customize Entry Detail View...
-
- Features
-
-
-
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.
-
+ Bookmarks
-
+ Auto-Type Fine Tuning
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.
-
+ ms
-
+ Pre-Gap:
-
+ Key Stroke Delay:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.
-
+ Media Root:
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.
-
+ Save relative paths (bookmarks and last file)
-
+ Minimize to tray instead of taskbar
-
+ Start minimized
-
+ Start locked
-
+ Lock workspace when minimizing the main window
-
+ Global Auto-Type Shortcut:
-
+ Custom Browser Command
-
+ Browse
-
+ Automatically save database on exit and workspace locking
-
+ Show plain text passwords in:
-
+ Database Key Dialog
-
+ seconds
-
+ Lock database after inactivity of
-
+ Use entries' title to match the window for Global Auto-Type
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ Ctrl
-
+ Shift
-
+ Alt
-
+ AltGr
-
+ Win
@@ -4321,6 +4444,41 @@ La clé est mauvaise ou le fichier est endommagé.
N'a pu ouvrir le fichier pour écriture.
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ <br>Djellel DIDA
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ <b>Courriel:</b> <br> djellel@free.fr
+
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+TrashCanDialog
diff --git a/src/translations/keepassx-gl_ES.ts b/src/translations/keepassx-gl_ES.ts
index cb9c212..4ccd84f 100644
--- a/src/translations/keepassx-gl_ES.ts
+++ b/src/translations/keepassx-gl_ES.ts
@@ -1,6 +1,5 @@
-AboutDialog
@@ -14,22 +13,22 @@
Tradución actual
-
+ DeveloperDesenvolvedor
-
+ Developer, Project AdminDeveloper, Project Admin
-
+ ErrorErro
-
+ File '%1' could not be found.Non se achou o ficheiro '%1' .
@@ -39,12 +38,12 @@
Pode atopar información de como traducir KeePassX en:
-
+ Main Application IconIcona da aplicación principal
-
+ Make sure that the program is installed correctly.Asegúrese de que o programa está instalado axeitadamente.
@@ -55,12 +54,12 @@
Nada
-
+ OKAceptar
-
+ Patches for better MacOS X supportParches para mellor soporte MacOS X
@@ -70,28 +69,28 @@
Equipo
-
+ Thanks ToAgradecementos$TRANSLATION_AUTHOR
- damufo
+ damufo$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- proxecto@trasno.net
+ proxecto@trasno.net
-
+ Various fixes and improvementsVarios arranxos e melloras
-
+ Web DesignerDeseñador web
@@ -99,17 +98,17 @@
AboutDlg
-
+ AboutAcerca de
-
+ AppFuncAppFunc
-
+ AppNameAppName
@@ -118,35 +117,44 @@
Copyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
- Copyright (C) 2005 - 2008 KeePassX Team
+ Copyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
-
+ CreditsCréditos
-
+ http://keepassx.sourceforge.nethttp://keepassx.sourceforge.net
-
+ keepassx@gmail.comkeepassx@gmail.com
-
+ LicenseLicenza
-
+ TranslationTradución
+
+
+ Copyright (C) 2005 - 2009 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2.
+ Copyright (C) 2005 - 2008 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2. {2005 ?} {2009 ?} {2.?}
+ AddBookmarkDlg
@@ -191,20 +199,20 @@ General Public License (GPL) version 2.
Auto-Type string contains invalid characters
- A cadea de tipo automatico contén caracteres non permitidos
+ A cadea de tipo automatico contén caracteres non permitidosMore than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Mais que unha 'Auto-Type:' key sequence found.
+ Mais que unha 'Auto-Type:' key sequence found.
Permitida só unha por entrada.Syntax Error in Auto-Type sequence near character %1
Found '{' without closing '}'
- Erro de sintaxe no tipo automatico perto da secuencia de caracteres %1
+ Erro de sintaxe no tipo automatico perto da secuencia de caracteres %1
Atopado '{' sen fechar '}'
@@ -292,134 +300,134 @@ Permitida só unha por entrada.
CEditEntryDlg
-
+ %1 Bit%1 Bit
-
+ 1 Month1 mes
-
+ 1 Week1 semana
-
+ 1 Year1 ano
-
+ 2 Weeks2 semanas
-
+ 3 Months3 meses
-
+ 3 Weeks3 semanas
-
+ 6 Months6 meses
-
+ Add Attachment...Engadir anexo...
-
+ Calendar...Calendario...
-
+ Could not open file.Non se puido abrir o ficheiro.
-
+ Delete Attachment?Eliminar o anexo?
-
+ Edit EntryModificar entrada
-
+ ErrorErro
-
+ Error while writing the file.Erro ao escribir o ficheiro.
-
+ New EntryNova entrada
-
+ No, CancelNon, Cancelar
-
+ OKAcepar
-
+ Password and password repetition are not equal.
Please check your input.Os contrasinais non coinciden.
Comprobe que os inseriu axeitadamente.
-
+ Save Attachment...Gardar anexo...
-
+ The chosen entry has no attachment or it is empty.A entrada elixida non ten anexo ou está baleira.
-
+ TodayHoxe
-
+ [Untitled Entry][Entrada sen título]
-
+ WarningAdvertencia
-
+ YesSi
-
+ You are about to delete the attachment of this entry.
Are you sure?Está a punto de eliminar o adjunto desta entrada.
@@ -429,29 +437,29 @@ Are you sure?
CGenPwDialog
-
+ %1 Bits%1 BitsNotice
- Notificación
+ NotificaciónOK
- Aceptar
+ Aceptar
-
+ Password GeneratorXerador de contrasinaisYou need to enter at least one character
- Introduza polo menos un caracter
+ Introduza polo menos un caracter
@@ -467,17 +475,17 @@ Are you sure?
Engadir icona personalizada
-
+ Add Icons...Engadir iconas...
-
+ An error occured while loading the icon.Ocorreu un erro mentres cargaba a icona.
-
+ An error occured while loading the icon(s):Produciuse un erro mentres cargaba a/s icona/s:
@@ -487,12 +495,12 @@ Are you sure?
Eliminar
-
+ ErrorErro
-
+ Images (%1)Imaxes (%1)
@@ -510,17 +518,17 @@ Are you sure?
CSettingsDlg
-
+ Select a directory...Seleccione un cartafol...
-
+ Select an executable...Seleccione un executabel...
-
+ SettingsPreferencias
@@ -567,92 +575,92 @@ p, li { white-space: pre-wrap; }
CustomizeDetailViewDialog
-
+ 1010
-
+ 1111
-
+ 1212
-
+ 1414
-
+ 1616
-
+ 1818
-
+ 2020
-
+ 2222
-
+ 2424
-
+ 2626
-
+ 2828
-
+ 3636
-
+ 4242
-
+ 66
-
+ 77
-
+ 7878
-
+ 88
-
+ 99
@@ -662,22 +670,22 @@ p, li { white-space: pre-wrap; }
Nome do anexo
-
+ BG
-
+ BoldGrosa
-
+ CN
-
+ CenteredCentrado
@@ -702,7 +710,7 @@ p, li { white-space: pre-wrap; }
Data de expiración
-
+ Font SizeTamaño da letra
@@ -712,27 +720,27 @@ p, li { white-space: pre-wrap; }
Grupo
-
+ HTMLHTML
-
+ IC
-
+ ItalicCursiva
-
+ JustifiedXustificado
-
+ LE
@@ -747,7 +755,7 @@ p, li { white-space: pre-wrap; }
Data da última modificación
-
+ Left-AlignedAliñado á esquerda
@@ -757,32 +765,32 @@ p, li { white-space: pre-wrap; }
Contrasinal
-
+ RD
-
+ Rich Text EditorProcesador de texto enriquecido
-
+ Right-AlignedAliñado á dereita
-
+ TM
-
+ TemplatesTemas
-
+ Text ColorCor de texto
@@ -797,12 +805,12 @@ p, li { white-space: pre-wrap; }
Título
-
+ US
-
+ UnderlinedSubliñada
@@ -856,52 +864,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ CommentComentario
-
+ CreationCreación
-
+ ExpirationExpiración
-
+ GroupGrupo
-
+ Last AccessÚltimo acceso
-
+ Last ModificationÚltima modificación
-
+ PasswordContrasinal
-
+ TitleTítulo
-
+ URLURL
-
+ UsernameNome de usuario
@@ -909,22 +917,22 @@ p, li { white-space: pre-wrap; }
EditEntryDialog
-
+ %1%1
-
+ %1 Bit%1 Bit
-
+ Attachment:Anexo:
-
+ Comment:Comentario:
@@ -934,57 +942,57 @@ p, li { white-space: pre-wrap; }
Modificar entrada
-
+ Expires:Expira:
-
+ Ge&n.Xe&r.
-
+ Group:Grupo:
-
+ Icon:Icona:
-
+ NeverNunca
-
+ Password:Contrasinal:
-
+ Password Repet.:Contrasinal (repetir):
-
+ Quality:Calidade:
-
+ Title:Título:
-
+ URL:URL:
-
+ Username:Usuario:
@@ -992,7 +1000,7 @@ p, li { white-space: pre-wrap; }
EditGroupDialog
-
+ >>
@@ -1002,12 +1010,12 @@ p, li { white-space: pre-wrap; }
Propiedades do grupo
-
+ Icon:Icona:
-
+ Title:Título:
@@ -1096,83 +1104,88 @@ p, li { white-space: pre-wrap; }
Import File...
- Importar ficheiro...
+ Importar ficheiro...
+
+
+
+ Export File...
+ FileErrors
-
+ A fatal error occurred.Ocorreu un erro fatal.
-
+ An error occurred while reading from the file.Ocorreu un erro mentres se lía o ficheiro.
-
+ An error occurred while writing to the file.Ocorreu un erro mentres se escribía no ficheiro.
-
+ An resource error occurred.Ocorreu un erro no recurso.
-
+ An unspecified error occurred.Ocorreu un erro inesperado.
-
+ A timeout occurred.Produciuse un excedido de tempo.
-
+ No error occurred.Non se produciu erro.
-
+ The file could not be accessed.Non foi posible acceder ao ficheiro.
-
+ The file could not be copied.Non foi posibel copiar o ficheiro.
-
+ The file could not be opened.Non foi posibel abrir o ficheiro.
-
+ The file could not be removed.Non foi posibel eliminar o ficheiro.
-
+ The file could not be renamed.Non foi posibel renomear o ficheiro.
-
+ The file could not be resized.Non foi posibel mudar o tamaño ao ficheiro.
-
+ The operation was aborted.Abortouse a operación.
-
+ The position in the file could not be changed.Non foi posibel mudar a posición no ficheiro.
@@ -1180,82 +1193,82 @@ p, li { white-space: pre-wrap; }
GenPwDlg
-
+ Alt+LAlt+L
-
+ Alt+MAlt+M
-
+ Alt+NAlt+N
-
+ Alt+OAlt+O
-
+ Alt+SAlt+S
-
+ Alt+UAlt+U
-
+ Alt+WAlt+G
-
+ Collect only once per sessionRecoller unha vez por sesión
-
+ Enable entropy collectionPermitir a recollida de entropía
-
+ GenerateXerar
-
+ Length:Lonxitude:
-
+ &Lower LettersMinúscu&lasMinus
- Guión
+ Guión
-
+ New Password:Novo contrasinal:
-
+ &Numbers&Números
-
+ OptionsOpcións
@@ -1265,39 +1278,94 @@ p, li { white-space: pre-wrap; }
Xerador de contrasinais
-
+ Quality:Calidade:
-
+ &Special CharactersCaracteres e&speciaisU&nderline
- S&ubliñado
+ S&ubliñado
-
+ &Upper LettersMaiúsc&ulas
-
+ Use follo&wing character groups:Usar os seguintes &grupos de caracteres:
-
+ Use &only following characters:Usar &só os seguintes caracteres:White &Spaces
- E&spazos
+ E&spazos
+
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
@@ -1366,62 +1434,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ All Files (*)Todos os ficheiros (*)
-
+ Compressed files are not supported yet.Os ficheiros comprimidos aínda non están soportados.
-
+ File is damaged (hash test failed).O ficheiro está danado (a comprobación da firma fallou).
-
+ File is empty.Ficheiro baleiro.
-
+ File is no valid PwManager file.Non é un ficheiro PwManager válido.
-
+ Import FailedFallou o importado
-
+ Invalid XML data (see stdout for details).Os datos XML non son válidos (ver stdout para máis detalles).
-
+ PwManager Files (*.pwm)PwManager Files (*.pwm)
-
+ Unsupported encryption algorithm.Non se soporta o algoritmo de cifrado.
-
+ Unsupported file version.Non se soporta a versión do ficheiro.
-
+ Unsupported hash algorithm.Non se soporta o algoritmo da firma.
-
+ Wrong password.Contrasinal incorrecto.
@@ -1442,89 +1510,94 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.Non foi posibel abrir o ficheiro.
-
+ Could not open file for writing.Non foi posibel abrir o ficheiro para escribir.
-
+ Decryption failed.
The key is wrong or the file is damaged.Fallo ao descifrar.
A chave é incorrecta ou está danada.
-
+ Hash test failed.
The key is wrong or the file is damaged.Fallou a comprobación da firma.
A chave é incorrecta ou está danada.
-
+ Invalid group tree.O grupo da árbore non é valido.
-
+ Key file is empty.O ficheiro chave está baleiro.
-
+ The database must contain at least one group.A base de datos ten que ter polo menos un grupo.
-
+ Unexpected error: Offset is out of range.Erro inesperado: Desprazamento fora de rango.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Tamaño de ficheiro inesperado (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Unknown Encryption Algorithm.Descoñecese o algoritmo de cifrado.
-
+ Unsupported File Version.Non se soporta a versión do ficheiro.
-
+ Wrong SignatureSinatura incorrecta
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ BytesBytes
-
+ GiBGB
-
+ KiBKB
-
+ MiBMB
@@ -1532,87 +1605,87 @@ A chave é incorrecta ou está danada.
KeepassEntryView
-
+ Are you sure you want to delete these %1 entries?Seguro que quere borrar estas %1 entradas?
-
+ Are you sure you want to delete this entry?Seguro que quere borrar esta entrada?
-
+ At least one group must exist before adding an entry.Ten que haber polo menos un grupo antes de engadir unha entrada.
-
+ AttachmentAnexo
-
+ CommentsComentarios
-
+ CreationCreación
-
+ Delete?Borrar?
-
+ ErrorErro
-
+ ExpiresExpira
-
+ GroupGrupo
-
+ Last AccessÚltimo acceso
-
+ Last ChangeÚltima modificación
-
+ OKAceptar
-
+ PasswordContrasinal
-
+ TitleTítulo
-
+ URLURL
-
+ UsernameNome de usuario
@@ -1622,248 +1695,253 @@ A chave é incorrecta ou está danada.
Are you sure you want to delete this group, all it's child groups and all their entries?
- Está seguro que quere borrar este grupo, todos os seus subgrupos e súas entradas?
+ Está seguro que quere borrar este grupo, todos os seus subgrupos e súas entradas?
-
+ Delete?Borrar?
-
+ Search ResultsResultados da procura
+
+
+ Are you sure you want to delete this group, all its child groups and all their entries?
+
+ KeepassMainWindow
-
+ 1 Day1 día
-
+ %1 Days%1 días
-
+ 1 Month1 mes
-
+ %1 Months%1 meses
-
+ 1 Year1 ano
-
+ %1 Years%1 anos
-
+ All Files (*)Todos os ficheiros (*)
-
+ Clone EntriesClonar entradas
-
+ Clone EntryClonar entrada
-
+ Ctrl+BCtrl+B
-
+ Ctrl+CCtrl+C
-
+ Ctrl+DCtrl+D
-
+ Ctrl+ECtrl+E
-
+ Ctrl+FCtrl+F
-
+ Ctrl+GCtrl+G
-
+ Ctrl+KCtrl+A
-
+ Ctrl+LCtrl+L
-
+ Ctrl+NCtrl+N
-
+ Ctrl+OCtrl+O
-
+ Ctrl+PCtrl+P
-
+ Ctrl+QCtrl+Q
-
+ Ctrl+SCtrl+S
-
+ Ctrl+UCtrl+U
-
+ Ctrl+VCtrl+V
-
+ Ctrl+WCtrl+W
-
+ Ctrl+XCtrl+X
-
+ Ctrl+YCtrl+Y
-
+ Delete EntriesBorrar entradas
-
+ Delete EntryBorrar entrada
-
+ ErrorErro
-
+ ExpiredExpirado
-
+ File could not be saved.Non foi posibel gardar o ficheiro.
-
+ KeePass Databases (*.kdb)Base de datos KeePass (*.kdb)
-
+ less than 1 daymenos dun día
-
+ Loading Database...Cargando ficheiro de claves...
-
+ Loading FailedA carga fallou
-
+ LockedBloqueado
-
+ &Lock WorkspaceB&loquear espazo de traballo
-
+ newnovo/a
-
+ Open Database...Abrir ficheiro de claves...
-
+ ReadyListo
-
+ Save Database...Gardar base de datos...
-
+ Save modified file?¿Gardar o ficheiro modificado?
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ Shift+Ctrl+SShift+Ctrl+S
-
+ Show &ToolbarAmosar barra de ferramen&tas
@@ -1871,49 +1949,83 @@ A chave é incorrecta ou está danada.
The current file was modified. Do you want
to save the changes?
- O actual ficheiro foi modificado. Quere
+ O actual ficheiro foi modificado. Quere
gardar os trocos?
-
+ The database file does not exist.O ficheiro da base de datos non existe.
-
+ The following error occured while opening the database:Produciuse o seguinte erro abrindo a base de datos:
-
+ Unknown error while loading database.Erro descoñecido cargando a base de datos.
-
+ UnlockedDesbloqueado
-
+ Un&lock WorkspaceDesb&loquear espazo de traballo
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ ErrorErro
-
+ File '%1' could not be found.Non foi posibel atopar o ficheiro '%1'.
-
+ OKAceptar
@@ -1921,177 +2033,177 @@ gardar os trocos?
MainWindow
-
+ &16x16&16x16
-
+ &22x22&22x22
-
+ 2&8x282&8x28
-
+ &About...&Acerca de...
-
+ &Add Bookmark...Eng&adir marcador...
-
+ Add &New Entry...Engadir &nova entrada...&Add New Group...
- Eng&adir novo grupo...
+ Eng&adir novo grupo...
-
+ Advanced KeePassX Database (*.kxdb)Base de datos KeePassX avanzada (*.kxdb)
-
+ A&ttachmentA&nexo
-
+ &Bookmarks&Marcadores
-
+ Bookmark &this Database...Base de da&tos a marcadores...
-
+ Change &Master Key...Trocar o contrasinal &mestre...
-
+ &Clone Entry&Clonar entrada
-
+ &Close DatabaseFechar ficheiro de &claves
-
+ &Columns&Columnas
-
+ &Comment&Comentario
-
+ Copy Password &to ClipboardCopiar o con&trasinal no portarretallos
-
+ Copy &Username to ClipboardCopiar o nome de &usuario no portarretallos
-
+ C&reationC&reación
-
+ &Database Settings...&Preferencias do ficheiro de claves...
-
+ De&lete Entry&Borrar entrada
-
+ &Delete GroupB&orrar Grupo
-
+ &Edit&Modificar
-
+ &Edit Group...&Modificar grupo...
-
+ E&xpiresE&xpira
-
+ &Export to...&Exportar a...
-
+ E&xtrasE&xtras
-
+ &File&Ficheiro
-
+ GroupsGrupos
-
+ &Group (search results only)&Grupo (só resultados da procura)
-
+ &Help&Axuda
-
+ HideAgochar
-
+ Hide &PasswordsAgochar &contrasinais
-
+ Hide &UsernamesAgochar nomes de &usuario
-
+ &Import from...&Importar de...
@@ -2101,150 +2213,165 @@ gardar os trocos?
KeePassX
-
+ &KeePassX Handbook...&KeePassX Handbook...
-
+ Last &AccessÚltimo &acceso
-
+ &Last ChangeU<ima variación
-
+ &Lock WorkspaceB&loquear espazo de traballo
-
+ &Manage Bookmarks...&Xestionar marcadores...
-
+ &New Database...&Nova base de datos...
-
+ &Open Database...&Abrir ficheiro de claves...
-
+ &Open URL&Abrir URL
-
+ &Password&Contrasinal
-
+ &Password Generator...&Xerador de contrasinais...
-
+ &Perform AutoType&Facer tipo automático
-
+ &Quit&Sair
-
+ Recycle Bin...Lixo...
-
+ &Save Attachment As...Gardar &anexo como...
-
+ &Save DatabaseGardar ba&se de datos
-
+ Save Database &As...G&ardar base de datos como...
-
+ Search &in Database...Procurar &na base de datos...
-
+ Search in this &Group...Procurar neste &grupo...
-
+ &Settings...Preferencia&s...
-
+ Show &Entry DetailsAmosar detalles da &entrada
-
+ Show &Expired Entries...Amosar &entradas expiradas...
-
+ Show &StatusbarAmosar barra de e&stado
-
+ Standard KeePass Single User Database (*.kdb)Base de datos KeePassX estándar de usuario único (*.kdb)
-
+ &Title&Título
-
+ Toolbar &Icon SizeTamaño das &iconas da barra de ferramentas
-
+ &URL&URL
-
+ User&name&Nome de usuario
-
+ &View&Ver
-
+ &View/Edit Entry...&Ver/modificar entrada...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+
+
+
+ Add New Group...
+
+ ManageBookmarksDlg
@@ -2257,21 +2384,21 @@ gardar os trocos?
PasswordDialog
-
+ %1:
File is not readable.%1:
O ficheiro non puido ser lido.
-
+ %1:
No such file or directory.%1:
Non se atopa o ficheiro ou directorio.
-
+ All Files (*)Todos os ficheiros (*)
@@ -2281,7 +2408,7 @@ Non se atopa o ficheiro ou directorio.
Trocar chave mestra
-
+ Create Key File...Crear ficheiro chave...
@@ -2296,32 +2423,32 @@ Non se atopa o ficheiro ou directorio.
Introduza a chave mestra
-
+ Key Files (*.key)Ficheiros chave (*.key)
-
+ Last FileÚltimo ficheiro
-
+ Please enter a Password.Introduza un contrasinal.
-
+ Please enter a Password or select a key file.Introduza un contrasinal ou seleccione un ficheiro chave.
-
+ Please provide a key file.Forneza un ficheiro chave.
-
+ Select a Key FileSeleccione un ficheiro chave
@@ -2331,19 +2458,19 @@ Non se atopa o ficheiro ou directorio.
Estableza a chave mestra
-
+ The given directory contains more then one key files.
Please specify the key file directly.O cartafol contén máis dun ficheiro de claves.
Especifique un ficheiro de claves directamente.
-
+ The given directory does not contain any key files.O cartafol fornecido non contén ningún ficheiro chave.
-
+ The selected key file or directory is not readable.Non foi posibel ler o ficheiro ou directorio chave seleccionado.
@@ -2351,17 +2478,17 @@ Especifique un ficheiro de claves directamente.
PasswordDlg
-
+ Alt+BAlt+B
-
+ BackAtrás
-
+ &Browse...&Navegar...
@@ -2371,7 +2498,7 @@ Especifique un ficheiro de claves directamente.
Introduza un contrasinal e/ou seleccione un ficheiro de clave.
-
+ Generate Key File...Xerar ficheiro chave...
@@ -2381,7 +2508,7 @@ Especifique un ficheiro de claves directamente.
Chave
-
+ Key File:Ficheiro chave:
@@ -2391,17 +2518,17 @@ Especifique un ficheiro de claves directamente.
Último ficheiro
-
+ Password:Contrasinal:
-
+ Passwords are not equal.Os contrasinais non concordan.
-
+ Please repeat your password:Repita o contrasinal:
@@ -2411,7 +2538,7 @@ Especifique un ficheiro de claves directamente.
Could not locate library file.
- Non foi posibel localizar o ficheiro biblioteca.
+ Non foi posibel localizar o ficheiro biblioteca.
@@ -2536,262 +2663,262 @@ Especifique un ficheiro de claves directamente.
SettingsDialog
-
+ AdvancedAvanzado
-
+ Alternating Row ColorsAlternar cores de columna
-
+ Alt+HAlt+H
-
+ Alt+OAlt+O
-
+ Alt+ÖAlt+O
-
+ Always ask before deleting entries or groupsPreguntar sempre antes de borrar entradas ou gruposAppea&rance
- Apa&riencia
+ Apa&riencia
-
+ Automatically save database on exit and workspace lockingGardar automáticamente a base de datos ao saír e ao bloquear o espazo de traballo
-
+ Auto-Type Fine TuningAxuste fino de tipo automático
-
+ Banner ColorCor de cartel
-
+ BookmarksMarcadores
-
+ BrowseExaminar
-
+ Browse...Examinar...
-
+ C&hange...Troca&r...
-
+ Change...Trocar...
-
+ Clear clipboard after:Borrar portarretallos despois de:
-
+ Clear History NowLimpar agora o histórico
-
+ Color 1:Cor 1:
-
+ Color 2:Cor 2:
-
+ Configure...Configurar...
-
+ Custom Browser CommandComando personalizado do navegador
-
+ Customize Entry Detail View...Personalizar visualización do detalle da entrada...
-
+ Database Key DialogDiálogo da chave da base de datos
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.Prazo entre a simulación de dúas voltas de chave. Incrementar isto se o tipo automatico salta caracteres ao chou.Desktop Integration
- Integración do escritorio
+ Integración do escritorio
-
+ Do not expand any itemNon expandir ningún item
-
+ Edit Entry DialogModificar diálogo de entrada
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.Active isto se quere usar seus marcadores e o ultimo ficheiro aberto, independentemente do camiño absoluto. Isto é especialmente util cando usa KeePassX de xeito portatil e por tanto hai variacións no punto de montaxe.
-
+ Expand all itemsExpandir todos os itemsFeatures
- Características
+ CaracterísticasGeneral
- Xeral
+ Xeral
-
+ Global Auto-Type Shortcut:Atallo global do tipo automatico:
-
+ Gnome Desktop Integration (Gtk 2.x)Integración co escritorio Gnome (Gtk 2.x)
-
+ Group tree at start-up:Grupo de árbores no arranque:
-
+ KDE 4 Desktop IntegrationIntegración do escritorio KDE 4
-
+ Key Stroke Delay:Tempo de volta de chave:
-
+ Lock database after inactivity ofBloquear base de datos despois dunha inactividade de
-
+ Lock workspace when minimizing the main windowBloquear espazo de traballo ao minimizar a fiestra principal
-
+ Media Root:Medios da raiz:
-
+ Minimize to tray instead of taskbarMinimizar ao área de notificación no canto da barra de tarefas
-
+ Minimize to tray when clicking the main window's close buttonMinimizar ao área de notificación ao premer no botón de pechar da fiestra principal
-
+ msms
-
+ NoneNada
-
+ Plug-InsEngadidos
-
+ Pre-Gap:Volta inicial:
-
+ Remember last key type and locationRecordar último tipo de clave e localización
-
+ Remember last opened fileLembrar o último ficheiro aberto
-
+ Restore last stateRestaurar ao último estado
-
+ Save recent directories of file dialogsGardar os cartafoles recentes dos cadros de diálogo de ficheiro
-
+ Save relative paths (bookmarks and last file)Gardar camiños relativos (marcadores e ultimo ficheiro)
-
+ secondssegundos
-
+ SecuritySeguranza
@@ -2801,85 +2928,145 @@ Especifique un ficheiro de claves directamente.
Preferencias
-
+ Show plain text passwords in:Amosar contrasinais en texto plano en:
-
+ Show system tray iconAmosar unha icona no área de notificación
-
+ Start lockedComezar bloqueado
-
+ Start minimizedComezar minimizado
-
+ Text Color:Cor de texto:
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.O cartafol onde normalmente se montan os dispositivos de almacenamento como CDs e tarxetas de memoria.The integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
- A integración de engadidos provee funcionalidades coma o uso dos cadros de diálogo nativos e caixas de mensaxe especificas do entorno do escritorio.
+ A integración de engadidos provee funcionalidades coma o uso dos cadros de diálogo nativos e caixas de mensaxe especificas do entorno do escritorio.
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.Tempo entre a activación dun tipo automático de acción feita polo usuario e a primeira volta de chave.
-
+ Use entries' title to match the window for Global Auto-TypeUsar entradas do título á altura da fiestra para tipos automáticos globais
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.Pode desactivar varias características de KeePassX aquí, de acordo coas súas necesidades coa fin de manter a interface do usuario limpa.
-
+ You need to restart the program before the changes take effect.Precisa reiniciar o programa para que teñan efecto as modificacións.
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ AltAlt
-
+ AltGrAltGr
-
+ CtrlCtrl
-
+ ShiftShift
-
+ WinWin
@@ -2897,6 +3084,40 @@ Especifique un ficheiro de claves directamente.
Contrasinal:
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ damufo
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ proxecto@trasno.net
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+WorkspaceLockedWidget
diff --git a/src/translations/keepassx-it_IT.ts b/src/translations/keepassx-it_IT.ts
index 876e1a4..319dac7 100644
--- a/src/translations/keepassx-it_IT.ts
+++ b/src/translations/keepassx-it_IT.ts
@@ -1,18 +1,17 @@
-AboutDialog$TRANSLATION_AUTHOR
- Diego Pierotto
+ Diego Pierotto$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- ita.translations@tiscali.it
+ ita.translations@tiscali.it
@@ -25,57 +24,57 @@
Gruppo
-
+ Developer, Project AdminSviluppatore, Amministratore progetto
-
+ Web DesignerDisegnatore Web
-
+ DeveloperSviluppatore
-
+ Thanks ToRingraziamenti
-
+ Patches for better MacOS X supportPatches per migliorie a MacOS X
-
+ Main Application IconIcona applicazione principale
-
+ Various fixes and improvementsAlcune correzioni e migliorie
-
+ ErrorErrore
-
+ File '%1' could not be found.Impossibile trovare il file '%1'.
-
+ Make sure that the program is installed correctly.Assicurati che il programma sia installato correttamente.
-
+ OKOK
@@ -99,42 +98,42 @@
AboutDlg
-
+ AboutInformazioni su
-
+ AppNameAppName
-
+ AppFuncAppFunc
-
+ http://keepassx.sourceforge.nethttp://keepassx.sourceforge.net
-
+ keepassx@gmail.comkeepassx@gmail.com
-
+ CreditsCrediti
-
+ TranslationTraduzione
-
+ LicenseLicenza
@@ -143,10 +142,19 @@
Copyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
- Copyright (C) 2005 - 2008 KeePassX Team
+ Copyright (C) 2005 - 2008 KeePassX Team
KeePassX è distribuito sotto i termini della
General Public License (GPL) versione 2.
+
+
+ Copyright (C) 2005 - 2009 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2.
+ Copyright (C) 2005 - 2008 KeePassX Team
+KeePassX è distribuito sotto i termini della
+General Public License (GPL) versione 2. {2005 ?} {2009 ?} {2.?}
+ AddBookmarkDlg
@@ -192,20 +200,20 @@ General Public License (GPL) versione 2.
More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- Trovate più di una sequenza chiave di 'Auto Digitazione:'.
+ Trovate più di una sequenza chiave di 'Auto Digitazione:'.
E' permessa solo una per voce.Syntax Error in Auto-Type sequence near character %1
Found '{' without closing '}'
- Errore sintassi nella sequenza Auto Digitazione vicina al carattere %1
+ Errore sintassi nella sequenza Auto Digitazione vicina al carattere %1
Trovati '{' senza chiusura '}'Auto-Type string contains invalid characters
- La stringa di Auto Digitazione contiene caratteri non validi
+ La stringa di Auto Digitazione contiene caratteri non validi
@@ -292,136 +300,136 @@ E' permessa solo una per voce.
CEditEntryDlg
-
+ TodayOggi
-
+ 1 Week1 Settimana
-
+ 2 Weeks2 Settimane
-
+ 3 Weeks3 Settimane
-
+ 1 Month1 Mese
-
+ 3 Months3 Mesi
-
+ 6 Months6 Mesi
-
+ 1 Year1 Anno
-
+ Calendar...Calendario...
-
+ %1 Bit%1 Bit
-
+ Edit EntryModifica voce
-
+ WarningAttenzione
-
+ Password and password repetition are not equal.
Please check your input.La password e la conferma password non sono uguali.
Verifica i valori inseriti.
-
+ OKOK
-
+ [Untitled Entry][Voce senza titolo]
-
+ Add Attachment...Aggiungi allegato...
-
+ ErrorErrore
-
+ Could not open file.Impossibile aprire il file.
-
+ The chosen entry has no attachment or it is empty.La voce scelta non ha allegati oppure è vuota.
-
+ Save Attachment...Salva allegato...
-
+ Error while writing the file.Errore durante la scrittura del file.
-
+ Delete Attachment?Eliminare allegato?
-
+ You are about to delete the attachment of this entry.
Are you sure?Stai per eliminare l'allegato di questa voce.
Sei sicuro?
-
+ YesSì
-
+ No, CancelNo, Annulla
-
+ New EntryNuova voce
@@ -429,27 +437,27 @@ Sei sicuro?
CGenPwDialog
-
+ Password GeneratorGeneratore di passwordNotice
- Avviso
+ AvvisoYou need to enter at least one character
- Devi inserire almeno un carattere
+ Devi inserire almeno un carattereOK
- OK
+ OK
-
+ %1 Bits%1 Bits
@@ -477,12 +485,12 @@ Sei sicuro?
Seleziona
-
+ Add Icons...Aggiungi icone...
-
+ Images (%1)Immagini (%1)
@@ -492,17 +500,17 @@ Sei sicuro?
%1: Impossibile caricare il file.
-
+ ErrorErrore
-
+ An error occured while loading the icon(s):Errore durante il caricamento dell'icona(e):
-
+ An error occured while loading the icon.Errore durante il caricamento dell'icona.
@@ -510,17 +518,17 @@ Sei sicuro?
CSettingsDlg
-
+ SettingsImpostazioni
-
+ Select a directory...Seleziona una directory...
-
+ Select an executable...Seleziona un eseguibile...
@@ -572,187 +580,187 @@ p, li { white-space: pre-wrap; }
Finestra di dialogo
-
+ Rich Text EditorEditor Rich Text
-
+ BoldGrassetto
-
+ BG
-
+ ItalicCorsivo
-
+ IC
-
+ UnderlinedSottolineato
-
+ US
-
+ Left-AlignedAllineato a sinistra
-
+ LS
-
+ CenteredCentrato
-
+ CC
-
+ Right-AlignedAllineato a destra
-
+ RD
-
+ JustifiedGiustificato
-
+ Text ColorColore testo
-
+ Font SizeDimensione carattere
-
+ 66
-
+ 77
-
+ 88
-
+ 99
-
+ 1010
-
+ 1111
-
+ 1212
-
+ 1414
-
+ 1616
-
+ 1818
-
+ 2020
-
+ 2222
-
+ 2424
-
+ 2626
-
+ 2828
-
+ 3636
-
+ 4242
-
+ 7878
-
+ TemplatesModelli
-
+ TM
-
+ HTMLHTML
@@ -856,52 +864,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ GroupGruppo
-
+ TitleTitolo
-
+ UsernameNome utente
-
+ PasswordPassword
-
+ URLURL
-
+ CreationCreazione
-
+ Last AccessUltimo accesso
-
+ Last ModificationUltima modifica
-
+ ExpirationScadenza
-
+ CommentCommento
@@ -914,77 +922,77 @@ p, li { white-space: pre-wrap; }
Modifica voce
-
+ Ge&n.Ge&n.
-
+ Quality:Qualità:
-
+ Attachment:Allegato:
-
+ Title:Titolo:
-
+ Username:Nome utente:
-
+ Comment:Commento:
-
+ %1%1
-
+ URL:URL:
-
+ Group:Gruppo:
-
+ Password Repet.:Ripetizione password:
-
+ Password:Password:
-
+ Expires:Scade:
-
+ NeverMai
-
+ %1 Bit%1 Bit
-
+ Icon:Icona:
@@ -997,17 +1005,17 @@ p, li { white-space: pre-wrap; }
Proprietà gruppo
-
+ Icon:Icona:
-
+ Title:Titolo:
-
+ >>
@@ -1091,88 +1099,93 @@ p, li { white-space: pre-wrap; }
Import File...
- Importa file...
+ Importa file...Export FailedEsportazione fallita
+
+
+ Export File...
+
+ FileErrors
-
+ No error occurred.Non si è verificato alcun errore.
-
+ An error occurred while reading from the file.Si è verificato un errore durante la lettura del file.
-
+ An error occurred while writing to the file.Si è verificato un errore durante la scrittura del file.
-
+ A fatal error occurred.Si è verificato un errore fatale.
-
+ An resource error occurred.Si è verificato un errore di risorsa.
-
+ The file could not be opened.Impossibile aprire il file.
-
+ The operation was aborted.L'operazione è stata terminata.
-
+ A timeout occurred.Si è verificata una scadenza.
-
+ An unspecified error occurred.Si è verificato un errore non specificato.
-
+ The file could not be removed.Impossibile rimuovere il file.
-
+ The file could not be renamed.Impossibile rinominare il file.
-
+ The position in the file could not be changed.La posizione nel file non può essere modificata.
-
+ The file could not be resized.Impossibile ridimensionare il file.
-
+ The file could not be accessed.Impossibile accedere al file.
-
+ The file could not be copied.Impossibile copiare il file.
@@ -1185,120 +1198,175 @@ p, li { white-space: pre-wrap; }
Generatore di password
-
+ OptionsOpzioni
-
+ Use follo&wing character groups:Utilizza i se&guenti gruppi di carattere:
-
+ Alt+WAlt+G
-
+ &Lower LettersLettere M&inuscole
-
+ Alt+LAlt+IU&nderline
- So&ttolineato
+ So&ttolineato
-
+ Alt+NAlt+T
-
+ &Numbers&NumeriWhite &Spaces
- &Spazi vuoti
+ &Spazi vuoti
-
+ Alt+SAlt+S
-
+ &Upper LettersLettere M&aiuscole
-
+ Alt+UAlt+AMinus
- Meno
+ Meno
-
+ &Special CharactersCaratteri &Speciali
-
+ Use &only following characters:Utilizza s&olo i seguenti caratteri:
-
+ Alt+OAlt+O
-
+ Length:Lunghezza:
-
+ Quality:Qualità:
-
+ Enable entropy collectionAbilita accumulazione entropia
-
+ Alt+MAlt+M
-
+ Collect only once per sessionImposta solo una volta per sessione
-
+ New Password:Nuova password:
-
+ GenerateGenera
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
+ Import_KWalletXml
@@ -1366,62 +1434,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ PwManager Files (*.pwm)Files PwManager (*.pwm)
-
+ All Files (*)Tutti i files (*)
-
+ Import FailedImportazione fallita
-
+ File is empty.Il fIle è vuoto.
-
+ File is no valid PwManager file.Il file non è un valido file PwManager.
-
+ Unsupported file version.Versione file non supportata.
-
+ Unsupported hash algorithm.Algoritmo di hash non supportato.
-
+ Unsupported encryption algorithm.Algoritmo di cifratura non supportato.
-
+ Compressed files are not supported yet.I file compressi non sono ancora supportati.
-
+ Wrong password.Password errata.
-
+ File is damaged (hash test failed).Il file è danneggiato (prova di hash fallita).
-
+ Invalid XML data (see stdout for details).Dati XML non validi (vedi stdout per dettagli).
@@ -1442,89 +1510,94 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.Impossibile aprire il file.
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)Dimensione file inattesa (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong SignatureFirma errata
-
+ Unsupported File Version.Versione file non supportata.
-
+ Unknown Encryption Algorithm.Algoritmo di cifratura sconosciuto.
-
+ Decryption failed.
The key is wrong or the file is damaged.Decifratura fallita.
La chiave è errata oppure il file è danneggiato.
-
+ Hash test failed.
The key is wrong or the file is damaged.Prova di hash fallita.
La chiave è errata oppure il file è danneggiato.
-
+ Unexpected error: Offset is out of range.Errore inatteso: La posizione è fuori campo.
-
+ Invalid group tree.Albero del gruppo non valido.
-
+ Key file is empty.Il fIle chiave è vuoto.
-
+ The database must contain at least one group.Il database deve contenere almeno un gruppo.
-
+ Could not open file for writing.Impossibile aprire il file per la scrittura.
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ BytesBytes
-
+ KiBKB
-
+ MiBMB
-
+ GiBGB
@@ -1532,87 +1605,87 @@ La chiave è errata oppure il file è danneggiato.
KeepassEntryView
-
+ Delete?Eliminare?
-
+ ErrorErrore
-
+ At least one group must exist before adding an entry.Deve esistere almeno un gruppo prima di aggiungere una voce.
-
+ OKOK
-
+ TitleTitolo
-
+ UsernameNome utente
-
+ URLURL
-
+ PasswordPassword
-
+ CommentsCommenti
-
+ ExpiresScade
-
+ CreationCreazione
-
+ Last ChangeUltima modifica
-
+ Last AccessUltimo accesso
-
+ AttachmentAllegato
-
+ GroupGruppo
-
+ Are you sure you want to delete this entry?Sei sicuro di voler eliminare questa voce?
-
+ Are you sure you want to delete these %1 entries?Sei sicuro di voler eliminare queste %1 voci?
@@ -1620,155 +1693,160 @@ La chiave è errata oppure il file è danneggiato.
KeepassGroupView
-
+ Search ResultsRisultati della ricerca
-
+ Delete?Eliminare?Are you sure you want to delete this group, all it's child groups and all their entries?
- Sei sicuro di voler eliminare questo gruppo, tutti i suoi sottogruppi e le loro voci?
+ Sei sicuro di voler eliminare questo gruppo, tutti i suoi sottogruppi e le loro voci?
+
+
+
+ Are you sure you want to delete this group, all its child groups and all their entries?
+ KeepassMainWindow
-
+ ReadyPronto
-
+ LockedBloccato
-
+ UnlockedSbloccato
-
+ Ctrl+OCtrl+O
-
+ Ctrl+SCtrl+S
-
+ Ctrl+LCtrl+L
-
+ Ctrl+QCtrl+Q
-
+ Ctrl+GCtrl+G
-
+ Ctrl+CCtrl+C
-
+ Ctrl+BCtrl+B
-
+ Ctrl+UCtrl+U
-
+ Ctrl+YCtrl+Y
-
+ Ctrl+ECtrl+E
-
+ Ctrl+DCtrl+D
-
+ Ctrl+KCtrl+K
-
+ Ctrl+FCtrl+F
-
+ Ctrl+VCtrl+V
-
+ Ctrl+WCtrl+W
-
+ Shift+Ctrl+SShift+Ctrl+S
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ ErrorErrore
-
+ The database file does not exist.Il file di database non esiste.
-
+ Loading Database...Caricamento Database...
-
+ Loading FailedCaricamento fallito
-
+ Unknown error while loading database.Errore sconosciuto durante il caricamento del database.
-
+ The following error occured while opening the database:Si è verificato il seguente errore durante l'apertura del database:
-
+ Save modified file?Salvare il file modificato?
@@ -1776,144 +1854,178 @@ La chiave è errata oppure il file è danneggiato.
The current file was modified. Do you want
to save the changes?
- Il file attuale è stato modificato. Vuoi
+ Il file attuale è stato modificato. Vuoi
salvare le modifiche?
-
+ newnuovo
-
+ Open Database...Apri Database...
-
+ KeePass Databases (*.kdb)Database KeePass (*.kdb)
-
+ All Files (*)Tutti i files (*)
-
+ ExpiredScaduta
-
+ 1 Month1 Mese
-
+ %1 Months%1 Mesi
-
+ 1 Year1 Anno
-
+ %1 Years%1 Anni
-
+ 1 Day1 Giorno
-
+ %1 Days%1 Giorni
-
+ less than 1 daymeno di 1 giorno
-
+ Clone EntryDuplica voce
-
+ Delete EntryElimina voce
-
+ Clone EntriesDuplica voci
-
+ Delete EntriesElimina voci
-
+ File could not be saved.Impossibile salvare il file.
-
+ Save Database...Salva Database...
-
+ Un&lock WorkspaceSb&locca l'area di lavoro
-
+ &Lock Workspace&Blocca l'area di lavoro
-
+ Show &ToolbarMostra barra degli &strumenti
-
+ Ctrl+NCtrl+N
-
+ Ctrl+PCtrl+P
-
+ Ctrl+XCtrl+X
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ ErrorErrore
-
+ File '%1' could not be found.Impossibile trovare il file '%1'.
-
+ OKOK
@@ -1926,325 +2038,340 @@ salvare le modifiche?
KeePassX
-
+ GroupsGruppi
-
+ &Help&Guida
-
+ &File&File
-
+ &Export to...Esp&orta in...
-
+ &Import from...Im&porta da...
-
+ &Edit&Modifica
-
+ &View&Visualizza
-
+ E&xtras&Utilità
-
+ &Open Database...&Apri Database...
-
+ &Close Database&Chiudi Database
-
+ &Save Database&Salva Database
-
+ Save Database &As...Save Database &come...
-
+ &Database Settings...Impostazioni &Database...
-
+ Change &Master Key...Cambia la chiave &principale...
-
+ &Lock Workspace&Blocca l'area di lavoro
-
+ &Settings...&Impostazioni...
-
+ &About...&Informazioni su...
-
+ &KeePassX Handbook...Manuale &KeePassX...
-
+ HideNascondi
-
+ Standard KeePass Single User Database (*.kdb)Database KeePass standard a singolo utente (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)Database KeePassX avanzato (*.kxdb)
-
+ Recycle Bin...Cestino...
-
+ &Bookmarks&Segnalibri
-
+ Toolbar &Icon SizeDimensione &icona barra degli strumenti
-
+ &Columns&Colonne
-
+ &Manage Bookmarks...Gestisci i Se&gnalibri...
-
+ &QuitE&sci&Add New Group...
- &Aggiungi nuovo gruppo...
+ &Aggiungi nuovo gruppo...
-
+ &Edit Group...Modi&fica gruppo...
-
+ &Delete GroupElimina &gruppo
-
+ Copy Password &to ClipboardCopia la password negli &Appunti
-
+ Copy &Username to ClipboardCopia il nome &utente negli Appunti
-
+ &Open URL&Apri URL
-
+ &Save Attachment As...&Salva allegato come...
-
+ Add &New Entry...Aggiungi &nuova voce...
-
+ &View/Edit Entry...&Visualizza/Modifica voce...
-
+ De&lete EntryE&limina voce
-
+ &Clone Entry&Duplica voce
-
+ Search &in Database...Cerca &nel Database...
-
+ Search in this &Group...Cerca in questo &gruppo...
-
+ Show &Entry DetailsMostra d&ettagli voce
-
+ Hide &UsernamesNascondi nomi &utente
-
+ Hide &PasswordsNascondi &password
-
+ &Title&Titolo
-
+ User&name&Nome utente
-
+ &URL&URL
-
+ &Password&Password
-
+ &Comment&Commento
-
+ E&xpires&Scade
-
+ C&reationC&reazione
-
+ &Last ChangeU<ima modifica
-
+ Last &AccessUltimo &accesso
-
+ A&ttachmentAllega&to
-
+ Show &StatusbarMostra la barra di &stato
-
+ &Perform AutoTypeEsegui Auto &Digitazione
-
+ &16x16&16x16
-
+ &22x22&22x22
-
+ 2&8x282&8x28
-
+ &New Database...&Nuovo Database...
-
+ &Password Generator...Generatore di &password...
-
+ &Group (search results only)&Gruppo (ricerca solo di risultati)
-
+ Show &Expired Entries...Mostra voci scadut&e...
-
+ &Add Bookmark...&Aggiungi ai Segnalibri...
-
+ Bookmark &this Database...Imposta il Database come &Segnalibro...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+
+
+
+ Add New Group...
+
+ ManageBookmarksDlg
@@ -2277,73 +2404,73 @@ salvare le modifiche?
Chiave Database
-
+ Last FileUltimo file
-
+ Select a Key FileSeleziona un file chiave
-
+ All Files (*)Tutti i files (*)
-
+ Key Files (*.key)File chiave (*.key)
-
+ Please enter a Password or select a key file.Inserisci una password o seleziona un file chiave.
-
+ Please enter a Password.Insersci una password.
-
+ Please provide a key file.Fornisci un file chiave.
-
+ %1:
No such file or directory.%1:
Nessun file o directory.
-
+ The selected key file or directory is not readable.Il file chiave o la directory selezionata non è leggibile.
-
+ The given directory does not contain any key files.La directory selezionata non contiene alcun file chiave.
-
+ The given directory contains more then one key files.
Please specify the key file directly.La directory selezionata contiene più di un file chiave.
Specifica il file chiave direttamente.
-
+ %1:
File is not readable.%1:
Il file non è leggibile.
-
+ Create Key File...Crea un file chiave...
@@ -2366,42 +2493,42 @@ Il file non è leggibile.
Chiave
-
+ Password:Password:
-
+ &Browse...&Sfoglia...
-
+ Alt+BAlt+S
-
+ Key File:File chiave:
-
+ Generate Key File...Genera file chiave...
-
+ Please repeat your password:Ripeti la password:
-
+ BackIndietro
-
+ Passwords are not equal.Le password non corrispondono.
@@ -2411,7 +2538,7 @@ Il file non è leggibile.
Could not locate library file.
- Impossibile trovare il file di libreria.
+ Impossibile trovare il file di libreria.
@@ -2543,343 +2670,403 @@ Il file non è leggibile.
The integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
- L'integrazione dei plugins fornisce caratteristiche come l'uso di file di finestre di dialogo nativi e caselle messaggi degli ambienti desktop particolari.
+ L'integrazione dei plugins fornisce caratteristiche come l'uso di file di finestre di dialogo nativi e caselle messaggi degli ambienti desktop particolari.General
- Generale
+ Generale
-
+ Show system tray iconMostra icona nella barra di sistema
-
+ Minimize to tray instead of taskbarRiduci a icona nella barra di sistema anzichè nella barra delle applicazioni
-
+ Minimize to tray when clicking the main window's close buttonRiduci alla barra di sistema al click del pulsante chiudi della finestra principale
-
+ Remember last opened fileRicorda l'ultimo file aperto
-
+ Alt+ÖAlt+Ö
-
+ Remember last key type and locationRicorda l'ultima chiave digitata e la posizione
-
+ Start minimizedAvvia ridotto a icona
-
+ Start lockedAvvia bloccato
-
+ Save recent directories of file dialogsSalva directory recenti dei file di dialoghi
-
+ Clear History NowPulisci ora la cronologia
-
+ Always ask before deleting entries or groupsChiedi sempre prima di eliminare voci o gruppiAppea&rance
- Asp&etto
+ Asp&etto
-
+ Banner ColorColore banner
-
+ Text Color:Colore testo:
-
+ Change...Cambia...
-
+ Color 2:Colore 2:
-
+ C&hange...Ca&mbia...
-
+ Alt+HAlt+M
-
+ Color 1:Colore 1:
-
+ Alternating Row ColorsColore alternativo delle righe
-
+ Customize Entry Detail View...Personalizza la voce Visualizza dettagli...
-
+ Group tree at start-up:Albero del gruppo all'avvio:
-
+ Restore last stateRipristina ultimo stato
-
+ Expand all itemsEspandi tutti i valori
-
+ Do not expand any itemNon espandere alcun valore
-
+ SecuritySicurezza
-
+ Edit Entry DialogModifica finestra di dialogo della voce
-
+ Alt+OAlt+O
-
+ Clear clipboard after:Pulisci gli Appunti dopo:
-
+ Lock workspace when minimizing the main windowBlocca l'area di lavoro quando riduci a icona la finestra principaleFeatures
- Caratteristiche
+ Caratteristiche
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.Qui puoi disabilitare alcune caratteristiche di KeePassX a seconda delle tue necessità in modo da mantenere snella l'interfaccia utente.
-
+ BookmarksSegnalibriDesktop Integration
- Integrazione con il Desktop
+ Integrazione con il Desktop
-
+ Plug-InsPlug-Ins
-
+ NoneNessuno
-
+ Gnome Desktop Integration (Gtk 2.x)Integrazione con il Desktop di Gnome (Gtk 2.x)
-
+ KDE 4 Desktop IntegrationIntegrazione con il Desktop di KDE 4
-
+ You need to restart the program before the changes take effect.Devi riavviare il programma per rendere effettivi i cambiamenti.
-
+ Configure...Configura...
-
+ AdvancedAvanzate
-
+ Auto-Type Fine TuningRegola in modo fine l'Auto Digitazione
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.Tempo tra l'attivazione di un'azione da parte dell'utente di Auto Digitazione e la pressione della prima chiave simulata.
-
+ msms
-
+ Pre-Gap:Differenza precedente:
-
+ Key Stroke Delay:Ritardo pressione tasti:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.Ritardo tra due pressioni dei tasti simulati. Aumentalo se l'Auto Digitazione salta casualmente i caratteri.
-
+ Custom Browser CommandPersonalizza il comando Sfoglia
-
+ BrowseSfoglia
-
+ Media Root:Radice dei media:
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.La directory dove le periferiche di salvataggio come CD e chiavette USB vengono montate di solito.
-
+ Browse...Sfoglia...
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.Abilita questo se vuoi usare i segnalibri e l'ultimo file aperto indipendentemente dai loro percorsi assoluti. Questo è utile specialmente quando si usa KeePassX in modo portatile e perciò i punti di mount cambiano nel file system.
-
+ Save relative paths (bookmarks and last file)Salva i percorsi relativi (segnalibri e ultimo file)
-
+ Global Auto-Type Shortcut:Collegamento Auto Digitazione globale:
-
+ Automatically save database on exit and workspace lockingSalva automaticamente il database all'uscita e blocca l'area di lavoro
-
+ Show plain text passwords in:Mostra password in chiaro in:
-
+ Database Key DialogFinestra chiave database
-
+ secondssecondi
-
+ Lock database after inactivity ofBlocca il database dopo inattività di
-
+ Use entries' title to match the window for Global Auto-TypeUtilizza i titoli della voce per far corrispondere la finestra di Auto Digitazione Globale
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ CtrlCtrl
-
+ ShiftShift
-
+ AltAlt
-
+ AltGrAltGr
-
+ WinWin
@@ -2897,6 +3084,40 @@ Il file non è leggibile.
Password:
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ Diego Pierotto
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ ita.translations@tiscali.it
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+WorkspaceLockedWidget
diff --git a/src/translations/keepassx-ja_JP.ts b/src/translations/keepassx-ja_JP.ts
index 067e1d9..fd79ab5 100644
--- a/src/translations/keepassx-ja_JP.ts
+++ b/src/translations/keepassx-ja_JP.ts
@@ -21,13 +21,13 @@
$TRANSLATION_AUTHOR
- Nardog
+ Nardog$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- http://nardog.takoweb.com
+ http://nardog.takoweb.com
@@ -47,7 +47,7 @@
Tarek Saidi
-
+ Developer, Project Admin開発者、プロジェクト管理者
@@ -62,7 +62,7 @@
Eugen Gorschenin
-
+ Web DesignerWeb デザイナ
@@ -72,7 +72,7 @@
geugen@users.berlios.de
-
+ Thanks To謝辞
@@ -82,7 +82,7 @@
Matthias Miller
-
+ Patches for better MacOS X supportよりよい MacOS X サポートのパッチ
@@ -97,7 +97,7 @@
James Nicholls
-
+ Main Application Iconメイン アプリケーションのアイコン
@@ -107,7 +107,7 @@
Constantin Makshin
-
+ Various fixes and improvementsさまざまな修正と向上
@@ -117,22 +117,22 @@
dinosaur-rus@users.sourceforge.net
-
+ Errorエラー
-
+ File '%1' could not be found.ファイル '%1' が見つかりませんでした。
-
+ Make sure that the program is installed correctly.プログラムが正しくインストールされていることを確実にしてください。
-
+ OKOK
@@ -159,7 +159,7 @@
KeePassX を翻訳する方法についての情報は次の下に見つかります:
-
+ Developer開発者
@@ -183,17 +183,17 @@
AboutDlg
-
+ Aboutバージョン情報
-
+ Licenseライセンス
-
+ Translation翻訳
@@ -203,17 +203,17 @@
<html><head><meta name="qrichtext" content="1" /></head><body style=" white-space: pre-wrap; font-family:Sans Serif; font-size:9pt; font-weight:400; font-style:normal; text-decoration:none;"><p style=" margin-top:0px; margin-bottom:0px; margin-left:0px; margin-right:0px; -qt-block-indent:0; text-indent:0px;"><span style=" font-size:12pt; font-weight:600;">KeePassX</span> - クロス プラットフォーム パスワード マネージャ</p></body></html>
-
+ Creditsクレジット
-
+ http://keepassx.sourceforge.nethttp://keepassx.sourceforge.net
-
+ keepassx@gmail.comkeepassx@gmail.com
@@ -227,12 +227,12 @@ KeePassX は General Public License (GPL) version 2 以降の
条件の下で配布されています。
-
+ AppNameAppName
-
+ AppFuncAppFunc
@@ -250,10 +250,19 @@ version 2 の条件の下に配布されています。
Copyright (C) 2005 - 2008 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
- Copyright (C) 2005 - 2007 KeePassX Team
+ Copyright (C) 2005 - 2007 KeePassX Team
KeePassX は General Public License (GPL)
version 2 の条件の下に配布されています。 {2005 ?} {2008 ?} {2.?}
+
+
+ Copyright (C) 2005 - 2009 KeePassX Team
+KeePassX is distributed under the terms of the
+General Public License (GPL) version 2.
+ Copyright (C) 2005 - 2007 KeePassX Team
+KeePassX は General Public License (GPL)
+version 2 の条件の下に配布されています。 {2005 ?} {2008 ?} {2.?} {2005 ?} {2009 ?} {2.?}
+ AddBookmarkDlg
@@ -299,7 +308,7 @@ version 2 の条件の下に配布されています。 {2005 ?} {2008 ?} {2.?}<
More than one 'Auto-Type:' key sequence found.
Allowed is only one per entry.
- 1 つより多くの '自動入力:' キー シーケンスが見つかりました。
+ 1 つより多くの '自動入力:' キー シーケンスが見つかりました。
許可されているのは 1 つのエントリあたり 1 つのみです。
@@ -311,7 +320,7 @@ Allowed is only one per entry.
Syntax Error in Auto-Type sequence near character %1
Found '{' without closing '}'
- 文字 %1 に近い [自動入力] シーケンスでの構文エラーです
+ 文字 %1 に近い [自動入力] シーケンスでの構文エラーです
閉じ '}' のない '{' が見つかりました
@@ -319,11 +328,6 @@ Allowed is only one per entry.
Auto-Type string contains illegal characters自動入力の文字列は不法な文字を含みます
-
-
- Auto-Type string contains invalid characters
-
- AutoTypeDlg
@@ -409,71 +413,71 @@ Allowed is only one per entry.
CEditEntryDlg
-
+ Warning警告
-
+ Password and password repetition are not equal.
Please check your input.パスワードとパスワードの反復が同じではありません。
ご入力をチェックしてください。
-
+ OKOK
-
+ Save Attachment...添付の保存...
-
+ Yesはい
-
+ Errorエラー
-
+ Error while writing the file.ファイルの書き込み中のエラーです。
-
+ Delete Attachment?添付を削除しますか?
-
+ You are about to delete the attachment of this entry.
Are you sure?このエントリの添付を削除しようとしています。
よろしいですか?
-
+ No, Cancelいいえ、キャンセル
-
+ Could not open file.ファイルを開けませんでした。
-
+ %1 Bit%1 ビット
-
+ Add Attachment...添付の追加...
@@ -483,67 +487,67 @@ Are you sure?
テスト 2
-
+ The chosen entry has no attachment or it is empty.選択されたエントリは添付がないか空です。
-
+ Today今日
-
+ 1 Week1 週間
-
+ 2 Weeks2 週間
-
+ 3 Weeks3 週間
-
+ 1 Month1 ヶ月間
-
+ 3 Months3 ヶ月間
-
+ 6 Months6 ヶ月間
-
+ 1 Year1 年間
-
+ Calendar...カレンダー...
-
+ Edit Entryエントリの編集
-
+ [Untitled Entry][無題のエントリ]
-
+ New Entry
@@ -553,20 +557,20 @@ Are you sure?
Notice
- 通知
+ 通知You need to enter at least one character
- 少なくとも 1 文字入力する必要があります
+ 少なくとも 1 文字入力する必要がありますOK
- OK
+ OK
-
+ Password Generatorパスワード ジェネレータ
@@ -576,7 +580,7 @@ Are you sure?
承認
-
+ %1 Bits%1 ビット
@@ -734,12 +738,12 @@ Please check your permissions.
削除
-
+ Add Icons...アイコンの追加...
-
+ Images (%1)イメージ (%1)
@@ -751,7 +755,7 @@ Please check your permissions.
-
+ Errorエラー
@@ -768,7 +772,7 @@ Please check your permissions.
%1
-
+ An error occured while loading the icon.アイコンの読み込み中にエラーが発生しました。
@@ -788,7 +792,7 @@ Please check your permissions.
%1: ファイルは読み込めませんでした。
-
+ An error occured while loading the icon(s):アイコンの読み込み中にエラーが発生しました:
@@ -796,12 +800,12 @@ Please check your permissions.
CSettingsDlg
-
+ Settings設定
-
+ Select a directory...ディレクトリの選択...
@@ -811,7 +815,7 @@ Please check your permissions.
エラー: %1
-
+ Select an executable...実行ファイルの選択...
@@ -923,187 +927,187 @@ p, li { white-space: pre-wrap; }
ダイアログ
-
+ Rich Text Editorリッチ テキスト エディタ
-
+ Bold太字
-
+ B太
-
+ Italic斜体
-
+ I斜
-
+ Underlined下線
-
+ U下
-
+ Left-Aligned左揃え
-
+ L左
-
+ Centered中央揃え
-
+ C中
-
+ Right-Aligned右揃え
-
+ R右
-
+ Justified両端揃え
-
+ Text Colorテキストの色
-
+ Font Sizeフォント サイズ
-
+ 66
-
+ 77
-
+ 88
-
+ 99
-
+ 1010
-
+ 1111
-
+ 1212
-
+ 1414
-
+ 1616
-
+ 1818
-
+ 2020
-
+ 2222
-
+ 2424
-
+ 2626
-
+ 2828
-
+ 3636
-
+ 4242
-
+ 7878
-
+ Templatesテンプレート
-
+ Tテ
-
+ HTMLHTML
@@ -1162,52 +1166,52 @@ p, li { white-space: pre-wrap; }
DetailViewTemplate
-
+ Groupグループ
-
+ Titleタイトル
-
+ Usernameユーザー名
-
+ Passwordパスワード
-
+ URLURL
-
+ Creation作成
-
+ Last Access最終アクセス
-
+ Last Modification最終変更
-
+ Expiration満了
-
+ Commentコメント
@@ -1220,62 +1224,62 @@ p, li { white-space: pre-wrap; }
エントリの編集
-
+ Username:ユーザー名:
-
+ Password Repet.:パスワードの反復:
-
+ Title:タイトル:
-
+ URL:URL:
-
+ Password:パスワード:
-
+ Quality:品質:
-
+ Comment:コメント:
-
+ Expires:満了:
-
+ Group:グループ:
-
+ %1%1
-
+ Icon:アイコン:
-
+ Ge&n.生成(&N)
@@ -1285,12 +1289,12 @@ p, li { white-space: pre-wrap; }
...
-
+ Neverしない
-
+ Attachment:添付:
@@ -1300,7 +1304,7 @@ p, li { white-space: pre-wrap; }
>
-
+ %1 Bit%1 ビット
@@ -1313,12 +1317,12 @@ p, li { white-space: pre-wrap; }
グループのプロパティ
-
+ Title:タイトル:
-
+ Icon:アイコン:
@@ -1343,7 +1347,7 @@ p, li { white-space: pre-wrap; }
Alt+K
-
+ >>
@@ -1432,88 +1436,93 @@ p, li { white-space: pre-wrap; }
Import File...
- ファイルのインポート...
+ ファイルのインポート...Export Failedエクスポートが失敗しました
+
+
+ Export File...
+
+ FileErrors
-
+ No error occurred.エラーが発生しませんでした。
-
+ An error occurred while reading from the file.ファイルからの読み込み中にエラーが発生しました。
-
+ An error occurred while writing to the file.ファイルへの書き込み中にエラーが発生しました。
-
+ A fatal error occurred.致命的なエラーが発生しました。
-
+ An resource error occurred.リソース エラーが発生しました。
-
+ The file could not be opened.ファイルは開けませんでした。
-
+ The operation was aborted.操作は中止されました。
-
+ A timeout occurred.タイムアウトが発生しました。
-
+ An unspecified error occurred.予期しないエラーが発生しました。
-
+ The file could not be removed.ファイルは削除できませんでした。
-
+ The file could not be renamed.ファイルは名前を変更できませんでした。
-
+ The position in the file could not be changed.ファイルの位置は変更できませんでした。
-
+ The file could not be resized.ファイルはサイズを変更できませんでした。
-
+ The file could not be accessed.ファイルはアクセスできませんでした。
-
+ The file could not be copied.ファイルはコピーできませんでした。
@@ -1521,22 +1530,22 @@ p, li { white-space: pre-wrap; }
GenPwDlg
-
+ Alt+UAlt+U
-
+ Alt+NAlt+N
-
+ Alt+MAlt+M
-
+ Alt+LAlt+L
@@ -1546,100 +1555,155 @@ p, li { white-space: pre-wrap; }
パスワード ジェネレータ
-
+ Generate生成
-
+ New Password:新しいパスワード:
-
+ Quality:品質:
-
+ Optionsオプション
-
+ &Upper Letters大文字(&U)
-
+ &Lower Letters小文字(&L)
-
+ &Numbers数字(&N)
-
+ &Special Characters特殊文字(&S)Minus
- マイナス
+ マイナスU&nderline
- 下線(&N)
+ 下線(&N)
-
+ Use &only following characters:以下の文字のみ使用する(&O):
-
+ Alt+OAlt+O
-
+ Length:長さ:
-
+ Use follo&wing character groups:以下の文字グループを使用する(&W):
-
+ Alt+WAlt+WWhite &Spaces
- 空白(&S)
+ 空白(&S)
-
+ Alt+SAlt+S
-
+ Enable entropy collectionエントロピーの収集を有効にする
-
+ Collect only once per session収集は 1 セッションあたり 1 回のみ
+
+
+ Random
+
+
+
+
+ &Underline
+
+
+
+
+ &White Spaces
+
+
+
+
+ &Minus
+
+
+
+
+ Exclude look-alike characters
+
+
+
+
+ Ensure that password contains characters from every group
+
+
+
+
+ Pronounceable
+
+
+
+
+ Lower Letters
+
+
+
+
+ Upper Letters
+
+
+
+
+ Numbers
+
+
+
+
+ Special Characters
+
+ Import_KWalletXml
@@ -1707,62 +1771,62 @@ p, li { white-space: pre-wrap; }
Import_PwManager
-
+ PwManager Files (*.pwm)PwManager ファイル (*.pwm)
-
+ All Files (*)すべてのファイル (*)
-
+ Import Failedインポートが失敗しました
-
+ File is empty.ファイルは空です。
-
+ File is no valid PwManager file.ファイルは有効な PwManager ファイルではありません。
-
+ Unsupported file version.未サポートのファイル バージョンです。
-
+ Unsupported hash algorithm.未サポートのハッシュ アルゴリズムです。
-
+ Unsupported encryption algorithm.未サポートの暗号化アルゴリズムです。
-
+ Compressed files are not supported yet.圧縮ファイルはまだサポートされていません。
-
+ Wrong password.間違ったパスワードです。
-
+ File is damaged (hash test failed).ファイルは損害を受けています (ハッシュ テストが失敗しました)。
-
+ Invalid XML data (see stdout for details).不正な XML データです (詳細は stdout をご覧ください)。
@@ -1783,39 +1847,39 @@ p, li { white-space: pre-wrap; }
Kdb3Database
-
+ Could not open file.ファイルを開けませんでした。
-
+ Unexpected file size (DB_TOTAL_SIZE < DB_HEADER_SIZE)予期しないファイル サイズです (DB_TOTAL_SIZE < DB_HEADER_SIZE)
-
+ Wrong Signature間違った署名
-
+ Unsupported File Version.未サポートのファイル バージョンです。
-
+ Unknown Encryption Algorithm.不明な暗号化アルゴリズムです。
-
+ Decryption failed.
The key is wrong or the file is damaged.複合化が失敗しました。
キーが間違っているかファイルが損害を受けています。
-
+ Hash test failed.
The key is wrong or the file is damaged.ハッシュ テストが失敗しました。
@@ -1847,50 +1911,55 @@ The key is wrong or the file is damaged.
予期しないエラー: オフセットは範囲外です。[E3]
-
+ Invalid group tree.不正なグループ ツリーです。
-
+ Key file is empty.キー ファイルは空です。
-
+ The database must contain at least one group.データベースは少なくとも 1 つのグループを含む必要があります。
-
+ Could not open file for writing.書き込み用のファイルを開けませんでした。
-
+ Unexpected error: Offset is out of range.予期しないエラー: オフセットは範囲外です。
+
+
+ Unable to initalize the twofish algorithm.
+
+ Kdb3Database::EntryHandle
-
+ Bytesバイト
-
+ KiBKiB
-
+ MiBMiB
-
+ GiBGiB
@@ -1898,52 +1967,52 @@ The key is wrong or the file is damaged.
KeepassEntryView
-
+ Titleタイトル
-
+ Usernameユーザー名
-
+ URLURL
-
+ Passwordパスワード
-
+ Commentsコメント
-
+ Expires満了
-
+ Creation作成
-
+ Last Change最終変更
-
+ Last Access最終アクセス
-
+ Attachment添付
@@ -1958,37 +2027,37 @@ The key is wrong or the file is damaged.
これら %1 個のエントリを削除してもよろしいですか?
-
+ Delete?削除しますか?
-
+ Groupグループ
-
+ Errorエラー
-
+ At least one group must exist before adding an entry.少なくとも 1 のグループはエントリの追加前に存在する必要があります。
-
+ OKOK
-
+ Are you sure you want to delete this entry?
-
+ Are you sure you want to delete these %1 entries?
@@ -1996,7 +2065,7 @@ The key is wrong or the file is damaged.
KeepassGroupView
-
+ Search Results検索結果
@@ -2006,90 +2075,95 @@ The key is wrong or the file is damaged.
グループ
-
+ Delete?削除しますか?Are you sure you want to delete this group, all it's child groups and all their entries?
- このグループ、すべての子グループ、およびそれらのエントリをすべて削除してもよろしいですか?
+ このグループ、すべての子グループ、およびそれらのエントリをすべて削除してもよろしいですか?
+
+
+
+ Are you sure you want to delete this group, all its child groups and all their entries?
+ KeepassMainWindow
-
+ Ctrl+OCtrl+O
-
+ Ctrl+SCtrl+S
-
+ Ctrl+GCtrl+G
-
+ Ctrl+CCtrl+C
-
+ Ctrl+BCtrl+B
-
+ Ctrl+UCtrl+U
-
+ Ctrl+YCtrl+Y
-
+ Ctrl+ECtrl+E
-
+ Ctrl+DCtrl+D
-
+ Ctrl+KCtrl+K
-
+ Ctrl+FCtrl+F
-
+ Ctrl+WCtrl+W
-
+ Shift+Ctrl+SShift+Ctrl+S
-
+ Shift+Ctrl+FShift+Ctrl+F
-
+ Errorエラー
@@ -2106,7 +2180,7 @@ The key is wrong or the file is damaged.
OK
-
+ Save modified file?変更されたファイルを保存しますか?
@@ -2114,7 +2188,7 @@ The key is wrong or the file is damaged.
The current file was modified. Do you want
to save the changes?
- 現在のファイルは変更されました。変更を
+ 現在のファイルは変更されました。変更を
保存しますか?
@@ -2133,22 +2207,22 @@ to save the changes?
キャンセル
-
+ Clone Entryエントリを閉じる
-
+ Delete Entryエントリの削除
-
+ Clone Entriesエントリのクローン
-
+ Delete Entriesエントリの削除
@@ -2160,7 +2234,7 @@ to save the changes?
%1
-
+ Readyレディ
@@ -2170,22 +2244,22 @@ to save the changes?
[新規]
-
+ Open Database...データベースを開く...
-
+ Loading Database...データベースを読み込んでいます...
-
+ Loading Failed読み込みが失敗しました
-
+ Ctrl+VCtrl+V
@@ -2205,22 +2279,22 @@ to save the changes?
%1 - KeePassX
-
+ Unknown error while loading database.データベースの読み込み中の不明なエラーです。
-
+ KeePass Databases (*.kdb)KeePass データベース (*.kdb)
-
+ All Files (*)すべてのファイル (*)
-
+ Save Database...データベースの保存...
@@ -2240,12 +2314,12 @@ to save the changes?
満了済み
-
+ 1 Month1 ヶ月間
-
+ %1 Months%1 ヶ月間
@@ -2255,27 +2329,27 @@ to save the changes?
、
-
+ 1 Year1 年間
-
+ %1 Years%1 年間
-
+ 1 Day1 日間
-
+ %1 Days%1 日間
-
+ less than 1 day1 日未満
@@ -2290,95 +2364,129 @@ to save the changes?
* - KeePassX
-
+ Lockedロック済み
-
+ Unlocked未ロック
-
+ Ctrl+LCtrl+L
-
+ Ctrl+QCtrl+Q
-
+ The database file does not exist.データベース ファイルが存在しません。
-
+ The following error occured while opening the database:データベースを開いている間に以下のエラーが発生ました:
-
+ new新規
-
+ Expired満了済み
-
+ File could not be saved.ファイルは保存できませんでした。
-
+ Un&lock Workspaceワークスペースのロック解除(&L)
-
+ &Lock Workspaceワークスペースのロック(&L)
-
+ Show &Toolbar
-
+ Ctrl+N
-
+ Ctrl+P
-
+ Ctrl+X
+
+
+ Ctrl+I
+
+
+
+
+ Database locked
+
+
+
+
+ The database you are trying to open is locked.
+This means that either someone else has opened the file or KeePassX crashed last time it opened the database.
+
+Do you want to open it anyway?
+
+
+
+
+ Couldn't create database lock file.
+
+
+
+
+ The current file was modified.
+Do you want to save the changes?
+
+
+
+
+ Couldn't remove database lock file.
+
+ Main
-
+ Errorエラー
-
+ File '%1' could not be found.ファイル '%1' は見つかりませんでした。
-
+ OKOK
@@ -2396,9 +2504,9 @@ to save the changes?
列
-
+ Add New Group...
- 新しいグループの追加...
+ 新しいグループの追加...
@@ -2531,7 +2639,7 @@ to save the changes?
ステータス バーの表示
-
+ Hide非表示
@@ -2561,67 +2669,67 @@ to save the changes?
28x28
-
+ &View表示(&V)
-
+ &Fileファイル(&F)
-
+ &Import from...インポート(&I)...
-
+ &Export to...エクスポート(&E)...
-
+ &Edit編集(&E)
-
+ E&xtras追加(&X)
-
+ &Helpヘルプ(&H)
-
+ &Open Database...データベースを開く(&O)...
-
+ &Close Databaseデータベースを閉じる(&C)
-
+ &Save Databaseデータベースの上書き保存(&S)
-
+ Save Database &As...名前を付けてデータベースを保存(&A)...
-
+ &Database Settings...データベースの設定(&D)...
-
+ Change &Master Key...マスター キーの変更(&M)...
@@ -2631,27 +2739,27 @@ to save the changes?
終了(&X)
-
+ &Settings...設定(&S)...
-
+ &About...バージョン情報(&A)...
-
+ &KeePassX Handbook...KeePassX ハンドブック(&K)...
-
+ Standard KeePass Single User Database (*.kdb)スタンダード KeePass シングル ユーザー データベース (*.kdb)
-
+ Advanced KeePassX Database (*.kxdb)アドバンスド KeePass データベース (*.kdb)
@@ -2681,7 +2789,7 @@ to save the changes?
満了済みエントリの表示
-
+ Recycle Bin...ごみ箱...
@@ -2691,7 +2799,7 @@ to save the changes?
ワークスペースのロック
-
+ Groupsグループ
@@ -2706,7 +2814,7 @@ to save the changes?
ブックマークの管理...
-
+ &Lock Workspaceワークスペースのロック(&L)
@@ -2736,215 +2844,220 @@ to save the changes?
このデータベースをブックマーク...
-
+ &Bookmarks
-
+ Toolbar &Icon Size
-
+ &Columns
-
+ &Manage Bookmarks...
-
+ &Quit
-
- &Add New Group...
-
-
-
-
+ &Edit Group...
-
+ &Delete Group
-
+ Copy Password &to Clipboard
-
+ Copy &Username to Clipboard
-
+ &Open URL
-
+ &Save Attachment As...
-
+ Add &New Entry...
-
+ &View/Edit Entry...
-
+ De&lete Entry
-
+ &Clone Entry
-
+ Search &in Database...
-
+ Search in this &Group...
-
+ Show &Entry Details
-
+ Hide &Usernames
-
+ Hide &Passwords
-
+ &Title
-
+ User&name
-
+ &URL
-
+ &Password
-
+ &Comment
-
+ E&xpires
-
+ C&reation
-
+ &Last Change
-
+ Last &Access
-
+ A&ttachment
-
+ Show &Statusbar
-
+ &Perform AutoType
-
+ &16x16
-
+ &22x22
-
+ 2&8x2828x28 {2&8x?}
-
+ &New Database...
-
+ &Password Generator...
-
+ &Group (search results only)
-
+ Show &Expired Entries...
-
+ &Add Bookmark...
-
+ Bookmark &this Database...
+
+
+ &Add New Subgroup...
+
+
+
+
+ Copy URL to Clipboard
+
+ ManageBookmarksDlg
@@ -2977,70 +3090,70 @@ to save the changes?
データベース キー
-
+ Last File最後のファイル
-
+ Select a Key Fileキー ファイルの選択
-
+ All Files (*)すべてのファイル (*)
-
+ Key Files (*.key)キー ファイル (*.key)
-
+ Please enter a Password or select a key file.パスワードを入力するかキー ファイルを選択してください。
-
+ Please enter a Password.パスワードを入力してください。
-
+ Please provide a key file.
-
+ %1:
No such file or directory.
-
+ The selected key file or directory is not readable.
-
+ The given directory does not contain any key files.ディレクトリがキー ファイルを含みません。
-
+ The given directory contains more then one key files.
Please specify the key file directly.
-
+ %1:
File is not readable.
-
+ Create Key File...
@@ -3078,7 +3191,7 @@ File is not readable.
キー
-
+ Password:パスワード:
@@ -3088,12 +3201,12 @@ File is not readable.
キー ファイルまたはディレクトリ:
-
+ &Browse...参照(&B)...
-
+ Alt+BAlt+B
@@ -3118,27 +3231,27 @@ File is not readable.
最後のファイル
-
+ Key File:
-
+ Generate Key File...
-
+ Please repeat your password:
-
+ Back
-
+ Passwords are not equal.
@@ -3173,7 +3286,7 @@ File is not readable.
Could not locate library file.
- ライブラリ ファイルを検索できませんでした。
+ ライブラリ ファイルを検索できませんでした。
@@ -3328,7 +3441,7 @@ File is not readable.
SettingsDialog
-
+ Alt+ÖShift+Alt+O
@@ -3338,7 +3451,7 @@ File is not readable.
設定
-
+ Clear clipboard after:クリップボードをクリアする:
@@ -3348,47 +3461,47 @@ File is not readable.
秒後
-
+ Alt+OAlt+OAppea&rance
- 外観(&R)
+ 外観(&R)
-
+ Banner Colorバナーの色
-
+ Text Color:テキストの色:
-
+ Change...変更...
-
+ Color 2:色 2:
-
+ C&hange...変更(&H)...
-
+ Alt+HAlt+H
-
+ Color 1:色 1:
@@ -3398,72 +3511,72 @@ File is not readable.
ブラウザ コマンド:
-
+ Alternating Row Colors交互の列の色
-
+ Browse...参照...
-
+ Remember last key type and location最後のキーの種類と場所を記憶する
-
+ Remember last opened file最後に開かれたファイルを記憶するThe integration plugins provide features like usage of the native file dialogs and message boxes of the particular desktop environments.
- 統合プラグインは特定のデスクトップ環境のネイティブのファイル ダイアログとメッセージボックスの使用のような機能を供給します。
+ 統合プラグインは特定のデスクトップ環境のネイティブのファイル ダイアログとメッセージボックスの使用のような機能を供給します。General
- 全般
+ 全般
-
+ Show system tray iconシステム トレイ アイコンを表示する
-
+ Minimize to tray when clicking the main window's close buttonメイン ウィンドウの閉じるボタンのクリック時にトレイへ最小化する
-
+ Save recent directories of file dialogsファイル ダイアログの最近のディレクトリを保存する
-
+ Group tree at start-up:起動時のグループ ツリー:
-
+ Restore last state最後の状態を復元する
-
+ Expand all itemsすべてのアイテムを展開する
-
+ Do not expand any itemすべてのアイテムを展開しない
-
+ Securityセキュリティ
@@ -3473,7 +3586,7 @@ File is not readable.
プレーン テキストでパスワードを表示する:
-
+ Edit Entry Dialog[エントリの編集] ダイアログ
@@ -3485,50 +3598,50 @@ File is not readable.
Desktop Integration
- デスクトップ統合
+ デスクトップ統合
-
+ Plug-Insプラグイン
-
+ Noneなし
-
+ Gnome Desktop Integration (Gtk 2.x)Gnome デスクトップ統合 (Gtk 2.x)
-
+ KDE 4 Desktop IntegrationKDE 4 デスクトップ統合
-
+ You need to restart the program before the changes take effect.変更を影響させる前にプログラムを再起動する必要があります。
-
+ Configure...構成...
-
+ Advanced詳細設定
-
+ Clear History Now今すぐ履歴をクリア
-
+ Always ask before deleting entries or groups常にエントリまたはグループの削除前に質問する
@@ -3538,62 +3651,62 @@ File is not readable.
統一タイトルとツール バー
-
+ Customize Entry Detail View...エントリの詳細表示のカスタマイズ...Features
- 機能
+ 機能
-
+ You can disable several features of KeePassX here according to your needs in order to keep the user interface slim.ユーザー インターフェイスをスリムに維持する際は必要に応じてここで KeePassX のいくつかの機能を無効にできます。
-
+ Bookmarksブックマーク
-
+ Auto-Type Fine Tuning自動入力の微調整
-
+ Time between the activation of an auto-type action by the user and the first simulated key stroke.ユーザーによる自動入力のアクティブ化と最初のシミュレート済みキー ストロークの間の時間です。
-
+ msms
-
+ Pre-Gap:プリギャップ:
-
+ Key Stroke Delay:キー ストロークの遅延:
-
+ Delay between two simulated key strokes. Increase this if Auto-Type is randomly skipping characters.2 つのシミュレート済みキー ストロークの間の遅延です。自動入力がランダムに文字をスキップする場合はこれを上げます。
-
+ The directory where storage devices like CDs and memory sticks are normally mounted.CD やメモリ スティックのようなストレージ デバイスが通常マウントされるディレクトリです。
-
+ Media Root:メディア ルート:
@@ -3603,47 +3716,47 @@ File is not readable.
システム既定
-
+ Enable this if you want to use your bookmarks and the last opened file independet from their absolute paths. This is especially useful when using KeePassX portably and therefore with changing mount points in the file system.ブックマークとそれらの絶対パスから独立した最後に開かれたファイルを使用したい場合はこれを有効にします。これは特にポータブルに KeePassX を使用しそのためファイル システムのマウント ポイントの変更があるときに有用です。
-
+ Save relative paths (bookmarks and last file)相対パス (ブックマークと最後のファイル) を保存する
-
+ Minimize to tray instead of taskbarタスク バーの代わりにトレイへ最小化する
-
+ Start minimized最小化済みで起動する
-
+ Start lockedロック済みで起動する
-
+ Lock workspace when minimizing the main windowメイン ウィンドウの最小化時にワークスペースをロックする
-
+ Custom Browser Commandカスタム ブラウザ コマンド
-
+ Browse参照
-
+ Global Auto-Type Shortcut:グローバル自動入力ショートカット:
@@ -3653,60 +3766,120 @@ File is not readable.
グローバグ自動入力のウィンドウへの一致にエントリのタイトルを使用する
-
+ Automatically save database on exit and workspace locking
-
+ Show plain text passwords in:
-
+ Database Key Dialog
-
+ seconds
-
+ Lock database after inactivity of
-
+ Use entries' title to match the window for Global Auto-Type
+
+
+ General (1)
+
+
+
+
+ General (2)
+
+
+
+
+ Appearance
+
+
+
+
+ Language
+
+
+
+
+ Save backups of modified entries into the 'Backup' group
+
+
+
+
+ Delete backup entries older than:
+
+
+
+
+ days
+
+
+
+
+ Automatically save database after every change
+
+
+
+
+ System Language
+
+
+
+
+ English
+
+
+
+
+ Language:
+
+
+
+
+ Author:
+
+ ShortcutWidget
-
+ CtrlCtrl
-
+ ShiftShift
-
+ AltAlt
-
+ AltGrAltGr
-
+ WinWin
@@ -3729,6 +3902,40 @@ File is not readable.
パスワード:
+
+ TargetWindowDlg
+
+
+ Auto-Type: Select Target Window
+
+
+
+
+ To specify the target window, either select an existing currently-opened window
+from the drop-down list, or enter the window title manually:
+
+
+
+
+ Translation
+
+
+ $TRANSLATION_AUTHOR
+ Nardog
+
+
+
+ $TRANSLATION_AUTHOR_EMAIL
+ Here you can enter your email or homepage if you want.
+ http://nardog.takoweb.com
+
+
+
+ $LANGUAGE_NAME
+ Insert your language name in the format: English (United States)
+
+
+TrashCanDialog
diff --git a/src/translations/keepassx-ru_RU.ts b/src/translations/keepassx-ru_RU.ts
index 254abf7..4b1e700 100644
--- a/src/translations/keepassx-ru_RU.ts
+++ b/src/translations/keepassx-ru_RU.ts
@@ -21,13 +21,13 @@
$TRANSLATION_AUTHOR
- Дмитрий Функ
+ Дмитрий Функ$TRANSLATION_AUTHOR_EMAILHere you can enter your email or homepage if you want.
- dmitry.funk@gmail.com
+ dmitry.funk@gmail.com
@@ -35,12 +35,12 @@
Комманда разработчиков
-
+ Developer, Project AdminРазработчик, руководитель проекта
-
+ Web DesignerWeb дизайнер
@@ -50,12 +50,12 @@
geugen@users.berlios.de
-
+ Thanks ToБлагодарность
-
+ Patches for better MacOS X supportИсправления для улучшения поддержки MacOS X
@@ -65,32 +65,32 @@
www.outofhanwell.com
-
+ Main Application IconЗначок программы
-
+ Various fixes and improvements
-
+ ErrorОшибка
-
+ File '%1' could not be found.Файл '%1' не найден.
-
+ Make sure that the program is installed correctly.Убедитесь что программа установлена корректно.
-
+ OKOK
@@ -105,7 +105,7 @@
http://keepassx.sf.net
-
+ Developer
@@ -134,17 +134,17 @@
AboutDlg
-
+ AboutО программе
-
+ LicenseЛицензия
-
+ TranslationПеревод
@@ -163,33 +163,33 @@ KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
-
+ CreditsБлагодарности
-
+ http://keepassx.sourceforge.netkeepassx@gmail.com
-
+ keepassx@gmail.comkeepassx@gmail.com
-
+ AppName
-
+ AppFunc
-
- Copyright (C) 2005 - 2008 KeePassX Team
+
+ Copyright (C) 2005 - 2009 KeePassX Team
KeePassX is distributed under the terms of the
General Public License (GPL) version 2.
@@ -235,28 +235,11 @@ General Public License (GPL) version 2.AutoType
-
-
- More than one 'Auto-Type:' key sequence found.
-Allowed is only one per entry.
-
- ErrorОшибка
-
-
- Syntax Error in Auto-Type sequence near character %1
-Found '{' without closing '}'
-
-
-
-
- Auto-Type string contains invalid characters
-
- AutoTypeDlg
@@ -454,24 +437,24 @@ http://keepassx.sourceforge.net/
CEditEntryDlg
-
+ WarningВнимание
-
+ Password and password repetition are not equal.
Please check your input.Пароль и повтор пароля не эквивалентны.
Проверьте введённые данные.
-
+ OKOK
-
+ Save Attachment...Сохранить вложение...
@@ -481,7 +464,7 @@ Please check your input.
Перезаписать?
-
+ YesДа
@@ -491,7 +474,7 @@ Please check your input.
Нет
-
+ ErrorОшибка
@@ -506,103 +489,103 @@ Please check your input.
Невозможно создать новый файл.
-
+ Error while writing the file.Ошибка записи в файл.
-
+ Delete Attachment?Удалить вложение?
-
+ You are about to delete the attachment of this entry.
Are you sure?
-
+ No, CancelНет, Отмена
-
+ Edit EntryИзменить запись
-
+ Could not open file.Невозможно открыть файл.
-
+ %1 Bit%1 бит
-
+ Add Attachment...Добавить вложение...
-
+ The chosen entry has no attachment or it is empty.
-
+ Today
-
+ 1 Week
-
+ 2 Weeks
-
+ 3 Weeks
-
+ 1 Month