From 1683f403a04a17686ca6a42b46b617f1ed7132f9 Mon Sep 17 00:00:00 2001 From: luckyrat Date: Sun, 25 Jan 2015 23:33:03 +0000 Subject: [PATCH 1/3] Replace Ctypes with WebCrypto for KPRPC AES decryption --- Firefox addon/KeeFox/install.rdf | 8 +- Firefox addon/KeeFox/modules/CtypesCrypto.js | 398 ------------------- Firefox addon/KeeFox/modules/kprpcClient.js | 250 +++++++----- Firefox addon/KeeFox/modules/utils.js | 97 ++++- 4 files changed, 236 insertions(+), 517 deletions(-) delete mode 100644 Firefox addon/KeeFox/modules/CtypesCrypto.js diff --git a/Firefox addon/KeeFox/install.rdf b/Firefox addon/KeeFox/install.rdf index 400292c..c23e8ed 100644 --- a/Firefox addon/KeeFox/install.rdf +++ b/Firefox addon/KeeFox/install.rdf @@ -5,7 +5,7 @@ keefox@chris.tomlinson - 1.4.6 + 1.4.7a1 2 true @@ -18,7 +18,7 @@ {ec8030f7-c20a-464f-9b0e-13a3a9e97384} - 17.0 + 22.0 36.* @@ -27,13 +27,15 @@ {3550f703-e582-4d05-9a08-453d09bdfdc6} - 17.0 + 22.0 36.* WINNT Linux + Darwin + FreeBSD KeeFox diff --git a/Firefox addon/KeeFox/modules/CtypesCrypto.js b/Firefox addon/KeeFox/modules/CtypesCrypto.js deleted file mode 100644 index ef1dcf7..0000000 --- a/Firefox addon/KeeFox/modules/CtypesCrypto.js +++ /dev/null @@ -1,398 +0,0 @@ -/* -KeeFox - Allows Firefox to communicate with KeePass (via the KeePassRPC KeePass-plugin) -Copyright 2008-2013 Chris Tomlinson - -CtypesCrypto.js provides access to NSS crypto functions using ctypes -so that AES crypto operations can be performed quickly - -It is a cut-down version of WeaveCrypto, previously released under MPL terms - -This program is free software; you can redistribute it and/or modify -it under the terms of the GNU General Public License as published by -the Free Software Foundation; either version 2 of the License, or -(at your option) any later version. - -This program is distributed in the hope that it will be useful, -but WITHOUT ANY WARRANTY; without even the implied warranty of -MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the -GNU General Public License for more details. - -You should have received a copy of the GNU General Public License -along with this program; if not, write to the Free Software -Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA -*/ -"use strict"; - -let Ci = Components.interfaces; -let Cu = Components.utils; - -var EXPORTED_SYMBOLS = ["CtypesCrypto"]; - -Cu.import("resource://gre/modules/ctypes.jsm"); -Cu.import("resource://gre/modules/Services.jsm"); -Cu.import("resource://kfmod/KFLogger.js"); - -const AES_256_CBC = 188; // http://mxr.mozilla.org/mozilla-central/source/security/nss/lib/util/secoidt.h#300 - -var CtypesCrypto = { - - nss : null, - nss_t : null, - - log : function (message) { - KFLog.debug(message); - }, - - shutdown : function WC_shutdown() - { - this.log("closing nsslib"); - this.nsslib.close(); - }, - - fullPathToLib: null, - - init : function WC_init() { - // Full path to NSS via js-ctypes - let path = Services.dirsvc.get("GreD", Ci.nsILocalFile); - // Firefox 34 added GreBinD key - if (Services.dirsvc.has("GreBinD")) - path = Services.dirsvc.get("GreBinD", Ci.nsILocalFile); - - let libName = ctypes.libraryName("nss3"); - path.append(libName); - let fullPath = path.path; - - try { - this.initNSS(libName); - } - // if this fails we need to provide the full path - catch (ex) { - this.initNSS(fullPath); - } - }, - - initNSS : function WC_initNSS(aNSSPath) { - // Open the NSS library. - this.fullPathToLib = aNSSPath; - var nsslib = ctypes.open(this.fullPathToLib); - - this.nsslib = nsslib; - this.log("Initializing NSS types and function declarations..."); - - this.nss = {}; - this.nss_t = {}; - - // nsprpub/pr/include/prtypes.h#435 - // typedef PRIntn PRBool; --> int - this.nss_t.PRBool = ctypes.int; - // security/nss/lib/util/seccomon.h#91 - // typedef enum - this.nss_t.SECStatus = ctypes.int; - // security/nss/lib/softoken/secmodt.h#59 - // typedef struct PK11SlotInfoStr PK11SlotInfo; (defined in secmodti.h) - this.nss_t.PK11SlotInfo = ctypes.void_t; - // security/nss/lib/util/pkcs11t.h - this.nss_t.CK_MECHANISM_TYPE = ctypes.unsigned_long; - this.nss_t.CK_ATTRIBUTE_TYPE = ctypes.unsigned_long; - this.nss_t.CK_KEY_TYPE = ctypes.unsigned_long; - this.nss_t.CK_OBJECT_HANDLE = ctypes.unsigned_long; - // security/nss/lib/softoken/secmodt.h#359 - // typedef enum PK11Origin - this.nss_t.PK11Origin = ctypes.int; - // PK11Origin enum values... - this.nss.PK11_OriginUnwrap = 4; - // security/nss/lib/softoken/secmodt.h#61 - // typedef struct PK11SymKeyStr PK11SymKey; (defined in secmodti.h) - this.nss_t.PK11SymKey = ctypes.void_t; - // security/nss/lib/util/secoidt.h#454 - // typedef enum - this.nss_t.SECOidTag = ctypes.int; - // security/nss/lib/util/seccomon.h#64 - // typedef enum - this.nss_t.SECItemType = ctypes.int; - // SECItemType enum values... - this.nss.SIBUFFER = 0; - // security/nss/lib/softoken/secmodt.h#62 (defined in secmodti.h) - // typedef struct PK11ContextStr PK11Context; - this.nss_t.PK11Context = ctypes.void_t; - // security/nss/lib/util/secoidt.h#454 - // typedef enum - this.nss_t.SECOidTag = ctypes.int; - // security/nss/lib/util/seccomon.h#83 - // typedef struct SECItemStr SECItem; --> SECItemStr defined right below it - this.nss_t.SECItem = ctypes.StructType( - "SECItem", [{ type: this.nss_t.SECItemType }, - { data: ctypes.unsigned_char.ptr }, - { len : ctypes.int }]); - - // security/nss/lib/util/pkcs11t.h - this.nss.CKA_ENCRYPT = 0x104; - this.nss.CKA_DECRYPT = 0x105; - - // security/nss/lib/pk11wrap/pk11pub.h#286 - // SECStatus PK11_GenerateRandom(unsigned char *data,int len); - this.nss.PK11_GenerateRandom = nsslib.declare("PK11_GenerateRandom", - ctypes.default_abi, this.nss_t.SECStatus, - ctypes.unsigned_char.ptr, ctypes.int); - // security/nss/lib/pk11wrap/pk11pub.h#73 - // PK11SlotInfo *PK11_GetInternalKeySlot(void); - this.nss.PK11_GetInternalKeySlot = nsslib.declare("PK11_GetInternalKeySlot", - ctypes.default_abi, this.nss_t.PK11SlotInfo.ptr); - // security/nss/lib/pk11wrap/pk11pub.h#278 - // CK_MECHANISM_TYPE PK11_AlgtagToMechanism(SECOidTag algTag); - this.nss.PK11_AlgtagToMechanism = nsslib.declare("PK11_AlgtagToMechanism", - ctypes.default_abi, this.nss_t.CK_MECHANISM_TYPE, - this.nss_t.SECOidTag); - // security/nss/lib/pk11wrap/pk11pub.h#269 - // int PK11_GetBlockSize(CK_MECHANISM_TYPE type,SECItem *params); - this.nss.PK11_GetBlockSize = nsslib.declare("PK11_GetBlockSize", - ctypes.default_abi, ctypes.int, - this.nss_t.CK_MECHANISM_TYPE, this.nss_t.SECItem.ptr); - // security/nss/lib/pk11wrap/pk11pub.h#293 - // CK_MECHANISM_TYPE PK11_GetPadMechanism(CK_MECHANISM_TYPE); - this.nss.PK11_GetPadMechanism = nsslib.declare("PK11_GetPadMechanism", - ctypes.default_abi, this.nss_t.CK_MECHANISM_TYPE, - this.nss_t.CK_MECHANISM_TYPE); - // security/nss/lib/pk11wrap/pk11pub.h#271 - // SECItem *PK11_ParamFromIV(CK_MECHANISM_TYPE type,SECItem *iv); - this.nss.PK11_ParamFromIV = nsslib.declare("PK11_ParamFromIV", - ctypes.default_abi, this.nss_t.SECItem.ptr, - this.nss_t.CK_MECHANISM_TYPE, this.nss_t.SECItem.ptr); - // security/nss/lib/pk11wrap/pk11pub.h#301 - // PK11SymKey *PK11_ImportSymKey(PK11SlotInfo *slot, CK_MECHANISM_TYPE type, PK11Origin origin, - // CK_ATTRIBUTE_TYPE operation, SECItem *key, void *wincx); - this.nss.PK11_ImportSymKey = nsslib.declare("PK11_ImportSymKey", - ctypes.default_abi, this.nss_t.PK11SymKey.ptr, - this.nss_t.PK11SlotInfo.ptr, this.nss_t.CK_MECHANISM_TYPE, this.nss_t.PK11Origin, - this.nss_t.CK_ATTRIBUTE_TYPE, this.nss_t.SECItem.ptr, ctypes.voidptr_t); - // security/nss/lib/pk11wrap/pk11pub.h#672 - // PK11Context *PK11_CreateContextBySymKey(CK_MECHANISM_TYPE type, CK_ATTRIBUTE_TYPE operation, - // PK11SymKey *symKey, SECItem *param); - this.nss.PK11_CreateContextBySymKey = nsslib.declare("PK11_CreateContextBySymKey", - ctypes.default_abi, this.nss_t.PK11Context.ptr, - this.nss_t.CK_MECHANISM_TYPE, this.nss_t.CK_ATTRIBUTE_TYPE, - this.nss_t.PK11SymKey.ptr, this.nss_t.SECItem.ptr); - // security/nss/lib/pk11wrap/pk11pub.h#685 - // SECStatus PK11_CipherOp(PK11Context *context, unsigned char *out - // int *outlen, int maxout, unsigned char *in, int inlen); - this.nss.PK11_CipherOp = nsslib.declare("PK11_CipherOp", - ctypes.default_abi, this.nss_t.SECStatus, - this.nss_t.PK11Context.ptr, ctypes.unsigned_char.ptr, - ctypes.int.ptr, ctypes.int, ctypes.uint8_t.ptr, ctypes.int); - // security/nss/lib/pk11wrap/pk11pub.h#688 - // SECStatus PK11_DigestFinal(PK11Context *context, unsigned char *data, - // unsigned int *outLen, unsigned int length); - this.nss.PK11_DigestFinal = nsslib.declare("PK11_DigestFinal", - ctypes.default_abi, this.nss_t.SECStatus, - this.nss_t.PK11Context.ptr, ctypes.unsigned_char.ptr, - ctypes.unsigned_int.ptr, ctypes.unsigned_int); - // security/nss/lib/pk11wrap/pk11pub.h#675 - // void PK11_DestroyContext(PK11Context *context, PRBool freeit); - this.nss.PK11_DestroyContext = nsslib.declare("PK11_DestroyContext", - ctypes.default_abi, ctypes.void_t, - this.nss_t.PK11Context.ptr, this.nss_t.PRBool); - // security/nss/lib/pk11wrap/pk11pub.h#299 - // void PK11_FreeSymKey(PK11SymKey *key); - this.nss.PK11_FreeSymKey = nsslib.declare("PK11_FreeSymKey", - ctypes.default_abi, ctypes.void_t, - this.nss_t.PK11SymKey.ptr); - // security/nss/lib/pk11wrap/pk11pub.h#70 - // void PK11_FreeSlot(PK11SlotInfo *slot); - this.nss.PK11_FreeSlot = nsslib.declare("PK11_FreeSlot", - ctypes.default_abi, ctypes.void_t, - this.nss_t.PK11SlotInfo.ptr); - // security/nss/lib/util/secitem.h#114 - // extern void SECITEM_FreeItem(SECItem *zap, PRBool freeit); - this.nss.SECITEM_FreeItem = nsslib.declare("SECITEM_FreeItem", - ctypes.default_abi, ctypes.void_t, - this.nss_t.SECItem.ptr, this.nss_t.PRBool); - }, - - - algorithm : AES_256_CBC, - - keypairBits : 2048, - -// We don't actually do encryption using ctypes yet -// -// encrypt : function(clearTextUCS2, symmetricKey, iv) { -// this.log("encrypt() called"); - -// // js-ctypes autoconverts to a UTF8 buffer, but also includes a null -// // at the end which we don't want. Cast to make the length 1 byte shorter. -// let inputBuffer = new ctypes.ArrayType(ctypes.unsigned_char)(clearTextUCS2); -// inputBuffer = ctypes.cast(inputBuffer, ctypes.unsigned_char.array(inputBuffer.length - 1)); - -// // When using CBC padding, the output size is the input size rounded -// // up to the nearest block. If the input size is exactly on a block -// // boundary, the output is 1 extra block long. -// let mech = this.nss.PK11_AlgtagToMechanism(this.algorithm); -// let blockSize = this.nss.PK11_GetBlockSize(mech, null); -// let outputBufferSize = inputBuffer.length + blockSize; -// let outputBuffer = new ctypes.ArrayType(ctypes.unsigned_char, outputBufferSize)(); - -// outputBuffer = this._commonCrypt(inputBuffer, outputBuffer, symmetricKey, iv, this.nss.CKA_ENCRYPT); - -// return this.encodeBase64(outputBuffer.address(), outputBuffer.length); -// }, - - decrypt : function(byteArrayCipher, symmetricKey, iv) { - this.log("decrypt() called: " + (new Date()).getTime()); - - let buff = new Uint8Array(byteArrayCipher.byteLength); - buff.set(byteArrayCipher, 0); - let input = ctypes.uint8_t.ptr(buff); - - let outputBuffer = new ctypes.ArrayType(ctypes.unsigned_char, byteArrayCipher.byteLength)(); - outputBuffer = this._commonCrypt(input, outputBuffer, symmetricKey, iv, this.nss.CKA_DECRYPT, byteArrayCipher.byteLength); - return outputBuffer.readString(); - }, - - - _commonCrypt : function (input, output, symmetricKey, iv, operation, inputLength) { - this.log("_commonCrypt() called"); - - // Get rid of the base64 encoding and convert to SECItems. - let keyItem = this.makeSECItem(symmetricKey, true); - let ivItem = this.makeSECItem(iv, true); - - // Determine which (padded) PKCS#11 mechanism to use. - // EG: AES_128_CBC --> CKM_AES_CBC --> CKM_AES_CBC_PAD - let mechanism = this.nss.PK11_AlgtagToMechanism(this.algorithm); - mechanism = this.nss.PK11_GetPadMechanism(mechanism); - - if (mechanism == this.nss.CKM_INVALID_MECHANISM) - throw new Error("invalid algorithm (can't pad)"); - - let ctx, symKey, slot, ivParam; - try { - ivParam = this.nss.PK11_ParamFromIV(mechanism, ivItem.address()); - if (ivParam.isNull()) - throw new Error("can't convert IV to param"); - - slot = this.nss.PK11_GetInternalKeySlot(); - if (slot.isNull()) - throw new Error("can't get internal key slot"); - - symKey = this.nss.PK11_ImportSymKey(slot, mechanism, this.nss.PK11_OriginUnwrap, operation, keyItem.address(), null); - if (symKey.isNull()) - throw new Error("symkey import failed"); - - ctx = this.nss.PK11_CreateContextBySymKey(mechanism, operation, symKey, ivParam); - if (ctx.isNull()) - throw new Error("couldn't create context for symkey"); - - let maxOutputSize = output.length; - let tmpOutputSize = new ctypes.int(); // Note 1: NSS uses a signed int here... - - if (this.nss.PK11_CipherOp(ctx, output, tmpOutputSize.address(), maxOutputSize, input, inputLength)) - throw new Error("cipher operation failed"); - - let actualOutputSize = tmpOutputSize.value; - let finalOutput = output.addressOfElement(actualOutputSize); - maxOutputSize -= actualOutputSize; - - // PK11_DigestFinal sure sounds like the last step for *hashing*, but it - // just seems to be an odd name -- NSS uses this to finish the current - // cipher operation. You'd think it would be called PK11_CipherOpFinal... - let tmpOutputSize2 = new ctypes.unsigned_int(); // Note 2: ...but an unsigned here! - if (this.nss.PK11_DigestFinal(ctx, finalOutput, tmpOutputSize2.address(), maxOutputSize)) - throw new Error("cipher finalize failed"); - - actualOutputSize += tmpOutputSize2.value; - let newOutput = ctypes.cast(output, ctypes.unsigned_char.array(actualOutputSize)); - return newOutput; - } catch (e) { - this.log("_commonCrypt: failed: " + e); - throw e; - } finally { - if (ctx && !ctx.isNull()) - this.nss.PK11_DestroyContext(ctx, true); - if (symKey && !symKey.isNull()) - this.nss.PK11_FreeSymKey(symKey); - if (slot && !slot.isNull()) - this.nss.PK11_FreeSlot(slot); - if (ivParam && !ivParam.isNull()) - this.nss.SECITEM_FreeItem(ivParam, true); - } - }, - - - // - // Utility functions - // - - generateRandomBytes : function(byteCount) { - this.log("generateRandomBytes() called"); - - // Temporary buffer to hold the generated data. - let scratch = new ctypes.ArrayType(ctypes.unsigned_char, byteCount)(); - if (this.nss.PK11_GenerateRandom(scratch, byteCount)) - throw new Error("PK11_GenrateRandom failed"); - - return this.encodeBase64(scratch.address(), scratch.length); - }, - - /** - * Compress a JS string into a C uint8 array. count is the number of - * elements in the destination array. If the array is smaller than the - * string, the string is effectively truncated. If the string is smaller - * than the array, the array is 0-padded. - */ - byteCompressInts : function byteCompressInts (jsString, intArray, count) { - let len = jsString.length; - let end = Math.min(len, count); - - for (let i = 0; i < end; i++) - intArray[i] = jsString.charCodeAt(i) % 256; // convert to bytes - - // Must zero-pad. - for (let i = len; i < count; i++) - intArray[i] = 0; - }, - - //TODO: Can probably update code calling this to use above int version... - // Compress a JS string (2-byte chars) into a normal C string (1-byte chars) - // EG, for "ABC", 0x0041, 0x0042, 0x0043 --> 0x41, 0x42, 0x43 - byteCompress : function (jsString, charArray) { - let intArray = ctypes.cast(charArray, ctypes.uint8_t.array(charArray.length)); - for (let i = 0; i < jsString.length; i++) { - intArray[i] = jsString.charCodeAt(i) % 256; // convert to bytes - } - - }, - - // Expand a normal C string (1-byte chars) into a JS string (2-byte chars) - // EG, for "ABC", 0x41, 0x42, 0x43 --> 0x0041, 0x0042, 0x0043 - byteExpand : function (charArray) { - let expanded = ""; - let len = charArray.length; - let intData = ctypes.cast(charArray, ctypes.uint8_t.array(len)); - for (let i = 0; i < len; i++) - expanded += String.fromCharCode(intData[i]); - - return expanded; - }, - - encodeBase64 : function (data, len) { - // Byte-expand the buffer, so we can treat it as a UCS-2 string - // consisting of u0000 - u00FF. - let expanded = ""; - let intData = ctypes.cast(data, ctypes.uint8_t.array(len).ptr).contents; - for (let i = 0; i < len; i++) - expanded += String.fromCharCode(intData[i]); - - return btoa(expanded); - }, - - - makeSECItem : function(input, isEncoded) { - if (isEncoded) - input = atob(input); - - let outputData = new ctypes.ArrayType(ctypes.unsigned_char, input.length)(); - this.byteCompress(input, outputData); - - return new this.nss_t.SECItem(this.nss.SIBUFFER, outputData, outputData.length); - } -}; diff --git a/Firefox addon/KeeFox/modules/kprpcClient.js b/Firefox addon/KeeFox/modules/kprpcClient.js index e5e7e0a..2c3bd81 100644 --- a/Firefox addon/KeeFox/modules/kprpcClient.js +++ b/Firefox addon/KeeFox/modules/kprpcClient.js @@ -41,7 +41,14 @@ scriptLoader.loadSubScript("resource://kfmod/sjcl.js"); Cu.import("resource://kfmod/utils.js"); Cu.import("resource://kfmod/SRP.js"); -Cu.import("resource://kfmod/CtypesCrypto.js"); +Cu.import("resource://gre/modules/Timer.jsm"); + +try +{ + // Only works in FF37+ (but we work around it later if it fails) + Cu.importGlobalProperties(['crypto']); +} +catch (e) { } var log = KFLog; @@ -54,9 +61,6 @@ function kprpcClient() { // We manually create HMACs to protect the integrity of our AES encrypted messages sjcl.beware["CBC mode is dangerous because it doesn't protect message integrity."](); - - // Init ctypes NSS crypto library - CtypesCrypto.init(); } kprpcClient.prototype = new kprpcClientLegacy(); @@ -535,13 +539,26 @@ kprpcClient.prototype.constructor = kprpcClient; } }; - - this.receiveJSONRPC = function(data) { - let fullData = this.decrypt(data.jsonrpc); - if (fullData === null) + + // No need to return anything from this function so sync or async implementation is fine + this.receiveJSONRPC = function (data) { + // async webcrypto: + if (typeof crypto !== 'undefined' && typeof crypto.subtle !== 'undefined') { + this.decrypt(data.jsonrpc, this.receiveJSONRPCDecrypted); + return; + } + + // legacy Javascript approach + let fullData = this.decrypt_JS(data.jsonrpc); + return this.receiveJSONRPCDecrypted(fullData); + }; + + this.receiveJSONRPCDecrypted = function(data) { + + if (data === null) return; // decryption failed; connection has been reset and user will re-enter password for fresh authentication credentials - let obj = JSON.parse(fullData); + let obj = JSON.parse(data); // if we failed to parse an object from the JSON if (!obj) @@ -850,8 +867,7 @@ kprpcClient.prototype.constructor = kprpcClient; this.certFailedReconnectTimer.cancel(); if (this.onConnectDelayTimer) this.onConnectDelayTimer.cancel(); - this.disconnect(); - CtypesCrypto.shutdown(); + this.disconnect(); log.debug("JSON-RPC shut down."); } @@ -901,100 +917,136 @@ kprpcClient.prototype.constructor = kprpcClient; }; // Decrypt incoming data from KeePassRPC using AES-CBC and a separate HMAC - // We rely on a few of SJCLs features here but the bulk of the heavy lifting - // is offloaded to the AES implementation in CtypesCrypto.js since it's faster - this.decrypt = function(encryptedContainer) - { - try { - log.debug("starting decryption"); - var t = (new Date()).getTime(); + this.decrypt = function(encryptedContainer, callback) +{ + log.debug("starting webcrypto decryption"); - let wm = Components.classes["@mozilla.org/appshell/window-mediator;1"] - .getService(Components.interfaces.nsIWindowMediator); - let window = wm.getMostRecentWindow("navigator:browser") || - wm.getMostRecentWindow("mail:3pane"); + var KPRPC = this; + var t = (new Date()).getTime(); + let wc = crypto.subtle; - let message = encryptedContainer.message; - let iv = encryptedContainer.iv; - let hmac = encryptedContainer.hmac; - let secretKey = sjcl.codec.base64.fromBits(sjcl.codec.hex.toBits(this.secretKey)); - - var tn = (new Date()).getTime(); - log.debug("decryption stage A took: " + (tn-t)); - t = tn; - let keyArray = utils.base64toByteArray(utils.hash(utils.base64toByteArray(secretKey),"base64","SHA1")); - var tn = (new Date()).getTime(); - // Typically this stage takes about double that of the actual decryption - // process on a modern PC. Some possible efficiency gains would include - // somehow getting access to raw bytes coming in on the wire from KeePass - // (difficult since the encrypted data is encapsulated in JSON); some kind - // of ctypes-based base64 conversion (but we are somewhat limited by the - // speed of the JS-to-native data conversion no matter which native - // approach we take); A faster alternative to charCodeAt(), which seems to - // consume a large proportion of CPU time but is presumably already about - // as well optimised as possible. - log.debug("decryption stage B took: " + (tn-t)); - t = tn; - let messageArray = utils.base64toByteArray(message); - var tn = (new Date()).getTime(); - log.debug("decryption stage C took: " + (tn-t)); + let message = encryptedContainer.message; + let iv = encryptedContainer.iv; + let hmac = encryptedContainer.hmac; + let secretKey = this.secretKey; + + // get our secret key + var secretKeyAB = utils.hexStringToByteArray(secretKey); + + // Put our encrypted message into an array that includes space at the start + // for holding the other data we'll want to run our HMAC hash over (this + // means we can store the message just once in memory - probably won't + // make a difference for small messages but when the entire KeePass + // database contents is being shifted around we should save a fair few ms) + var hmacData = utils.base64toByteArrayForHMAC(message, 36); + var len = hmacData.length; + + // create views for use in the decryption routines + var secretkeyHashAB = hmacData.subarray(0, 20); + var messageAB = hmacData.subarray(20, len - 16); + var ivAB = hmacData.subarray(len - 16); + + var tn = (new Date()).getTime(); + log.debug("decryption stage 'data prep 1' took: " + (tn-t)); + t = tn; + + wc.digest({ name: "SHA-1" }, secretKeyAB).then(function (secretkeyHash) { + tn = (new Date()).getTime(); + log.debug("decryption stage 'key hash' took: " + (tn-t)); t = tn; - let ivArray = utils.base64toByteArray(iv); - var tn = (new Date()).getTime(); - log.debug("decryption stage D took: " + (tn-t)); + + // fill the hmacData bytearray with the rest of the data + secretkeyHashAB.set(new Uint8Array(secretkeyHash)); + utils.base64toByteArrayForHMAC(iv, 0, ivAB); + + tn = (new Date()).getTime(); + log.debug("decryption stage 'data prep 2' took: " + (tn-t)); t = tn; - - //TODO:perf: alternative concatenation implementation. Maybe include - // space for key and iv in the large messageArray and set the - // relevant parts straight into that buffer in order to avoid - // creating another copy? - let hmacArray = new Uint8Array(keyArray.length + messageArray.byteLength + ivArray.length); - hmacArray.set(keyArray, 0); - hmacArray.set(messageArray, keyArray.length); - hmacArray.set(ivArray, keyArray.length + messageArray.byteLength); - let ourHmac = utils.hash(hmacArray,"base64","SHA1"); - - var tn = (new Date()).getTime(); - log.debug("decryption stage E took: " + (tn-t)); + // We could get a promise from crypto.subtle.digest({name: "SHA-1"}, hmacData) + // but that takes quite a lot longer than our existing hash utility + // presumably because the base64 implementation within the Firefox + // XPCOM hash component is native rather than running in Javascript + // when the promise completes + let ourHMAC = utils.hash(hmacData, "base64", "SHA1"); + + tn = (new Date()).getTime(); + log.debug("decryption stage 'generate HMAC' took: " + (tn-t)); t = tn; - if (ourHmac !== hmac) + + if (ourHMAC == hmac) { - log.warn(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart")); - window.keefox_win.UI.showConnectionMessage(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart") - + " " + window.keefox_org.locale.$STR("KeeFox-conn-setup-retype-password")); - this.removeStoredKey(this.getUsername(this.getSecurityLevel())); - this.resetConnection(); - return null; + wc.importKey( + "raw", // Exported key format + secretKeyAB, // The exported key + { name: "AES-CBC", length: 256 }, // Algorithm the key will be used with + true, // Can extract key value to binary string + ["encrypt", "decrypt"] // Use for these operations + ) + .then(function (pwKey) { + tn = (new Date()).getTime(); + log.debug("decryption stage 'import key' took: " + (tn-t)); + t = tn; + let alg = { name: "AES-CBC", iv: ivAB }; + return wc.decrypt(alg, pwKey, messageAB); + }) + .then(function (decrypted) { + tn = (new Date()).getTime(); + log.debug("decryption stage 'aes-cbc' took: " + (tn - t)); + t = tn; + let plainText = new TextDecoder("utf-8").decode(decrypted); + tn = (new Date()).getTime(); + log.debug("decryption stage 'utf-8 conversion' took: " + (tn - t)); + t = tn; + + var callbackTarget = function (func, data) { + func(data); + }; + + // Do the callback async because we don't want exceptions in + // JSONRPC handling being treated as connection errors + setTimeout(callbackTarget, 1, callback.bind(KPRPC), plainText); + }) + .catch(function (e) { + log.error("Failed to decrypt. Exception: " + e); + + //TODO:e10s: use messages instead of recent window. Also deduplicate code + // in other exception handlers by using a shared message handler for failed connections. + let wm = Components.classes["@mozilla.org/appshell/window-mediator;1"] + .getService(Components.interfaces.nsIWindowMediator); + let window = wm.getMostRecentWindow("navigator:browser") || + wm.getMostRecentWindow("mail:3pane"); + log.warn(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart")); + window.keefox_win.UI.showConnectionMessage(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart") + + " " + window.keefox_org.locale.$STR("KeeFox-conn-setup-retype-password")); + KPRPC.removeStoredKey(KPRPC.getUsername(KPRPC.getSecurityLevel())); + KPRPC.resetConnection(); + callback(null); + }); } - - // Send our message array and base64 encoded key and IV to the ctypes decryption routine. - //TODO: Possible (very small) performance improvement to be had (and some sanity) if we - // send the ArrayBuffer versions of the key and IV too but the benefit is too small to - // justify further tweaking with the established Weave code at this late beta testing stage - let decryptedPayload = CtypesCrypto.decrypt(messageArray, secretKey, iv); - var tn = (new Date()).getTime(); - log.debug("decryption stage F took: " + (tn-t)); - let plainText = decryptedPayload; - log.debug("decryption finished"); - return plainText; - - } catch (e) - { - if (log.logSensitiveData) - log.info("Failed to decrypt using NSS. Falling back to much slower JS implementation because: " + e); - else - log.info("Failed to decrypt using NSS. Falling back to much slower JS implementation."); - return this.decrypt_JS(encryptedContainer); - } + }) + .catch(function (e) { + log.error("Failed to hash secret key. Exception: " + e); + + //TODO:e10s: use messages instead of recent window. Also deduplicate code + // in other exception handlers by using a shared message handler for failed connections. + let wm = Components.classes["@mozilla.org/appshell/window-mediator;1"] + .getService(Components.interfaces.nsIWindowMediator); + let window = wm.getMostRecentWindow("navigator:browser") || + wm.getMostRecentWindow("mail:3pane"); + log.warn(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart")); + window.keefox_win.UI.showConnectionMessage(window.keefox_org.locale.$STR("KeeFox-conn-setup-restart") + + " " + window.keefox_org.locale.$STR("KeeFox-conn-setup-retype-password")); + KPRPC.removeStoredKey(KPRPC.getUsername(KPRPC.getSecurityLevel())); + KPRPC.resetConnection(); + callback(null); + }); }; - // A legacy decryption routine that uses sjcl to do the actual AES decryption. - // Typically 10x slower than the current ctypes based implementation but it - // has been more widely beta tested; acts as a safety net incase the - // undocumented NSS library functions accessed via ctypes change/dissapear - // in a future Firefox build; and may be required for older (but still - // supported) versions of Firefox too + // A legacy decryption routine that uses sjcl to do the AES decryption. + // Typically 5x slower than the current WebCrypto based implementation but we + // can't do WebCrypto on versions earlier than FF37 + // (https://bugzilla.mozilla.org/show_bug.cgi?id=1116269) this.decrypt_JS = function(encryptedContainer) { log.debug("starting decryption using JS"); @@ -1023,10 +1075,6 @@ kprpcClient.prototype.constructor = kprpcClient; t = tn; let encryptedPayload = sjcl.codec.bytes.toBits(messageArray); - //TODO:perf: Maybe we can just throw a new View over our buffer and - //push that through to the sjcl decrypt function when sjcl supports ArrayBuffers - //let encryptedPayload = new Uint32Array(arrayBuffer); - var tn = (new Date()).getTime(); log.debug("decryption stage 1c took: " + (tn-t)); t = tn; @@ -1057,8 +1105,6 @@ kprpcClient.prototype.constructor = kprpcClient; var tn = (new Date()).getTime(); log.debug("decryption stage 7 took: " + (tn-t)); t = tn; - //TODO:perf: alt. concat impl. ~5% - //let ourHmac = utils.hash(a1.concat(messageArray).concat(a3),"base64","SHA1"); let tmp = new Uint8Array(a1.length + a2.byteLength + a3.length); tmp.set(a1, 0); tmp.set(a2, a1.length); @@ -1085,12 +1131,10 @@ kprpcClient.prototype.constructor = kprpcClient; var tn = (new Date()).getTime(); log.debug("decryption stage 10 took: " + (tn-t)); t = tn; - //TODO:perf: Improved AES decryption ~50% let decryptedPayload = sjcl.mode.cbc.decrypt(aes, encryptedPayload, ivArray); var tn = (new Date()).getTime(); log.debug("decryption stage 11 took: " + (tn-t)); t = tn; - //TODO:perf: Improved utf8 encoding ~12.5% let plainText = sjcl.codec.utf8String.fromBits(decryptedPayload); var tn = (new Date()).getTime(); log.debug("decryption stage 12 took: " + (tn-t)); diff --git a/Firefox addon/KeeFox/modules/utils.js b/Firefox addon/KeeFox/modules/utils.js index cc0c776..7dd59e5 100644 --- a/Firefox addon/KeeFox/modules/utils.js +++ b/Firefox addon/KeeFox/modules/utils.js @@ -670,6 +670,25 @@ Utils.prototype = { return byteArray; }, + + // A variation of base64toByteArray which allows us to calculate a HMAC far + // more efficiently than with seperate memory buffers + base64toByteArrayForHMAC: function (input, extraLength, view) { + var binary = atob(input); + var len = binary.length; + var offset = 0; + if (!view) + { + var buffer = new ArrayBuffer(len + extraLength); + view = new Uint8Array(buffer); + offset = 20; + } + for (var i = 0; i < len; i++) + { + view[(i+offset)] = binary.charCodeAt(i); + } + return view; + }, base64toByteArray: function (input) { var binary = atob(input); @@ -682,20 +701,72 @@ Utils.prototype = { } return view; }, + + byteArrayToBase64: function (arrayBuffer) { + let base64 = ''; + let encodings = 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/'; + let bytes = new Uint8Array(arrayBuffer); + let byteLength = bytes.byteLength; + let byteRemainder = byteLength % 3; + let mainLength = byteLength - byteRemainder; + let a, b, c, d; + let chunk; + + // Main loop deals with bytes in chunks of 3 + for (let i = 0; i < mainLength; i = i + 3) + { + // Combine into a single integer + chunk = (bytes[i] << 16) | (bytes[i + 1] << 8) | bytes[i + 2]; + + // Use bitmasks to extract 6-bit segments from the triplet + a = (chunk & 16515072) >> 18; // 16515072 = (2^6 - 1) << 18 + b = (chunk & 258048) >> 12; // 258048 = (2^6 - 1) << 12 + c = (chunk & 4032) >> 6; // 4032 = (2^6 - 1) << 6 + d = chunk & 63; // 63 = 2^6 - 1 + + // Convert the raw binary segments to the appropriate ASCII encoding + base64 += encodings[a] + encodings[b] + encodings[c] + encodings[d]; + } + + // Deal with the remaining bytes and padding + if (byteRemainder == 1) + { + chunk = bytes[mainLength]; + + a = (chunk & 252) >> 2; // 252 = (2^6 - 1) << 2 + + // Set the 4 least significant bits to zero + b = (chunk & 3) << 4; // 3 = 2^2 - 1 + + base64 += encodings[a] + encodings[b] + '=='; + } else if (byteRemainder == 2) + { + chunk = (bytes[mainLength] << 8) | bytes[mainLength + 1]; + + a = (chunk & 64512) >> 10; // 64512 = (2^6 - 1) << 10 + b = (chunk & 1008) >> 4; // 1008 = (2^6 - 1) << 4 + + // Set the 2 least significant bits to zero + c = (chunk & 15) << 2; // 15 = 2^4 - 1 + + base64 += encodings[a] + encodings[b] + encodings[c] + '='; + } + + return base64; + }, -// -// intArrayToByteArray2: function(intArray) { -//var byteArray = []; - -//for (var index = 0; index < testData.length; index++) { -// var int = testData[index]; -// for (var j = 3; j >= 0; j--) { -// var byte = int & 0xff; -// byteArray.push(byte); // this is wrong answer - need to reverse inner loop -// int = (int - byte) / 256; -// } -//} -// }, + hexStringToByteArray: function (hexString, byteArray) { + if (hexString.length % 2 !== 0) { + throw Error("Must have an even number of hex digits to convert to bytes"); + } + var numBytes = hexString.length / 2; + if (!byteArray) + byteArray = new Uint8Array(numBytes); + for (var i=0; i Date: Tue, 27 Jan 2015 22:14:31 +0000 Subject: [PATCH 2/3] KPRPC encryption now uses webcrypto api when available --- Firefox addon/Firefox addon.csproj | 1 - Firefox addon/KeeFox/modules/kprpcClient.js | 99 ++++++++++++++++++--- Firefox addon/KeeFox/modules/utils.js | 9 ++ 3 files changed, 98 insertions(+), 11 deletions(-) diff --git a/Firefox addon/Firefox addon.csproj b/Firefox addon/Firefox addon.csproj index 26daf8b..fbd2b3e 100644 --- a/Firefox addon/Firefox addon.csproj +++ b/Firefox addon/Firefox addon.csproj @@ -109,7 +109,6 @@ - diff --git a/Firefox addon/KeeFox/modules/kprpcClient.js b/Firefox addon/KeeFox/modules/kprpcClient.js index 2c3bd81..f8ea93e 100644 --- a/Firefox addon/KeeFox/modules/kprpcClient.js +++ b/Firefox addon/KeeFox/modules/kprpcClient.js @@ -1,6 +1,6 @@ /* KeeFox - Allows Firefox to communicate with KeePass (via the KeePassRPC KeePass-plugin) -Copyright 2008-2013 Chris Tomlinson +Copyright 2008-2015 Chris Tomlinson kprpcClient.js provides functionality for communication using the KeePassRPC protocol >= version 1.3. @@ -137,8 +137,21 @@ kprpcClient.prototype.constructor = kprpcClient; },5); }; - this.sendJSONRPC = function(data) { - let encryptedContainer = this.encrypt(data); + + // No need to return anything from this function so sync or async implementation is fine + this.sendJSONRPC = function (data) { + // async webcrypto: + if (typeof crypto !== 'undefined' && typeof crypto.subtle !== 'undefined') { + this.encrypt(data, this.sendJSONRPCDecrypted); + return; + } + + // legacy Javascript approach + let encryptedContainer = this.encrypt_JS(data); + this.sendJSONRPCDecrypted(encryptedContainer); + }; + + this.sendJSONRPCDecrypted = function(encryptedContainer) { var data2server = { @@ -871,14 +884,80 @@ kprpcClient.prototype.constructor = kprpcClient; log.debug("JSON-RPC shut down."); } + + // Encrypt plaintext using web crypto api + this.encrypt = function (plaintext, callback) { + + log.debug("starting webcrypto encryption"); + + let KPRPC = this; + let wc = crypto.subtle; + let iv = crypto.getRandomValues(new Uint8Array(16)); + let secretKey = this.secretKey; + let messageAB = utils.stringToByteArray(plaintext); + + // get our secret key + let secretKeyAB = utils.hexStringToByteArray(secretKey); + + wc.importKey( + "raw", // Exported key format + secretKeyAB, // The exported key + { name: "AES-CBC", length: 256 }, // Algorithm the key will be used with + true, // Can extract key value to binary string + ["encrypt", "decrypt"] // Use for these operations + ) + .then(function (pwKey) { + let alg = { name: "AES-CBC", iv: iv }; + return wc.encrypt(alg, pwKey, messageAB); + }) + .then(function (encrypted) { + + wc.digest({ name: "SHA-1" }, secretKeyAB).then(function (secretkeyHash) { + + let hmacData = new Uint8Array(20 + encrypted.byteLength + 16); + let len = hmacData.byteLength; + + // fill the hmacData bytearray with the data + hmacData.set(new Uint8Array(secretkeyHash)); + hmacData.set(new Uint8Array(encrypted), 20); + hmacData.set(iv, encrypted.byteLength + 20); + + // We could get a promise from crypto.subtle.digest({name: "SHA-1"}, hmacData) + // but that takes quite a lot longer than our existing hash utility + // presumably because the base64 implementation within the Firefox + // XPCOM hash component is native rather than running in Javascript + // when the promise completes + let ourHMAC = utils.hash(hmacData, "base64", "SHA1"); + + let ivAB = hmacData.subarray(len - 16); + let encryptedMessage = { + message: utils.byteArrayToBase64(encrypted), + iv: utils.byteArrayToBase64(ivAB), + hmac: ourHMAC + } + + let callbackTarget = function (func, data) { + func(data); + }; + + // Do the callback async because we don't want exceptions in + // JSONRPC handling being treated as encryption errors + setTimeout(callbackTarget, 1, callback.bind(KPRPC), encryptedMessage); + }) + .catch(function (e) { + log.error("Failed to calculate HMAC. Exception: " + e); + callback(null); + }); + + }) + .catch(function (e) { + log.error("Failed to encrypt. Exception: " + e); + callback(null); + }); + }; + // Encrypt plaintext using sjcl. - // Note that the ctypes-based approach used for decryption has not yet been - // used for encryption. Since the data being sent from KeeFox is tiny in - // comparison to that received (if a large password database is used) this - // has not been a development priority but it should be fairly easy to - // upgrade this code if it's needed and/or when we no longer need sjcl for - // the decryption fallback function. - this.encrypt = function(plaintext) + this.encrypt_JS = function(plaintext) { let secKeyArray = sjcl.codec.hex.toBits(this.secretKey); let aes = new sjcl.cipher.aes(secKeyArray); diff --git a/Firefox addon/KeeFox/modules/utils.js b/Firefox addon/KeeFox/modules/utils.js index 7dd59e5..e5f133b 100644 --- a/Firefox addon/KeeFox/modules/utils.js +++ b/Firefox addon/KeeFox/modules/utils.js @@ -671,6 +671,15 @@ Utils.prototype = { return byteArray; }, + stringToByteArray: function(str) + { + var sBytes = new Uint8Array(str.length); + for (var i=0; i Date: Tue, 27 Jan 2015 22:23:14 +0000 Subject: [PATCH 3/3] 1.4.7b1 --- Firefox addon/KeeFox/chrome.manifest | 16 +- .../chrome/locale/it/FAMS.keefox.properties | 55 +++ .../KeeFox/chrome/locale/it/keefox.properties | 360 ++++++++++++++++++ .../locale/nb-NO/FAMS.keefox.properties | 55 +++ .../chrome/locale/nb-NO/keefox.properties | 360 ++++++++++++++++++ .../chrome/locale/pl/FAMS.keefox.properties | 55 +++ .../KeeFox/chrome/locale/pl/keefox.properties | 360 ++++++++++++++++++ .../locale/pt-BR/FAMS.keefox.properties | 55 +++ .../chrome/locale/pt-BR/keefox.properties | 360 ++++++++++++++++++ .../locale/pt-PT/FAMS.keefox.properties | 55 +++ .../chrome/locale/pt-PT/keefox.properties | 360 ++++++++++++++++++ .../chrome/locale/ro/FAMS.keefox.properties | 55 +++ .../KeeFox/chrome/locale/ro/keefox.properties | 360 ++++++++++++++++++ .../chrome/locale/tr/FAMS.keefox.properties | 55 +++ .../KeeFox/chrome/locale/tr/keefox.properties | 360 ++++++++++++++++++ .../locale/zh-TW/FAMS.keefox.properties | 55 +++ .../chrome/locale/zh-TW/keefox.properties | 360 ++++++++++++++++++ Firefox addon/KeeFox/install.rdf | 6 +- 18 files changed, 3331 insertions(+), 11 deletions(-) create mode 100644 Firefox addon/KeeFox/chrome/locale/it/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/it/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/nb-NO/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/nb-NO/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pl/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pl/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pt-BR/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pt-BR/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pt-PT/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/pt-PT/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/ro/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/ro/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/tr/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/tr/keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/zh-TW/FAMS.keefox.properties create mode 100644 Firefox addon/KeeFox/chrome/locale/zh-TW/keefox.properties diff --git a/Firefox addon/KeeFox/chrome.manifest b/Firefox addon/KeeFox/chrome.manifest index 9a26689..ce5009d 100644 --- a/Firefox addon/KeeFox/chrome.manifest +++ b/Firefox addon/KeeFox/chrome.manifest @@ -26,19 +26,19 @@ locale keefox es-ES chrome/locale/es-ES/ locale keefox fi chrome/locale/fi/ locale keefox fr chrome/locale/fr/ locale keefox hu chrome/locale/hu/ -#locale keefox it chrome/locale/it/ +locale keefox it chrome/locale/it/ #locale keefox ja chrome/locale/ja/ locale keefox ko-KR chrome/locale/ko-KR/ -#locale keefox nb-NO chrome/locale/nb-NO/ +locale keefox nb-NO chrome/locale/nb-NO/ locale keefox nl chrome/locale/nl/ -#locale keefox pl chrome/locale/pl/ -#locale keefox pt-BR chrome/locale/pt-BR/ -#locale keefox pt-PT chrome/locale/pt-PT/ -#locale keefox ro chrome/locale/ro/ +locale keefox pl chrome/locale/pl/ +locale keefox pt-BR chrome/locale/pt-BR/ +locale keefox pt-PT chrome/locale/pt-PT/ +locale keefox ro chrome/locale/ro/ locale keefox ru chrome/locale/ru/ locale keefox sv-SE chrome/locale/sv-SE/ -#locale keefox tr chrome/locale/tr/ +locale keefox tr chrome/locale/tr/ locale keefox uk chrome/locale/uk/ #locale keefox vi-VN chrome/locale/vi-VN/ locale keefox zh-CN chrome/locale/zh-CN/ -#locale keefox zh-TW chrome/locale/zh-TW/ +locale keefox zh-TW chrome/locale/zh-TW/ diff --git a/Firefox addon/KeeFox/chrome/locale/it/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/it/FAMS.keefox.properties new file mode 100644 index 0000000..11be9b1 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/it/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox aggiunge funzionalità di gestione password gratuite, sicure e facili e Firefox, permettendoti di risparmiare tempo e di mantenere i tuoi dati ancora più sicurid. +tips-name= Consigli +tips-description=Consigli e suggerimenti che saranno utili a chi è nuovo nel mondo di KeeFox, KeePass o programmi di gestione password +tips-default-title=Suggerimento su KeeFox +tips201201040000a-body=Puoi "personalizzare" le toolbar di Firefox (incluso KeeFox) You can "Customise" your Firefox toolbars (including KeeFox) per riposizionare i pulsanti e risparmiare spazio. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Il clic centrale o Ctrl-click su un elemento nella lista dei login, lo aprirà in una nuova tab, carica la pagina, riempie il form e preme invia, automaticamente. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Stai attento a far fare il login automatico, è comodo ma è un po' più pericoloso rispetto a cliccare il pulsante login manualmente. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=Lo "scollegato" e il "collegato" sulla barra di KeeFox si riferiscono allo stato del tuo database di KeePass (che tu sia entrato con la master password o no). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=Puoi impostare una priorità più alta su alcuni elementi, rispetto ad altri. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Accedi velocemente alle note ed ad altro facendo clic destro su un login e selezionando "Modifica elemento". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=Puoi avere più di un database KeePass aperto alla volta. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Qualche sito internet crea il modulo per il login dopo che la pagina ha finito di caricare, prova la funzione "rileva moduli" sul pulsante principale per cercare login corrispondenti. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Genera password sicure dal pulsante principale di KeeFox - userà le stesse impostazioni che hai usato l'ultima volta sul generatore di password di KeePass. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Gli elementi di KeePass possono essere usati su altri browser e altre applicazioni. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Anche siti famosi subiscono attacchi da parte degli hacker; proteggiti usando password differenti per ogni sito che visiti. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Clic sinistro su un elemento nella lista dei login per caricare una pagina nella tab corrente, riempire il modulo e inviare con un solo clic. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Qualche sito internet è progettato in modo da non funzionare con gestori di password automatizzati come KeeFox. Leggi come consigliamo di fare con questi siti. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Le password lunghe di solito sono più sicure di password corte ma complesse ("aaaaaaaaaaaaaaaaaaa" è un'eccezione alla regola!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Password manager Open source come KeePass e KeeFox sono più sicuri delle alternative "closed source". +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=Se hai un vecchio database KeePass senza icone specifiche per ogni sito internet (favicon) prova il plugin KeePass Favicon downloader. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Notifiche sicurezza +security-description=Notifiche importanti sulla sicurezza che gli utenti non dovrebbero ignorare se desiderano continuare ad essere protetti +security-default-title=Avvertenza sulla sicurezza di KeeFox +security201201040000a-body=Questa versione di KeeFox è obsoleta. Dovresti installare una versione più recente se possibile. +security201201040000a-link=http://keefox.org/download +messages-name=Messaggi importanti +messages-description=Notifiche importanti ma rare che potrebbero essere utili agli utenti di KeeFox +messages-help-keefox=Aiuta KeeFox +messages201201040000a-body=Stai usando KeeFox da un bel po'. Aiuta gli altri aggiungendo una recensione positiva sul sito delle estensioni di Mozilla. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/it/keefox.properties b/Firefox addon/KeeFox/chrome/locale/it/keefox.properties new file mode 100644 index 0000000..99a8907 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/it/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Collegato a KeePass +loggedOut.label= Scollegato da KeePass +launchKeePass.label= Apri KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= Sei collegato al database '%S' +loggedInMultiple.tip=Sei collegato ai database %S. '%S' è attivo. +loggedOut.tip= Sei scollegato dal database delle password (potrebbe essere bloccato) +launchKeePass.tip= Devi aprire KeePass per usare KeeFox. Clicca qui per farlo. +installKeeFox.label= Installa KeeFox +installKeeFox.tip= KeeFox necessita di installare altre cose prima di poter funzionare su questo computer. Clicca qui per farlo. +noUsername.partial-tip= nessun username +loginsButtonGroup.tip= Esplora i login dentro questa cartella. +loginsButtonLogin.tip= Entra in %S con questo username: %S. Clic destro per più opzioni. +loginsButtonEmpty.label= Vuoto +loginsButtonEmpty.tip= Questa cartella non ha login al suo interno +matchedLogin.label= %S - %S +matchedLogin.tip= %S nel gruppo %S (%S) +notifyBarLaunchKeePassButton.label= Carica il mio database delle password (Apri KeePass) +notifyBarLaunchKeePassButton.key= C +notifyBarLaunchKeePassButton.tip= Apri KeePass per abilitare KeeFox +notifyBarLoginToKeePassButton.label= Apri il mio database delle password (Login in KeePass) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= Apri il tuo database di KeePass per abilitare KeeFox +notifyBarLaunchKeePass.label= Non sei collegato al database delle password. +notifyBarLoginToKeePass.label= Non sei collegato al database delle password. +rememberPassword= Usa KeeFox per salvare questa password. +savePasswordText= Vuoi usare KeeFox per salvare questa password? +saveMultiPagePasswordText= Vuoi usare KeeFox per salvare questa password multipagina? +notifyBarRememberButton.label= Salva +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Salva in un gruppo +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Mai per questo sito +notifyBarNeverForSiteButton.key= M +notifyBarNotNowButton.label= Non adesso +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Salva in un gruppo nel database '%S' +notifyBarRememberDBButton.label=Salva nel database '%S' + +notifyBarRememberButton.tooltip=Salva nel database '%S'. Clicca il triangolino per salvare su un database differente. +notifyBarRememberAdvancedButton.tooltip=Salva in un gruppo nel database '%S'. Clicca il triangolino per salvare su un database differente. +notifyBarRememberDBButton.tooltip=Salva questa password nel database specificato +notifyBarRememberAdvancedDBButton.tooltip=Salva questa password in un gruppo nel database specificato + +passwordChangeText= Vuoi cambiare la password salvata per %S? +passwordChangeTextNoUser= Vuoi cambiare la password salvata per questo login? +notifyBarChangeButton.label= Cambia +notifyBarChangeButton.key= C +notifyBarDontChangeButton.label= Non cambiare +notifyBarDontChangeButton.key= N +changeDBButton.label= Cambia database +changeDBButton.tip= Passa a un database differente +changeDBButtonDisabled.label= Cambia database +changeDBButtonDisabled.tip= Apri KeePass per abilitare questa funzione +changeDBButtonEmpty.label= Nessun database +changeDBButtonEmpty.tip= Non ci sono database nella lista database recenti di KeePass. Usa KeePass per aprire il tuo database preferito. +changeDBButtonListItem.tip= Passa al database %S +autoFillWith.label= Autoriempi con +httpAuth.default= Non sei collegato al database delle password (potrebbe essere bloccato) +httpAuth.loadingPasswords= Caricamento password +httpAuth.noMatches= Nessun elemento corrispondente trovato +install.somethingsWrong= Qualcosa è andato storto +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Apri KeePass prima. +generatePassword.copied= Una nuova password è stata copiata nei tuoi appunti. +loading= Caricamento +selectKeePassLocation= Dì a KeeFox dove trovare KeePass +selectMonoLocation= Dì a KeeFox dove trovare Mono +selectDefaultKDBXLocation= Scegli il database predefinito +KeeFox-FAMS-Options.title= Opzioni di scaricamento messaggi e visualizzazione per KeeFox +KeeFox-FAMS-Reset-Configuration.label= Resetta la configurazione +KeeFox-FAMS-Reset-Configuration.confirm= Questo resetterà la configurazione a quando avevi installato per la prima volta %S. Questo influisce solo sulle impostazioni di scaricamento messaggi e visualizzazione di %S; altre impostazioni non saranno cambiate. Clicca OK per resettare la configurazione +KeeFox-FAMS-Options-Download-Freq.label= Frequenza scaricamento messaggi (ore) +KeeFox-FAMS-Options-Download-Freq.desc= %S si collegherà regolarmente a Internet per scaricare messaggi sicuri da mostrare sul browser. È raccomandabile controllare molto frequentemente in modo da essere messi al corrente di problemi di sicurezza il prima possibile. I cambiamenti su questa opzione non avranno effetto finché non riavvierai Firefox +KeeFox-FAMS-Options-Show-Message-Group= Mostra %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Massima frequenza di display messaggi (giorni) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S controllerà se ci i messaggi di questo gruppo debbano essere mostrati. Questa impostazione limita quanto spesso i messaggi che vorrebbe mostrare KeeFox siano effettivamente mostrati a schermo +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Più info +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= P +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Vai sul sito +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= V +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Dona +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Recensisci KeeFox +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= R +KeeFox-FAMS-NotifyBar-Options-Button.label= Cambia impostazioni dei messaggi +KeeFox-FAMS-NotifyBar-Options-Button.key= C +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Non mostrare più messaggi +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= PERICOLO: KeeFox sta loggando le tue password! Se non hai abilitato questa impostazione intenzionalmente, dovresti disabilitarla immediatamente + + +KeeFox_Main-Button.loading.label= Sto caricando KeeFox... +KeeFox_Main-Button.loading.tip= KeeFox sta caricando e sta facendo i test iniziali. Non dovrebbe impiegarci molto tempo... +KeeFox_Menu-Button.tip= Clicca per vedere il menu di KeeFox +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Cambia database +KeeFox_Menu-Button.changeDB.tip= Scegli un database di KeePass differente. +KeeFox_Menu-Button.changeDB.key= C +KeeFox_Menu-Button.fillCurrentDocument.label= Rileva moduli +KeeFox_Menu-Button.fillCurrentDocument.tip= Forza KeeFox a rilevare nuovamente i moduli su questa pagina. Questa azione è necessaria su una piccola parte dei siti. +KeeFox_Menu-Button.fillCurrentDocument.key= R +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Genera una nuova password +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Genera una nuova password usando l'ultimo profilo utilizzato su KeePass e la mette negli appunti di sistema. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= Opzioni +KeeFox_Menu-Button.options.tip= Visualizza e modifica le opzioni di KeeFox. +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= Esplora tutti i login ed entra velocemente sui tuoi siti. +KeeFox_Logins-Button.label= Login +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Modifica login +KeeFox_Logins-Context-Delete-Login.label= Elimina login +KeeFox_Logins-Context-Delete-Group.label= Elimina gruppo +KeeFox_Logins-Context-Edit-Group.label= Modifica gruppo +KeeFox_Remember-Advanced-Popup-Group.label= Salva su un gruppo... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= Questo fa parte di un form multipagina +KeeFox_Menu-Button.Help.tip= Aiuto su KeeFox. +KeeFox_Menu-Button.Help.label= Aiuto +KeeFox_Menu-Button.Help.key= A +KeeFox_Help-GettingStarted-Button.tip= Visita il tutorial introduttivo. +KeeFox_Help-GettingStarted-Button.label= Introduzione +KeeFox_Help-GettingStarted-Button.key= I +KeeFox_Help-Centre-Button.tip= Visita l'assistenza online. +KeeFox_Help-Centre-Button.label= Assistenza Online +KeeFox_Help-Centre-Button.key= O +KeeFox_Tools-Menu.options.label= Opzioni di KeeFox +KeeFox_Dialog-SelectAGroup.title= Seleziona un gruppo +KeeFox_Dialog_OK_Button.label= OK +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= Annulla +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Imposta KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Aggiorna KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= Il setup di KeeFox è già in esecuzione in un'altra tab. Se riesci a trovarla, si prega di chiudere questa e continuare le istruzioni nell'altra. Se non riesci a trovarla, puoi provare a riavviare l'installazione cliccando il pulsante sottostante. Se non funziona, potresti aver bisogno di riavviare Firefox per continuare. +KeeFox_Install_Not_Required.label= Sembra che KeeFox sia già installato. Se hai problemi a far rilevare il database di KeePass a KeeFox, allora prova, con cautela (e temporaneamente), a disabilitare antivirus o firewall sul tuo computer, in quanto, raramente, interferiscono con KeeFox. +KeeFox_Install_Not_Required_Link.label= Visita il sito di KeeFox per maggiori informazioni +KeeFox_Install_Unexpected_Error.label= Un errore inaspettato è accaduto durante l'installazione di KeeFox. +KeeFox_Install_Download_Failed.label= Il download di un componente richiesto è fallito. +KeeFox_Install_Download_Canceled.label= Il download di un componente richiesto è stato annullato. +KeeFox_Install_Download_Checksum_Failed.label= Un componente scaricato è corrotto. Riprova e se continui a ricevere questo errore, chiedi aiuto sul forum all'indirizzo http://keefox.org/help/forum. +KeeFox_Install_Try_Again_Button.label= Riprova +KeeFox_Install_Cancel_Button.label= Annulla + +KeeFox_Install_adminNETInstallExpander.description= KeeFox deve installare due altri componenti - clicca sul pulsante sovrastante per iniziare. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Più informazioni e opzioni di installazione avanzate +KeeFox_Install_adminSetupKPInstallExpander.description= KeeFox deve installare KeePass Password Safe 2 per salvare le tue password in modo sicuro. Clicca il pulsante sovrastante per un'installazione veloce con le impostazioni di default. clicca il pulsante sottostante se hai già installato KeePass Password Safe 2, vuoi usare la versione portatile o se vuoi avere più controllo sul processo di installazione. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Più informazioni e opzioni di setup avanzate +KeeFox_Install_nonAdminNETInstallExpander.description= KeeFox deve installare due altri componenti - clicca sul pulsante qua sopra. Se non puoi fornire una password amministrativa per questo computer, dovrai chiedere all'amministratore di sistema di aiutarti. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Più informazioni e opzioni di setup avanzate +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox deve installare KeePass Password Safe 2 per salvare le tua password in sicurezza. Ti sarà chiesto dove installare KeePass Password Safe 2 o puoi scegliere la posizione di un'installazione esistente di KeePass Password Safe 2 (KeeFox non è riuscito a trovarne una automaticamente). NOTA: KeeFox non sempre riesce a configurarsi automaticamente su computer dove non hai permessi amministrativi. Potresti aver bisogno di cercare assistenza online per cercare le istruzioni per l'installazione manuale o chiedere all'amministratore di sistema di aiutarti. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Più informazioni e opzioni di setup avanzate +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox usa KeePass Password Safe 2 per salvare le password in sicurezza. È già stato installato sul tuo computer ma potresti dover fornire una password amministrativa per abilitare KeeFox a collegare correttamente KeePass Password Safe 2 e Firefox. Se non puoi fornire una password amministrativa per questo computer, clicca qua sotto per un'altra opzione. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Più informazioni e opzioni di setup avanzate + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= KeeFox installerà il Microsoft .NET framework e KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 è il password manager che KeeFox usa per salvare le tue password con sicurezza. Se vuoi scegliere dove installare KeePass Password Safe 2, la lingua o altre opzioni, si prega di installare il framework .NET dal sito Microsoft e poi di riavviare Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Altrimenti, puoi provare l'installazione manuale seguendo questi passi: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Scarica e installa il framework .NET dal sito Microsoft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Scarica installa KeePass Password Safe 2 da http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Riavvia Firefox per ritornare a questa pagina di setup e finisci l'ultimo step +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Oppure copia manualmente il file the KeePassRPC.plgx dalla cartella delle estensioni di Firefox (cerca in una sottocartella chiamata deps) alla cartella dei plugin di KeePass Password Safe 2. +KeeFox_Install_adminSetupKPInstallExpandee.description= Se si desidera scegliere la posizione d'installazione di KeePass Password Safe 2, la lingua o le opzioni avanzate, fare clic sul pulsante qui sotto. +KeeFox_Install_KPsetupExeInstallButton.label= Installa KeePass per tutti gli utenti con pieno controllo del processo +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= Se si desidera installare la versione portatile di KeePass in una posizione specifica ( ad esempio una chiavetta USB ), è possibile scegliere una posizione sottostante. Se si dispone già di KeePass Password Safe 2, si prega di utilizzare la casella qui sotto per dire a KeeFox dove trovarlo. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Imposta la posizione di installazione di KeePass Password Safe 2 +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Fare clic sul pulsante qui sopra per collegare KeeFox a KeePass Password Safe 2. (Tecnicamente, questo installa il plugin KeePassRPC per KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= Se si conosce la password di amministrazione per questo computer è possibile installare KeePass per tutti gli utenti utilizzando una delle seguenti opzioni. Fare clic sul pulsante in basso se si desidera impostare una particolare posizione di installazione, una lingua non inglese o altre opzioni avanzate. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Imposta KeeFox per tutti gli utenti +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= È possibile installare KeePass Password Safe 2 su una / disco USB portatile (o in una seconda posizione sul computer). Basta cliccare sul pulsante in basso, ma prendi in considerazione la potenziale confusione in cui si potrebbe incorrere in futuro, perché il computer avrà due installazioni separate di KeePass Password Safe 2. Se possibile, si dovrebbe impostare KeeFox utilizzando il pulsante sopra , fornendo la password di amministrazione del computer, se richiesto. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Installa KeePass / KeePassRPC in una seconda posizione + +KeeFox_Install_IC1setupNETdownloading.description= I file necessari per la configurazione KeeFox vengono scaricati... +KeeFox_Install_IC1setupNETdownloaded.description= Scaricamento completato. Si prega di seguire le istruzioni dell'Installer .NET che inizierà presto... +KeeFox_Install_IC1setupKPdownloading.description= Sto scaricando KeePass Password Safe 2... +KeeFox_Install_IC1setupKPdownloaded.description= Scaricamento completato. Si prega di seguire le istruzioni dell'Installer che inizierà presto... +KeeFox_Install_IC1KRPCdownloaded.description= Quasi completato... +KeeFox_Install_IC2setupKPdownloading.description= I file necessari per la configurazione id KeeFox vengono scaricati... +KeeFox_Install_IC2setupKPdownloaded.description= Download completato. Attendere prego... +KeeFox_Install_IC2KRPCdownloaded.description= Quasi completato... +KeeFox_Install_IC3installing.description= Quasi finito... È possibile che venga richiesto di eseguire un file eseguibile chiamato KeePassRPCCopier.exe che eseguirà la fase di installazione finale automaticamente. +KeeFox_Install_IC5zipKPdownloading.description= I file necessari per la configurazione KeeFox vengono scaricati... +KeeFox_Install_IC5zipKPdownloaded.description= Download completato. Attendere prego... +KeeFox_Install_IC5installing.description= Quasi completato... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Prova questi passaggi per iniziare a utilizzare KeeFox: +KeeFox_Install_NextStep1.description= Seguire le istruzioni nel 'KeePass startup helper' per creare un nuovo database per memorizzare le tue password o aprire un database KeePass che si utilizza già .. +KeeFox_Install_NextStep2.description= Clicca qui per guardare l'esercitazione introduttiva. +KeeFox_Install_NextStep3.description= Clicca qui per scoprire come importare le password esistenti da Firefox o altri gestori di password. +KeeFox_Install_Finally.description= Infine, se avete difficoltà far funzionare correttamente KeeFox, si prega di dare un'occhiata alle risorse di aiuto disponibili all'indirizzo +KeeFox_Install_PleaseCloseKeePass.description= Chiudere KeePass prima di continuare ! +KeeFox_Install_Already_Installed_Warning.description= KeePass è stato rilevato sul vostro computer. Per poter configurare KeeFox senza problemi, si prega di assicurarsi che sia chiuso prima di continuare! + +KeeFox_Install_monoManual.description= KeeFox può essere eseguito su sistemi Linux e Mac , ma richiede l'installazione manuale seguendo questi passaggi: +KeeFox_Install_monoManualStep1.description= 1) Scaricare e installare Mono dal sito sottostante. Gli utenti Linux possono solito installare l'ultima versione di Mono dal repository di pacchetti della vostra distribuzione, ma si prega di assicurarsi di aver installato il pacchetto Mono completo ( alcune distribuzioni separano Mono in sotto- pacchetti multipli). +KeeFox_Install_monoManualStep2.description= 2) Scarica KeePass Password Safe 2.19 (o superiore) Portable (ZIP Package) dal sito web sottostante o provare sul package manager della vostra distribuzione (assicuratevi di avere una nuova però!) +KeeFox_Install_monoManualStep3.description= 3) Unzip KeePass su ~/KeePass (posizione di default, può essere personalizzata), dove ~ rappresenta la directory home +KeeFox_Install_monoManualStep4.description= 4) Copiare il file KeePassRPC.plgx nella subdirectory plugin nella directory che contiene l'installazione di KeePass (ad esempio ~/KeePass/plugins ) +KeeFox_Install_monoManualStep5.description= 5) Riavvia Firefox +KeeFox_Install_monoManualStep6.description= Il file KeePassRPC.plgx che è necessario copiare manualmente è situato: + +KeeFox_Install_monoManual2.description= Istruzioni di personalizzazione: +KeeFox_Install_monoManualTest1.description= 1) Si presume che KeePass è installato su: +KeeFox_Install_monoManualTest2.description= 2) Si presume Mono è installato su: +KeeFox_Install_monoManualTest3.description= Per ignorare le impostazioni predefinite, vai su KeeFox -> Opzioni -> KeePass, potrai impostare la posizione di Mono e KeePass + +KeeFox_Install_monoManualUpgrade.description= Per aggiornare KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copiare il file KeePassRPC.plgx per i plugin sottodirectory all'interno della directory che contiene l'installazione di KeePass (ad esempio ~/KeePass/plugins dove ~ rappresenta la directory home) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Riavvia Firefox + + +KeeFox-Options.title= Opzioni di KeeFox +KeeFox-pref-FillForm.desc= Compila il modulo +KeeFox-pref-FillAndSubmitForm.desc= Compila ed invia il modulo +KeeFox-pref-DoNothing.desc= Non fare nulla +KeeFox-pref-FillPrompt.desc= Compilare il prompt di login +KeeFox-pref-FillAndSubmitPrompt.desc= Compila e invia il prompt di login +KeeFox-pref-KeeFoxShould.desc= KeeFox dovrebbe +KeeFox-pref-FillNote.desc= NB : È possibile ignorare questo comportamento per le singole voci della KeePass finestra di dialogo "Modifica voce". +KeeFox-pref-when-user-chooses.desc= Quando scelgo una password abbinata, KeeFox dovrebbe +KeeFox-pref-when-keefox-chooses.desc= Quando KeeFox sceglie un account di accesso corrispondente per +KeeFox-pref-a-standard-form.desc= Un modulo standard +KeeFox-pref-a-prompt.desc= Un HTTPAuth, NTLM o prompt di delega +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Pagine con più elementi possono essere riempiti e inviati automaticamente +KeeFox-pref-FindingEntries.heading= Trovando elementi +KeeFox-pref-Notifications.heading= Notifiche +KeeFox-pref-Logging.heading= Logging +KeeFox-pref-Advanced.heading= Avanzato +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= Queste sono le opzioni più importanti che regolano il comportamento di KeeFox +KeeFox-pref-Notifications.description= Modificare queste opzioni per cambiare il modo KeeFox attira la tua attenzione +KeeFox-pref-Advanced.description= Queste opzioni possono aiutare a eseguire il debug di un problema o di configurare le impostazioni avanzate, ma la maggior parte degli utenti possono ignorarle +KeeFox-pref-KeePass.description= Queste opzioni influenzano il comportamento di KeePass +KeeFox-pref-FindingEntries.tooltip= Come si comporta KeeFox quando trova le voci KeePass +KeeFox-pref-Notifications.tooltip= Opzioni di notifica +KeeFox-pref-Advanced.tooltip= Opzioni avanzate +KeeFox-pref-KeePass.tooltip= Opzioni di KeePass +KeeFox-pref-autoFillForms.label= Compila i moduli automaticamente quando viene trovata una password corrispondente +KeeFox-pref-autoSubmitForms.label= Compila e invia i moduli automaticamente quando viene trovata una password corrispondente +KeeFox-pref-autoFillDialogs.label= Compila e invia le finestre di dialogo automaticamente quando viene trovata una password corrispondente +KeeFox-pref-autoSubmitDialogs.label= Compila e invia le finestre di dialogo automaticamente quando viene trovata una password corrispondente +KeeFox-pref-overWriteFieldsAutomatically.label= Sovrascrivere il contenuto di tutti i moduli non vuoti corrispondenti e le finestre di dialogo +KeeFox-pref-autoSubmitMatchedForms.label= Invia il form quando si sceglie una password corrispondente +KeeFox-pref-loggingLevel.label= Logging level +KeeFox-pref-notifyBarRequestPasswordSave.label= Chiedi di salvare la password +KeeFox-pref-excludedSaveSites.desc= Su questi siti non sarà mai chiesto di salvare una nuova password +KeeFox-pref-excludedSaveSites.remove= Rimuovi +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Visualizza la barra di notifica quando KeePass deve essere aperto +KeeFox-pref-notifyBarWhenLoggedOut.label= Mostra una barra di notifica quando è necessario accedere a un database di KeePass +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Selezionare dove si desidera registrare il log dell'attività di KeeFox. +KeeFox-pref-logMethodAlert= Popup di avviso (non consigliato) +KeeFox-pref-logMethodConsole= Console Javascript +KeeFox-pref-logMethodStdOut= Uscita standard di sistema +KeeFox-pref-logMethodFile= File (che si trova in una cartella 'keefox' all'interno del vostro profilo di Firefox) +KeeFox-pref-logLevel.desc= Scegliere la modalità verbose si desidera che il registro sia. Ogni livello di registro più alto produce più output. +KeeFox-pref-dynamicFormScanning.label= Controllare ogni pagina web per nuovi moduli +KeeFox-pref-dynamicFormScanningExplanation.label= NB : Questa opzione può consentire KeeFox di riconoscere più moduli, a scapito delle prestazioni +KeeFox-pref-keePassRPCPort.label= Comunicare con KeePass con questa porta TCP / IP +KeeFox-pref-keePassRPCPortWarning.label= NB: modificare l'impostazione anche in KeePass.config altrimenti KeeFox non sarà sempre in grado di comunicare con KeePass +KeeFox-pref-saveFavicons.label= Salva il logo/icona del sito (favicon) +KeeFox-pref-keePassDBToOpen.label= Durante l'apertura o l'accesso a KeePass , utilizzare questo file di database +KeeFox-pref-rememberMRUDB.label= Ricorda il database di KeePass utilizzato più di recente +KeeFox-pref-keePassRPCInstalledLocation.label= Posizione del plugin KeePassRPC +KeeFox-pref-keePassInstalledLocation.label= Percorso di installazione KeePass +KeeFox-pref-monoLocation.label= Posizione eseguibile Mono (ad esempio /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Memorizza le impostazioni di cui sopra (ad esempio quando si utilizzano KeePass Portable) +KeeFox-pref-keePassLocation.label= Utilizzare questa posizione +KeeFox-browse.label= Sfoglia +KeeFox-FAMS-Options.label= Opzioni di notifica messaggi/suggerimenti +KeeFox-pref-searchAllOpenDBs.label= Cerca in tutti i database KeePass aperti +KeeFox-pref-listAllOpenDBs.label= Elenca gli account di accesso da tutti i database KeePass aperti +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Read more about the anonymous data KeeFox collects +KeeFox-pref-metrics-label=Send anonymous usage statistics +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox cerca di trovare dei dati identificativi in tutti i form che contengono un campo password. Impostare questo e più in +KeeFox-pref-site-options-find.link=impostazioni specifiche del sito +KeeFox-pref-site-options-savepass.desc=Disabilita le notifiche "Salva password" +KeeFox-site-options-default-intro.desc=Impostazioni per tutti i siti. Aggiungere indirizzi da ignorare. +KeeFox-site-options-intro.desc=Impostazioni per tutti i siti il cui indirizzo inizia con +KeeFox-site-options-valid-form-intro.desc=KeeFox cercherà di colmare corrispondenti voci KeePass per tutti i moduli che hanno un campo password. È possibile impostare questo comportamento di seguito . +KeeFox-site-options-list-explain.desc=Se un modulo è presente in una whitelist, KeeFox tenterà sempre di riempirlo. Se il modulo è presente in una delle blacklist qua sotto, KeeFox non proverà mai a riempirlo. Se è presente in entrambe le liste, KeeFox non proverà a riempirlo. +KeeFox-site-options-invisible-tip.desc=NB: NB: I nomi e gli ID potrebbero non essere gli stessi visibili sulla pagina (sono impostati nel codice sorgente della pagina) +KeeFox-form-name=Nome modulo +KeeFox-form-id=ID modulo +KeeFox-text-field-name=Text field name +KeeFox-text-field-id=Text field ID +KeeFox-white-list=Whitelist +KeeFox-black-list=Blacklist +KeeFox-site-options-title=Opzioni siti KeeFox +KeeFox-add-site=Aggiungi sito +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Salva impostazioni sito +KeeFox-site-options-siteEnabledExplanation.desc=Selezionare le caselle di controllo a sinistra per abilitare un settaggio + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Low +KeeFox-conn-sl-medium=Medium +KeeFox-conn-sl-high=High +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Please type in a new password when prompted. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Back +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Search... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/nb-NO/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/nb-NO/FAMS.keefox.properties new file mode 100644 index 0000000..49ec065 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/nb-NO/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= Tips +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=KeeFox tip +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=You can force certain entries to have a higher priority than others. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=You can have more than one KeePass database open at the same time. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Security notices +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox security warning +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Important messages +messages-description=Important but rare notices that may be useful to KeeFox users +messages-help-keefox=Help KeeFox +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/nb-NO/keefox.properties b/Firefox addon/KeeFox/chrome/locale/nb-NO/keefox.properties new file mode 100644 index 0000000..2bb16c5 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/nb-NO/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Logged in +loggedOut.label= Logged out +launchKeePass.label= Launch KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= You are logged in to your '%S' password database +loggedInMultiple.tip=You are logged in to %S password databases. '%S' is active. +loggedOut.tip= You are logged out of your password database (it may be locked) +launchKeePass.tip= You need to open and log into KeePass to use KeeFox. Click here to do that. +installKeeFox.label= Install KeeFox +installKeeFox.tip= KeeFox needs to install some extra things before it can work on your computer. Click here to do that. +noUsername.partial-tip= no username +loginsButtonGroup.tip= Explore the logins inside this folder. +loginsButtonLogin.tip= Login to %S with this username: %S. Right click for more options. +loginsButtonEmpty.label= Empty +loginsButtonEmpty.tip= This folder has no logins inside it +matchedLogin.label= %S - %S +matchedLogin.tip= %S in the %S group (%S) +notifyBarLaunchKeePassButton.label= Load my password database (Launch KeePass) +notifyBarLaunchKeePassButton.key= L +notifyBarLaunchKeePassButton.tip= Launch KeePass to enable KeeFox +notifyBarLoginToKeePassButton.label= Load my password database (Login to KeePass) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= Login to your KeePass database to enable KeeFox +notifyBarLaunchKeePass.label= You are not logged in to your password database. +notifyBarLoginToKeePass.label= You are not logged in to your password database. +rememberPassword= Use KeeFox to save this password. +savePasswordText= Do you want KeeFox to save this password? +saveMultiPagePasswordText= Do you want KeeFox to save this multi-page password? +notifyBarRememberButton.label= Save +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Save to a group +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Never for This Site +notifyBarNeverForSiteButton.key= e +notifyBarNotNowButton.label= Not Now +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Save to a group in the '%S' database +notifyBarRememberDBButton.label=Save in the '%S' database + +notifyBarRememberButton.tooltip=Save in the '%S' database. Click the little triangle to save to a different database. +notifyBarRememberAdvancedButton.tooltip=Save to a group in the '%S' database. Click the little triangle to save to a different database. +notifyBarRememberDBButton.tooltip=Save this password in the specified database +notifyBarRememberAdvancedDBButton.tooltip=Save this password to a group in the specified database + +passwordChangeText= Would you like to change the stored password for %S? +passwordChangeTextNoUser= Would you like to change the stored password for this login? +notifyBarChangeButton.label= Change +notifyBarChangeButton.key= C +notifyBarDontChangeButton.label= Don't Change +notifyBarDontChangeButton.key= D +changeDBButton.label= Change database +changeDBButton.tip= Switch to a different KeePass database +changeDBButtonDisabled.label= Change database +changeDBButtonDisabled.tip= Launch KeePass to enable this feature +changeDBButtonEmpty.label= No database +changeDBButtonEmpty.tip= There are no databases in your KeePass Recent databases list. Use KeePass to open your preferred database. +changeDBButtonListItem.tip= Switch to the %S database +autoFillWith.label= Auto fill with +httpAuth.default= You are logged out of your password database (it may be locked) +httpAuth.loadingPasswords= Loading passwords +httpAuth.noMatches= No matching entries found +install.somethingsWrong= Something went wrong +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Please launch KeePass first. +generatePassword.copied= A new password has been copied to your clipboard. +loading= Loading +selectKeePassLocation= Tell KeeFox where to find KeePass +selectMonoLocation= Tell KeeFox where to find Mono +selectDefaultKDBXLocation= Choose a default password database +KeeFox-FAMS-Options.title= Message download and display options for KeeFox +KeeFox-FAMS-Reset-Configuration.label= Reset configuration +KeeFox-FAMS-Reset-Configuration.confirm= This will reset the configuration to how it was when you first installed %S. This only affects the message download and display settings of %S; other settings will not be changed. Click OK to reset the configuration +KeeFox-FAMS-Options-Download-Freq.label= Message download frequency (hours) +KeeFox-FAMS-Options-Download-Freq.desc= %S will regularly connect to the internet to download secure messages for display in your browser. It is recommended that you check very frequently in order to ensure you are made aware of any security problems immediately. Changes to this setting will not take effect until you restart Firefox +KeeFox-FAMS-Options-Show-Message-Group= Show %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Maximum message display frequency (days) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S will regularly check to see if any messages from this group should be displayed. This setting limits how often the messages KeeFox wants to display will actually be displayed on the screen +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Learn more +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= L +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Go to site +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= G +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Donate now +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Rate KeeFox now +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= R +KeeFox-FAMS-NotifyBar-Options-Button.label= Change message settings +KeeFox-FAMS-NotifyBar-Options-Button.key= C +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Don't show message again +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= WARNING: KeeFox is logging your passwords! If you have not intentionally enabled this setting you should disable it immediately + + +KeeFox_Main-Button.loading.label= Laster KeeFox... +KeeFox_Main-Button.loading.tip= KeeFox starter og utfører noen oppstartstester. Dette burde ikke ta lang tid... +KeeFox_Menu-Button.tip= Klikk for å se menyen til KeeFox +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Skift database +KeeFox_Menu-Button.changeDB.tip= Velg en annen KeePass passorddatabase +KeeFox_Menu-Button.changeDB.key= V +KeeFox_Menu-Button.fillCurrentDocument.label= Oppdag skjemaer +KeeFox_Menu-Button.fillCurrentDocument.tip= Tving KeeFox til å gjenoppdage skjemaer på denne siden. Dette er nødvendig på et lite antall nettsider. +KeeFox_Menu-Button.fillCurrentDocument.key= G +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Generer nytt passord +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Henter et nytt passord fra KeePass ved å benytte seg av siste brukte passordgeneratorprofil og legger denne på utklippstavlen. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= Innstillinger +KeeFox_Menu-Button.options.tip= Viser og lar deg endre dine ønskede KeeFox-innstillinger +KeeFox_Menu-Button.options.key= I +KeeFox_Logins-Button.tip= Utforsk alle dine pålogginger for raskt å logge inn på dine nettsteder. +KeeFox_Logins-Button.label= Pålogginger +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Rediger innlogging +KeeFox_Logins-Context-Delete-Login.label= Slett innlogging +KeeFox_Logins-Context-Delete-Group.label= Slett gruppe +KeeFox_Logins-Context-Edit-Group.label= Rediger gruppe +KeeFox_Remember-Advanced-Popup-Group.label= Lagre til en gruppe... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= Dette er en del av innloggingsskjema som går over flere sider. +KeeFox_Menu-Button.Help.tip= KeeFox hjelp +KeeFox_Menu-Button.Help.label= Hjelp +KeeFox_Menu-Button.Help.key= H +KeeFox_Help-GettingStarted-Button.tip= Besøk "Komme i gang" innføringen på nettet. +KeeFox_Help-GettingStarted-Button.label= Komme i gang +KeeFox_Help-GettingStarted-Button.key= K +KeeFox_Help-Centre-Button.tip= Besøk hjelpesenteret på nettet. +KeeFox_Help-Centre-Button.label= Hjelpesenter +KeeFox_Help-Centre-Button.key= j +KeeFox_Tools-Menu.options.label= KeeFox innstillinger +KeeFox_Dialog-SelectAGroup.title= Velg en gruppe +KeeFox_Dialog_OK_Button.label= %KeeFox_Shared_OK_Button.label; +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= %KeeFox_Shared_Cancel_Button.label; +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Klargjøre KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Oppgradere KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= KeeFox kjører allerede i et annet nettleservindu. Hvis du kan finne det andre vinduet, lukk dette vinduet og følg innstruksjonene videre der. Hvis du ikke finner den andre siden, kan du forsøke å starte innstalasjonsprossessen på nytt ved å trykke på knappen under. Hvis dette ikke skulle virke, må du kanskje starte Firefox på nytt for å fortsette... +KeeFox_Install_Not_Required.label= Det ser ut til at KeeFox allerede er innstallert. Hvis du har problemer å få KeeFox til å gjennkjenne din innlogging i en KeePass-database, prøv å midlertidig stenge av diverse sikkerhetsprogramvare (antivirus, brannmur e.l.) siden disse av og til kan komme i konflikt med KeeFox. +KeeFox_Install_Not_Required_Link.label= Vær vennlig å besøk hjemmesiden til KeeFox for mer informasjon og hjelp +KeeFox_Install_Unexpected_Error.label= En uforutsett feil oppstod under innstallasjonen av KeeFox. +KeeFox_Install_Download_Failed.label= Nedlastningen av en avhengig komponent feilet. +KeeFox_Install_Download_Canceled.label= Nedlastningen av en avhengig komponent ble avbrutt. +KeeFox_Install_Download_Checksum_Failed.label= En av de nedlastede komponentene virker ikke. Forsøk en gang til og hvis det skjer igjen, sprø om hjelp på forumet - http://keefox.org/help/forum +KeeFox_Install_Try_Again_Button.label= Forsøk igjen +KeeFox_Install_Cancel_Button.label= %KeeFox_Shared_Cancel_Button.label; + +KeeFox_Install_adminNETInstallExpander.description= %KeeFox_Shared_Must_Install_Two_Components;. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= %KeeFox_Shared_More_Info_And_Options; +KeeFox_Install_adminSetupKPInstallExpander.description= %KeeFox_Shared_Must_Install_KeePass;. Trykk på knappen ovenfor en enkel og rask installasjon med standard oppsett. Trykk på knappen nedenfor hvis du allerede har KeePass Password Safe 2, ønsker å bruke en portabel versjon av KeePass eller ønsker å ta kontroll over innstallasjonsprosessen. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= %KeeFox_Shared_More_Info_And_Options; +KeeFox_Install_nonAdminNETInstallExpander.description= %KeeFox_Shared_Must_Install_Two_Components;. %KeeFox_Shared_IF_Do_Not_Know_Admin_Password;, du må spørre en som har administratorrettigheter om hjelp. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= %KeeFox_Shared_More_Info_And_Options; +KeeFox_Install_nonAdminSetupKPInstallExpander.description= %KeeFox_Shared_Must_Install_KeePass;. Du vil bli spurt om hvor du vil innstallere KeePass Password Safe 2 eller du kan velge lokasjonen til en allerede eksisterende KeePass Password Safe 2 innstallasjon (KeeFox klarte ikke å finne en automagisk). +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= %KeeFox_Shared_More_Info_And_Options; +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox benytter seg av KeePass Password Safe 2 til å sikkert lagre dine passord. KeePass er allerede innstallert på maskinen din men du kan bli nødt til å oppgi et administratorpassord for å kunne koble KeePass Password Safe 2 med Firefox. %KeeFox_Shared_IF_Do_Not_Know_Admin_Password;, trykk på knappen nedenunder for andre valg. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= %KeeFox_Shared_More_Info_And_Options; + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= KeeFox vil nå innstallere Microsoft .NET Framework og KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 er passordbehandleren som KeeFox bruker til sikkert å lagre pssordene dine. Hvis du ønsker å velge lokasjon for innstallasjonen av KeePass Password Safe 2 samt språk og avanserte innstillinger, vennligst last ned og innstaller .NET Framework fra Microsoft sin nettside og start Firefox på nytt. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternativt kan du forsøke en manuell innstallasjon ved å følge disse trinnene: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Last ned og innstaller .NET Framework fra Microsft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Last ned og innstaller KeePass Password Safe 2 fra http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Enten start Firefox på nytt for å komme tilbake til denne oppsettsiden for å fullføre siste steg +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) eller kopier for hånd filen KeePassRPC.plgx fra Firefox sin mappe for utvidelser (se etter en mappe som heter deps) til KeePass Password Safe 2 sin plugin-mappe. +KeeFox_Install_adminSetupKPInstallExpandee.description= Hvis du ønsker å velge KeePass Password Safe 2 sitt innstallasjonsmål, språk eller avanserte innstillinger, trykk på knappen nedenfor. +KeeFox_Install_KPsetupExeInstallButton.label= Sett opp KeePass for alle brukere med full kontroll av prosessen +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= Hvis du ønsker å innstallere KeePass sin portabel-versjon til en spesifikk lokasjon (f.eks. en minnepinne) kan du velge dette nedenunder. Hvis du allerede har KeePass Password Safe 2 installert, vennligst bruk boksen nedenfor til å fortelle KeeFox hvor den finnes. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= KeePass Password Safe 2 sin installasjonslokasjon +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Trykk på knappen ovenfor for å koble KeeFox sammen med KeePass Password Safe 2. (Dette vil teknisk sett innstallere KeePassRPC-plugin for KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Setup KeeFox for all users +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Install KeePass/KeePassRPC in a second location + +KeeFox_Install_IC1setupNETdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC1setupNETdownloaded.description= Download complete. Please follow the instructions in the .NET installer which will start soon... +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 is being downloaded... +KeeFox_Install_IC1setupKPdownloaded.description= Download complete. Please follow the instructions in the installer which is starting now... +KeeFox_Install_IC1KRPCdownloaded.description= Nearly finished... +KeeFox_Install_IC2setupKPdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC2setupKPdownloaded.description= Download complete. Please wait... +KeeFox_Install_IC2KRPCdownloaded.description= Nearly finished... +KeeFox_Install_IC3installing.description= Nearly finished... You may be prompted to run an executable called KeePassRPCCopier.exe which will perform the final installation step automatically. +KeeFox_Install_IC5zipKPdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC5zipKPdownloaded.description= Download complete. Please wait... +KeeFox_Install_IC5installing.description= Nearly finished... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Try these steps to start using KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Click here to try the getting started tutorial. +KeeFox_Install_NextStep3.description= Click here to find out how to import your existing passwords from Firefox or other password managers. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Please close KeePass before continuing! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= KeeFox can run on Mac and Linux systems, but requires manual installation by following these steps: +KeeFox_Install_monoManualStep1.description= 1) Download and install Mono from the website below. Linux users can usually install the latest version of Mono from your distribution's package repository but please ensure you install the complete Mono package (some distributions seperate Mono into multiple sub-packages). +KeeFox_Install_monoManualStep2.description= 2) Download KeePass Password Safe 2.19 (or higher) Portable (ZIP Package) from the website below or try your distribution's package manager (make sure you get a new enough version though!) +KeeFox_Install_monoManualStep3.description= 3) Unzip KeePass to ~/KeePass (this default can be customised) where ~ represents your home directory +KeeFox_Install_monoManualStep4.description= 4) Copy the KeePassRPC.plgx file to a subdirectory called plugins in the directory that contains your KeePass installation (e.g. ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Restart Firefox +KeeFox_Install_monoManualStep6.description= The KeePassRPC.plgx file you need to manually copy is at: + +KeeFox_Install_monoManual2.description= Customisation instructions: +KeeFox_Install_monoManualTest1.description= 1) It is assumed KeePass is installed to: +KeeFox_Install_monoManualTest2.description= 2) It is assumed Mono is installed to: +KeeFox_Install_monoManualTest3.description= To override these defaults, under KeeFox->Options->KeePass, change 'KeePass installation location' and 'Mono executable location' + +KeeFox_Install_monoManualUpgrade.description= To upgrade KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Restart Firefox + + +KeeFox-Options.title= KeeFox Options +KeeFox-pref-FillForm.desc= Fill in the form +KeeFox-pref-FillAndSubmitForm.desc= Fill in and submit the form +KeeFox-pref-DoNothing.desc= Do nothing +KeeFox-pref-FillPrompt.desc= Fill in the login prompt +KeeFox-pref-FillAndSubmitPrompt.desc= Fill in and submit the login prompt +KeeFox-pref-KeeFoxShould.desc= KeeFox should +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= When I choose a matched password, KeeFox should +KeeFox-pref-when-keefox-chooses.desc= When KeeFox chooses a matching login for +KeeFox-pref-a-standard-form.desc= A standard form +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Finding entries +KeeFox-pref-Notifications.heading= Notifications +KeeFox-pref-Logging.heading= Logging +KeeFox-pref-Advanced.heading= Advanced +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= These are the most important options that govern the behaviour of KeeFox +KeeFox-pref-Notifications.description= Change these options to alter how KeeFox attracts your attention +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= These options affect the behaviour of KeePass +KeeFox-pref-FindingEntries.tooltip= How KeeFox behaves when KeePass entries are found +KeeFox-pref-Notifications.tooltip= Notification options +KeeFox-pref-Advanced.tooltip= Advanced options +KeeFox-pref-KeePass.tooltip= KeePass options +KeeFox-pref-autoFillForms.label= Fill in forms automatically when a matching password is found +KeeFox-pref-autoSubmitForms.label= Submit forms automatically when a matching password is found +KeeFox-pref-autoFillDialogs.label= Fill in authentication dialogs automatically when a matching password is found +KeeFox-pref-autoSubmitDialogs.label= Submit authentication dialogs automatically when a matching password is found +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Submit forms when you choose a matching password +KeeFox-pref-loggingLevel.label= Logging level +KeeFox-pref-notifyBarRequestPasswordSave.label= Offer to save passwords +KeeFox-pref-excludedSaveSites.desc= These sites will never prompt you to save a new password +KeeFox-pref-excludedSaveSites.remove= Remove +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Display a notification bar when KeePass needs to be opened +KeeFox-pref-notifyBarWhenLoggedOut.label= Display a notification bar when you need to log in to a KeePass database +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Select where you would like KeeFox to record a log of its activity. +KeeFox-pref-logMethodAlert= Alert popups (not recommended) +KeeFox-pref-logMethodConsole= Javascript console +KeeFox-pref-logMethodStdOut= System standard output +KeeFox-pref-logMethodFile= File (located in a 'keefox' folder inside your Firefox profile) +KeeFox-pref-logLevel.desc= Choose how verbose you want the log to be. Each higher log level produces more output. +KeeFox-pref-dynamicFormScanning.label= Monitor each web page for new forms +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Communicate with KeePass using this TCP/IP port +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Save website logo/icon (favicon) +KeeFox-pref-keePassDBToOpen.label= When opening or logging in to KeePass, use this database file +KeeFox-pref-rememberMRUDB.label= Remember the most recently used KeePass database +KeeFox-pref-keePassRPCInstalledLocation.label= KeePassRPC plugin installation location +KeeFox-pref-keePassInstalledLocation.label= KeePass installation location +KeeFox-pref-monoLocation.label= Mono executable location (e.g. /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Remember above settings (e.g. when using KeePass Portable) +KeeFox-pref-keePassLocation.label= Use this location +KeeFox-browse.label= Browse +KeeFox-FAMS-Options.label= Message/tip notification options +KeeFox-pref-searchAllOpenDBs.label= Search all open KeePass databases +KeeFox-pref-listAllOpenDBs.label= List logins from all open KeePass databases +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Read more about the anonymous data KeeFox collects +KeeFox-pref-metrics-label=Send anonymous usage statistics +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=site-specific settings +KeeFox-pref-site-options-savepass.desc=Disable "save password" notifications in +KeeFox-site-options-default-intro.desc=Settings for all sites. Add individual site addresses to override. +KeeFox-site-options-intro.desc=Settings for all sites whose address starts with +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Form name +KeeFox-form-id=Form ID +KeeFox-text-field-name=Text field name +KeeFox-text-field-id=Text field ID +KeeFox-white-list=White List +KeeFox-black-list=Black List +KeeFox-site-options-title=KeeFox Site options +KeeFox-add-site=Add site +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Save site settings +KeeFox-site-options-siteEnabledExplanation.desc=Select the checkboxes on the left to enable a setting + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Low +KeeFox-conn-sl-medium=Medium +KeeFox-conn-sl-high=High +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Please type in a new password when prompted. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Back +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Search... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/pl/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/pl/FAMS.keefox.properties new file mode 100644 index 0000000..49ec065 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pl/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= Tips +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=KeeFox tip +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=You can force certain entries to have a higher priority than others. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=You can have more than one KeePass database open at the same time. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Security notices +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox security warning +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Important messages +messages-description=Important but rare notices that may be useful to KeeFox users +messages-help-keefox=Help KeeFox +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/pl/keefox.properties b/Firefox addon/KeeFox/chrome/locale/pl/keefox.properties new file mode 100644 index 0000000..26db823 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pl/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Zalogowany +loggedOut.label= Wylogowany +launchKeePass.label= Uruchom KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= Jesteś zalogowany do bazy haseł "%S". +loggedInMultiple.tip=Jesteś zalogowany do bazy haseł %S. Baza "%S" jest aktywna. +loggedOut.tip= Obecnie jesteś wylogowany z bazy haseł (baza może być zablokowana). +launchKeePass.tip= Musisz uruchomić i zalogować się do KeePassa aby używać KeeFoxa. Kliknij tutaj aby to zrobić. +installKeeFox.label= Zainstaluj KeeFox +installKeeFox.tip= KeeFox musi zainstalować kilka dodatkowych rzeczy zanim będzie mógł rozpocząć pracę na tym komputerze. Kliknij tutaj aby to zrobić. +noUsername.partial-tip= brak nazwy użytkownika +loginsButtonGroup.tip= Przeglądaj wpisy w folderze. +loginsButtonLogin.tip= Zaloguj się do %S za pomocą nazwy użytkownika: %S. Kliknij prawym przyciskiem myszy aby przeglądać więcej opcji. +loginsButtonEmpty.label= Pusty +loginsButtonEmpty.tip= Ten folder nie zawiera żadnych wpisów. +matchedLogin.label= %S - %S +matchedLogin.tip= %S w grupie %S (%S) +notifyBarLaunchKeePassButton.label= Załaduj moją bazę haseł (Uruchom KeePass) +notifyBarLaunchKeePassButton.key= L +notifyBarLaunchKeePassButton.tip= Uruchom KeePass aby aktywować KeeFox. +notifyBarLoginToKeePassButton.label= Załaduj bazę haseł (Zaloguj do KeePassa) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= Zaloguj się do KeePassa aby aktywować KeeFox. +notifyBarLaunchKeePass.label= Nie jesteś zalogowany do bazy haseł. +notifyBarLoginToKeePass.label= Nie jesteś zalogowany do bazy haseł. +rememberPassword= Uzyj KeeFox by zapamietac to haslo. +savePasswordText= Czy chcesz aby KeeFox zapisał to hasło? +saveMultiPagePasswordText= Do you want KeeFox to save this multi-page password? +notifyBarRememberButton.label= Zapisz +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Zapisz w grupie +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Nigdy dla tej strony. +notifyBarNeverForSiteButton.key= e +notifyBarNotNowButton.label= Nie teraz +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Zapisz do grupy w bazie haseł "%S". +notifyBarRememberDBButton.label=Zapisz w bazie haseł "%S" + +notifyBarRememberButton.tooltip=Zapisz w bazie "%S". Kliknij na mały trójkąt aby zapisać w innej bazie haseł. +notifyBarRememberAdvancedButton.tooltip=Zapisz w grupie, w bazie "%S". Kliknij na mały trójkąt aby zapisać w innej bazie haseł. +notifyBarRememberDBButton.tooltip=Zapisz hasło w określonej bazie haseł. +notifyBarRememberAdvancedDBButton.tooltip=Zapisz hasło w grupie, w określonej bazie haseł. + +passwordChangeText= Czy chciałbyś zmienić zapisane hasło do %S? +passwordChangeTextNoUser= Czy chciałbyś zmienić zapisane hasło dla tej nazwy użytkownika? +notifyBarChangeButton.label= Zmien +notifyBarChangeButton.key= C +notifyBarDontChangeButton.label= Nie zmieniaj +notifyBarDontChangeButton.key= D +changeDBButton.label= Zmien baze danych +changeDBButton.tip= Przełącz do innej bazy haseł KeePassa +changeDBButtonDisabled.label= Zmien baze danych +changeDBButtonDisabled.tip= Uruchom KeePass aby aktywować tą funkcję +changeDBButtonEmpty.label= Brak bazy danuch +changeDBButtonEmpty.tip= Nie ma żadnej bazy na liście ostatnio otwieranych baz w KeePass. Użyj KeePassa aby otworzyć swoją preferowaną bazę. +changeDBButtonListItem.tip= Przełącz do bazy haseł %S +autoFillWith.label= Auto fill with +httpAuth.default= Jesteś wylogowany ze swojej bazy haseł (baza może być zablokowana) +httpAuth.loadingPasswords= Laduje haslo +httpAuth.noMatches= Nie znaleziono pasujących wpisów. +install.somethingsWrong= Coś poszło źle +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Proszę najpierw uruchomić KeePass. +generatePassword.copied= Nowe hasło zostało skopiowane do schowka. +loading= Ładowanie +selectKeePassLocation= Wskaż KeeFoxowi lokalizację KeePassa. +selectMonoLocation= Wskaż KeeFoxowi lokalizację Mono +selectDefaultKDBXLocation= Wybierz swoją domyślną bazę haseł. +KeeFox-FAMS-Options.title= Opcje pobierania wiadomości i ich wyświetlania w KeeFox +KeeFox-FAMS-Reset-Configuration.label= Zresetuj konfigurację +KeeFox-FAMS-Reset-Configuration.confirm= This will reset the configuration to how it was when you first installed %S. This only affects the message download and display settings of %S; other settings will not be changed. Click OK to reset the configuration +KeeFox-FAMS-Options-Download-Freq.label= Częstotliwość pobierania wiadomości (godziny) +KeeFox-FAMS-Options-Download-Freq.desc= %S will regularly connect to the internet to download secure messages for display in your browser. It is recommended that you check very frequently in order to ensure you are made aware of any security problems immediately. Changes to this setting will not take effect until you restart Firefox +KeeFox-FAMS-Options-Show-Message-Group= Pokaż %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Maksymalna częstotliwość wyświetlania wiadomości +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S will regularly check to see if any messages from this group should be displayed. This setting limits how often the messages KeeFox wants to display will actually be displayed on the screen +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Przeczytaj więcej +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= L +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Przejdź do strony +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= G +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Przekaż dotację. +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Oceń KeeFox +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= R +KeeFox-FAMS-NotifyBar-Options-Button.label= Zmień ustawienia wiadomości. +KeeFox-FAMS-NotifyBar-Options-Button.key= C +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Nie pokazuj tej wiadomości ponownie. +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= WARNING: KeeFox is logging your passwords! If you have not intentionally enabled this setting you should disable it immediately + + +KeeFox_Main-Button.loading.label= KeeFox startuje... +KeeFox_Main-Button.loading.tip= KeeFox startuje i robi kilka testów uruchamiania. To nie powinno trwac dlugo ... +KeeFox_Menu-Button.tip= Kliknij, aby zobaczyc KeeFox menu +KeeFox_Menu-Button.label= KeeFox Menu +KeeFox_Menu-Button.changeDB.label= Zmien baze danych +KeeFox_Menu-Button.changeDB.tip= Wybierz inna baze danych z haslami KeePass. +KeeFox_Menu-Button.changeDB.key= C +KeeFox_Menu-Button.fillCurrentDocument.label= Wykryj formy +KeeFox_Menu-Button.fillCurrentDocument.tip= Force KeeFox to re-detect forms on this page. This is necessary on a small minority of web sites. +KeeFox_Menu-Button.fillCurrentDocument.key= D +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Wygeneruj nowe haslo +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Pobiera nowe haslo z KeePass uzywajac ostatnio wybrany profil generatora hasel i kopiuje je do schowka. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= Opcje +KeeFox_Menu-Button.options.tip= Przegladaj i zmieniaj swoje ulubione opcje KeeFox. +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= Explore all your logins and quickly log in to your websites. +KeeFox_Logins-Button.label= Loginy +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Edytuj login +KeeFox_Logins-Context-Delete-Login.label= Usun login +KeeFox_Logins-Context-Delete-Group.label= Usun grupe +KeeFox_Logins-Context-Edit-Group.label= Edytuj grupe +KeeFox_Remember-Advanced-Popup-Group.label= Zapisz jako grupa... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= This is part of a multi-page login form +KeeFox_Menu-Button.Help.tip= KeeFox pomoc. +KeeFox_Menu-Button.Help.label= Pomoc +KeeFox_Menu-Button.Help.key= H +KeeFox_Help-GettingStarted-Button.tip= Odwiedź samouczek programu. +KeeFox_Help-GettingStarted-Button.label= Pierwsze kroki +KeeFox_Help-GettingStarted-Button.key= G +KeeFox_Help-Centre-Button.tip= Odwiedź centrum pomocy online. +KeeFox_Help-Centre-Button.label= Centrum pomocy +KeeFox_Help-Centre-Button.key= C +KeeFox_Tools-Menu.options.label= KeeFox opcje +KeeFox_Dialog-SelectAGroup.title= Wybierz grupe +KeeFox_Dialog_OK_Button.label= OK +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= Zamknij +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Konfiguruj KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Aktualizuj KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= KeeFox setup is already running in another browser tab. If you can find the tab please close this tab and follow the instructions in the other tab. If you cannot find the existing tab, you can try restarting the installation process by clicking the button below. If this does not work, you may need to restart Firefox again to proceed. +KeeFox_Install_Not_Required.label= It looks like KeeFox is already installed. If you are having trouble getting KeeFox to detect that you are logged in to a KeePass database then please carefully (and temporarily!) disable any security software running on your computer (e.g. firewalls, anti-spyware, etc.) since these can occasionally conflict with KeeFox. +KeeFox_Install_Not_Required_Link.label= Odwiedź stronę KeeFoxa aby dowiedzieć się więcej. +KeeFox_Install_Unexpected_Error.label= Podczas instalacji KeeFoxa wystąpił nieoczekiwany błąd. +KeeFox_Install_Download_Failed.label= Pobieranie wymaganego komponentu nie powiodło się. +KeeFox_Install_Download_Canceled.label= Pobieranie wymaganego komponentu zostało anulowane. +KeeFox_Install_Download_Checksum_Failed.label= Pobrany komponent jest uszkodzony. Spróbuj ponownie, a jeśli ta wiadomość będzie występować ponownie, zapytaj o pomoc na forum pod adresem http://keefox.org/help/forum. +KeeFox_Install_Try_Again_Button.label= Spróbuj ponownie +KeeFox_Install_Cancel_Button.label= Anuluj + +KeeFox_Install_adminNETInstallExpander.description= KeeFox musi zainstalować dwa dodatkowe komponenty - kliknij przycisk powyżej aby rozpocząć. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Więcej informacji i zaawansowane ustawienia instalacji +KeeFox_Install_adminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. Click the button above for a quick and easy install using standard settings. Click the button below if you already have a copy of KeePass Password Safe 2, want to use the portable version of KeePass or want to take control of the installation process. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Więcej informacji i zaawansowane ustawienia instalacji +KeeFox_Install_nonAdminNETInstallExpander.description= KeeFox must install two other components - just click the button above to get started. If you can't provide an administrative password for this computer, you will need to ask your system administrator to help you. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Więcej informacji i zaawansowane ustawienia instalacji +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. You will be asked where to install KeePass Password Safe 2 or you can select the location of an existing KeePass Password Safe 2 installation (KeeFox was unable to find one automatically). NOTE: KeeFox may not always be able to automatically setup itself correctly on computers where you have no administrative priveledges. You may need to refer to online help resources to find manual setup instructions or ask your system administrator for help. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Więcej informacji i zaawansowane ustawienia instalacji +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox uses KeePass Password Safe 2 to securely store your passwords. It is already installed on your computer but you may need to provide an administrative password to enable KeeFox to correctly link KeePass Password Safe 2 and Firefox. If you can't provide an administrative password for this computer, click below for another option. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Więcej informacji i zaawansowane ustawienia instalacji + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= KeeFox zainstaluje Microsoft .NET framework oraz KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 is the password manager application which KeeFox uses to securely store your passwords. If you want to choose the KeePass Password Safe 2 installation location, language or advanced options, please download and install .NET from Microsoft's website and then restart Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternatively, you could attempt a manual installation by following these steps: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Pobierz i zainstaluj .NET framework ze strony www firmy Microsoft. +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Pobierz i zainstaluj lub rozpakuj KeePass Password Safe 2 ze strony http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Uruchom ponownie przeglądarkę Firefox aby wrócić do tej strony abyś mógł ukończyć ostatni krok instalacji. +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Lub ręcznie skopiuj plik KeePassRPC.plgx z folderu rozszerzeń Firefoxa (poszukaj w podfolderze nazwanym "deps") do folderu "plugins" znajdującego się w folderze programu KeePass Password Safe 2. +KeeFox_Install_adminSetupKPInstallExpandee.description= Aby wybrać lokalizację instalacji, język lub zaawansowane opcje instalatora programu KeePass Password Safe 2, kliknij przycisk poniżej. +KeeFox_Install_KPsetupExeInstallButton.label= Instalacja KeePass dla wszystkich użytkowników z zachowaniem pełnej kontroli nad nią. +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= If you want to install the portable version of KeePass into a specific location (such as a USB memory stick) you can choose a location below. If you already have KeePass Password Safe 2 installed, please use the box below to tell KeeFox where to find it. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Ustaw lokalizację instalacji programu KeePass Password Safe 2. +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Click the above button to link KeeFox to KeePass Password Safe 2. (Technically, this installs the KeePassRPC plugin for KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Instalacja Keepass dla wszystkich użytkowników. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Install KeePass/KeePassRPC in a second location + +KeeFox_Install_IC1setupNETdownloading.description= Pliki wymagane do uruchomienia KeeFoxa są aktualnie pobierane... +KeeFox_Install_IC1setupNETdownloaded.description= Pobieranie ukończone. Proszę wykonywać instrukcje instalatora programu .NET, który uruchomi się za chwilę. +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 jest właśnie pobierany... +KeeFox_Install_IC1setupKPdownloaded.description= Pobieranie ukończone. Proszę wykonywać instrukcje instalatora który się uruchomi. +KeeFox_Install_IC1KRPCdownloaded.description= Prawie ukończone... +KeeFox_Install_IC2setupKPdownloading.description= Pliki wymagane do uruchomienia KeeFoxa są aktualnie pobierane... +KeeFox_Install_IC2setupKPdownloaded.description= Pobieranie ukończone. Proszę czekać... +KeeFox_Install_IC2KRPCdownloaded.description= Prawie ukończone... +KeeFox_Install_IC3installing.description= Prawie ukończone. Możesz zostać zapytany o uruchomienie pliku o nazwie KeePassRPCCopier.exe który wykona ostatni krok instalacji automatycznie. +KeeFox_Install_IC5zipKPdownloading.description= Pliki wymagane do kontynuowania instalacji KeeFoxa są pobierane... +KeeFox_Install_IC5zipKPdownloaded.description= Pobieranie ukończone. Proszę czekać. +KeeFox_Install_IC5installing.description= Prawie ukończone... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Try these steps to start using KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Click here to try the getting started tutorial. +KeeFox_Install_NextStep3.description= Click here to find out how to import your existing passwords from Firefox or other password managers. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Proszę zamknąć KeePass przed kontynuowaniem! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= KeeFox can run on Mac and Linux systems, but requires manual installation by following these steps: +KeeFox_Install_monoManualStep1.description= 1) Download and install Mono from the website below. Linux users can usually install the latest version of Mono from your distribution's package repository but please ensure you install the complete Mono package (some distributions seperate Mono into multiple sub-packages). +KeeFox_Install_monoManualStep2.description= 2) Download KeePass Password Safe 2.19 (or higher) Portable (ZIP Package) from the website below or try your distribution's package manager (make sure you get a new enough version though!) +KeeFox_Install_monoManualStep3.description= 3) Unzip KeePass to ~/KeePass (this default can be customised) where ~ represents your home directory +KeeFox_Install_monoManualStep4.description= 4) Copy the KeePassRPC.plgx file to a subdirectory called plugins in the directory that contains your KeePass installation (e.g. ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Zrestartuj Firefoxa +KeeFox_Install_monoManualStep6.description= The KeePassRPC.plgx file you need to manually copy is at: + +KeeFox_Install_monoManual2.description= Customisation instructions: +KeeFox_Install_monoManualTest1.description= 1) It is assumed KeePass is installed to: +KeeFox_Install_monoManualTest2.description= 2) It is assumed Mono is installed to: +KeeFox_Install_monoManualTest3.description= To override these defaults, under KeeFox->Options->KeePass, change 'KeePass installation location' and 'Mono executable location' + +KeeFox_Install_monoManualUpgrade.description= Aby zauktualizować KeeFox +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Zrestartuj Firefoxa + + +KeeFox-Options.title= Opcje KeeFox +KeeFox-pref-FillForm.desc= Wypelnij formularz +KeeFox-pref-FillAndSubmitForm.desc= Wypelnij i wyslij formularz +KeeFox-pref-DoNothing.desc= nic nie rób +KeeFox-pref-FillPrompt.desc= Wypelnij ekran logowania +KeeFox-pref-FillAndSubmitPrompt.desc= Wypelnij i wyslij ekran logowania +KeeFox-pref-KeeFoxShould.desc= KeeFox should +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= Kiedy wybiore pasujace haslo , KeeFox powinien +KeeFox-pref-when-keefox-chooses.desc= Kiedy KeeFox wybierze pasujacy login +KeeFox-pref-a-standard-form.desc= Standardowy formularz +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Wyszukiwanie wpisów +KeeFox-pref-Notifications.heading= Powiadomienia +KeeFox-pref-Logging.heading= Logowanie +KeeFox-pref-Advanced.heading= Zaawansowane +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= These are the most important options that govern the behaviour of KeeFox +KeeFox-pref-Notifications.description= Change these options to alter how KeeFox attracts your attention +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= These options affect the behaviour of KeePass +KeeFox-pref-FindingEntries.tooltip= Zachowanie KeeFoxa gdy zostaną znalezione wpisy w KeePassie +KeeFox-pref-Notifications.tooltip= Opcje powiadomień +KeeFox-pref-Advanced.tooltip= Opcje zaawansowane +KeeFox-pref-KeePass.tooltip= Opcje KeePass +KeeFox-pref-autoFillForms.label= Wypełniaj automatycznie formularze gdy zostanie znalezione pasujące hasło +KeeFox-pref-autoSubmitForms.label= Wysyłaj automatycznie formularze gdy zostanie znalezione pasujące hasło +KeeFox-pref-autoFillDialogs.label= Wypełniaj automatycznie okienka uwierzytelniające gdy zostanie znalezione pasujące hasło +KeeFox-pref-autoSubmitDialogs.label= Wysyłaj automatycznie okienka uwierzytelniające gdy zostanie znalezione pasujące hasło +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Submit forms when you choose a matching password +KeeFox-pref-loggingLevel.label= Poziom logowania +KeeFox-pref-notifyBarRequestPasswordSave.label= Proponuj zapisywanie hasel +KeeFox-pref-excludedSaveSites.desc= These sites will never prompt you to save a new password +KeeFox-pref-excludedSaveSites.remove= Usun +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Display a notification bar when KeePass needs to be opened +KeeFox-pref-notifyBarWhenLoggedOut.label= Display a notification bar when you need to log in to a KeePass database +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Select where you would like KeeFox to record a log of its activity. +KeeFox-pref-logMethodAlert= Alert popups (not recommended) +KeeFox-pref-logMethodConsole= Konsola Javascript +KeeFox-pref-logMethodStdOut= System standard output +KeeFox-pref-logMethodFile= File (located in a 'keefox' folder inside your Firefox profile) +KeeFox-pref-logLevel.desc= Choose how verbose you want the log to be. Each higher log level produces more output. +KeeFox-pref-dynamicFormScanning.label= Monitor each web page for new forms +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Communicate with KeePass using this TCP/IP port +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Save website logo/icon (favicon) +KeeFox-pref-keePassDBToOpen.label= When opening or logging in to KeePass, use this database file +KeeFox-pref-rememberMRUDB.label= Remember the most recently used KeePass database +KeeFox-pref-keePassRPCInstalledLocation.label= KeePassRPC plugin installation location +KeeFox-pref-keePassInstalledLocation.label= Lokalizacja instalacji KeePassa +KeeFox-pref-monoLocation.label= Mono executable location (e.g. /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Remember above settings (e.g. when using KeePass Portable) +KeeFox-pref-keePassLocation.label= Use this location +KeeFox-browse.label= Przeglądaj +KeeFox-FAMS-Options.label= Message/tip notification options +KeeFox-pref-searchAllOpenDBs.label= Search all open KeePass databases +KeeFox-pref-listAllOpenDBs.label= List logins from all open KeePass databases +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Przeczytaj więcej o anonimowych danych zbieranych przez KeeFox +KeeFox-pref-metrics-label=Wyślij anonimowe statystyki używania. +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=site-specific settings +KeeFox-pref-site-options-savepass.desc=Disable "save password" notifications in +KeeFox-site-options-default-intro.desc=Settings for all sites. Add individual site addresses to override. +KeeFox-site-options-intro.desc=Settings for all sites whose address starts with +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Nazwa formularza +KeeFox-form-id=Form ID +KeeFox-text-field-name=Text field name +KeeFox-text-field-id=Text field ID +KeeFox-white-list=Biała lista. +KeeFox-black-list=Czarna lista. +KeeFox-site-options-title=Opcje strony w KeeFox +KeeFox-add-site=Dodaj stronę. +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Zapisz ustawienia strony. +KeeFox-site-options-siteEnabledExplanation.desc=Zaznacz kwadraciki po lewej aby aktywować ustawienie. + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Niski +KeeFox-conn-sl-medium=Średni +KeeFox-conn-sl-high=Wysoki +KeeFox-conn-sl-low-warning.desc=Ustawienie niskiego poziomu zabezpieczeń może zwiększyć szansę na kradzież Twoich haseł. Proszę przeczytać informacje w instrukcji (link znajduje się powyżej) +KeeFox-conn-sl-high-warning.desc=Wysoki poziom zabezpieczeń będzie wymagał wpisywania losowo generowanego hasła przy każdym uruchomieniu Firefoxa lub KeePassa. + +KeeFox-conn-setup-retype-password=Wpisz nowe hasło gdy zostaniesz o to poproszony. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Wstecz +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Szukaj +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/pt-BR/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/pt-BR/FAMS.keefox.properties new file mode 100644 index 0000000..9550f98 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pt-BR/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adiciona ao Firefox recursos de gerenciamento de senhas que são gratuitos, seguros, fáceis de usar, economizam seu tempo e mantêm seus dados privados mais seguros. +tips-name= Dicas +tips-description=Dicas e truques especialmente úteis para quem ainda não conhece KeeFox, KeePass ou programas de gerenciamento de senhas +tips-default-title=Dica do KeeFox +tips201201040000a-body=Você pode "personalizar" suas barras de ferramentas do Firefox (incluindo KeeFox) para organizar botões e economizar espaço na tela. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Clique com o botão do meio do mouse, ou com o botão esquerdo mantendo a tecla Ctrl pressionada, sobre uma entrada na lista de logins para abrir uma nova aba, carregar uma página e enviar automaticamente um login com apenas um click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Tenha cuidado com formulários que enviam login automaticamente - é conveniente mas ligeiramente mais arriscado do que clicar manualmente no botão de login. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=Os termos "deslogado" e "logado" no botão do KeeFox na barra de ferramentas se referem ao estado do seu banco de dados do KeePass (se você já se logou com seu sua senha mestre). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=Você pode fazer com que certas entradas tenham mais prioridade que outras. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Obtenha acesso rápido a notas e outros dados clicando com o botão direito do mouse sobre uma entrada de login e selecionando "Editar entrada". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=Você pode ter mais de um banco de dados do KeePass aberto ao mesmo tempo. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Alguns sites criam o formulário de login após a página ter sido carregada. Tente usar o recurso "detectar formulários" no botão principal para procurar logins apropriados. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Crie senhas seguras com o botão principal do KeeFox da barra de ferramentas - ele usará as mesmas configurações que você usou mais recentemente no diálogo de geração de senhas do KeePass. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Suas entradas no KeePass podem ser usadas em outros navegadores e aplicações. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Mesmo sites bem conhecidos ocasionalmente têm seus dados roubados. Proteja-se usando senhas diferentes em cada site que você visitar. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Clique com o botão esquerdo sobre uma entrada na lista de logins para carregar uma página na aba corrente e enviar automaticamente um login com apenas um click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Alguns sites são construidos de modo que não funcionem com preenchedores automáticos de formulários como o KeeFox. Leia mais sobre como trabalhar da melhor maneira com esses sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Senhas longas são normalmente mais seguras que senhas curtas e complicadas ("aaaaaaaaaaaaaaaaaaa" é uma exceção a esta regra!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Softwares de segurança de código aberto como KeePass e KeeFox são mais seguros que alternativas de código fechado. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=Se você tem entradas antigas no KeePass sem ícones específicos para cada site (favicons) tente usar o plugin KeePass Favicon downloader. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=Você pode configurar sites individualmente para funcionarem melhor com o KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Atalhos de teclado podem agilizar o acesso a diversos recursos do KeeFox. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=Recursos do KeeFox agora podem ser encontrados no menu de contexto (botão direito do mouse). +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Notĩcias sobre segurança +security-description=Notícias importantes sobre segurança que os usuários não devem ignorar se desejarem permanecer protegidos +security-default-title=Alerta de segurança do KeeFox +security201201040000a-body=Esta versão do KeeFox é muito antiga. Recomendamos instalar uma versão mais nova, se possível. +security201201040000a-link=http://keefox.org/download +messages-name=Mensagens importantes +messages-description=Notícias importantes mas raras que podem ser úteis aos usuários do KeeFox +messages-help-keefox=Ajude o KeeFox +messages201201040000a-body=Você já está usando o KeeFox há algum tempo, então ajude outras pessoas adicionando uma opinião positiva no site de complementos da Mozilla. +messages201201040000a-link=https://addons.mozilla.org/pt-BR/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox coleta estatísticas anônimas para corrigir problemas e melhorar sua experiência. Leia mais para saber que informações são enviadas e o que você pode mudar. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/pt-BR/keefox.properties b/Firefox addon/KeeFox/chrome/locale/pt-BR/keefox.properties new file mode 100644 index 0000000..40cbcb4 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pt-BR/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Logado +loggedOut.label= Deslogado +launchKeePass.label= Lançar KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= Você está logado no seu banco de dados de senhas '%S' +loggedInMultiple.tip=Você está logado em %S bancos de dados de senhas. '%S' está ativo. +loggedOut.tip= Você está deslogado do seu banco de dados de senhas (ele pode estar bloqueado) +launchKeePass.tip= Você precisa abrir e se logar no KeePass para usar o KeeFox. Clique aqui para fazer login. +installKeeFox.label= Instalar KeeFox +installKeeFox.tip= O KeeFox precisa instalar mais algumas coisas antes de poder funcionar no seu computador. Clique aqui para fazer isso. +noUsername.partial-tip= sem nome de usuário +loginsButtonGroup.tip= Visualiza os logins contidos nesta pasta. +loginsButtonLogin.tip= Faz login em %S com este nome de usuário: %S. Clique com botão direito para mais opções. +loginsButtonEmpty.label= Vazio +loginsButtonEmpty.tip= Esta pasta não tem nenhum login +matchedLogin.label= %S - %S +matchedLogin.tip= %S no grupo %S (%S) +notifyBarLaunchKeePassButton.label= Carregar meu banco de dados de senhas (lança o KeePass) +notifyBarLaunchKeePassButton.key= C +notifyBarLaunchKeePassButton.tip= Lançar KeePass para habilitar o KeeFox +notifyBarLoginToKeePassButton.label= Carregar meu banco de dados de senhas (fazer login no KeePass) +notifyBarLoginToKeePassButton.key= C +notifyBarLoginToKeePassButton.tip= Faça login no seu banco de dados do KeePass para habilitar o KeeFox +notifyBarLaunchKeePass.label= Você não está logado no seu banco de dados de senhas. +notifyBarLoginToKeePass.label= Você não está logado no seu banco de dados de senhas. +rememberPassword= Usar o KeeFox para salvar esta senha. +savePasswordText= Quer que o KeeFox salve esta senha? +saveMultiPagePasswordText= Quer que o KeeFox salve esta senha multi-página? +notifyBarRememberButton.label= Salvar +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Salvar para um grupo +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Nunca para este site +notifyBarNeverForSiteButton.key= e +notifyBarNotNowButton.label= Agora não +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Salvar em um grupo no banco de dados '%S' +notifyBarRememberDBButton.label=Salvar no banco de dados '%S' + +notifyBarRememberButton.tooltip=Salva no banco de dados '%S'. Clique no triângulo pequeno para salvar em um banco de dados diferente. +notifyBarRememberAdvancedButton.tooltip=Salva em um grupo no banco de dados '%S'. Clique no pequeno triângulo para salvar em outro banco de dados. +notifyBarRememberDBButton.tooltip=Salva esta senha em um banco de dados especificado +notifyBarRememberAdvancedDBButton.tooltip=Salva esta senha em um grupo no banco de dados especificado + +passwordChangeText= Gostaria de alterar a senha armazenada para %S? +passwordChangeTextNoUser= Gostaria de alterar a senha armazenada para este login? +notifyBarChangeButton.label= Alterar +notifyBarChangeButton.key= A +notifyBarDontChangeButton.label= Não alterar +notifyBarDontChangeButton.key= N +changeDBButton.label= Alterar banco de dados +changeDBButton.tip= Mudar para outro banco de dados do KeePass +changeDBButtonDisabled.label= Alterar banco de dados +changeDBButtonDisabled.tip= Lançar o KeePass para habilitar este recurso +changeDBButtonEmpty.label= Nenhum banco de dados +changeDBButtonEmpty.tip= Não há nenhum banco de dados na sua lista de bancos de dados recentes do KeePass. Use o KeePass para abrir seu banco de dados preferido. +changeDBButtonListItem.tip= Mudar para o banco de dados %S +autoFillWith.label= Preencher automaticamente com +httpAuth.default= Você está deslogado do seu banco de dados de senhas (ele pode estar bloqueado) +httpAuth.loadingPasswords= Carregando senhas +httpAuth.noMatches= Não foi encontrada nenhuma entrada correspondente +install.somethingsWrong= Ocorreu algum erro +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Favor lançar o KeePass primeiro. +generatePassword.copied= Uma nova senha foi copiada para a área de transferência. +loading= Carregando +selectKeePassLocation= Diga ao KeeFox onde encontrar o KeePass +selectMonoLocation= Diga ao KeeFox onde encontrar o Mono +selectDefaultKDBXLocation= Escolha um banco de dados de senhas padrão +KeeFox-FAMS-Options.title= Opções de download e exibição de mensagens para o KeeFox +KeeFox-FAMS-Reset-Configuration.label= Restaurar configuração +KeeFox-FAMS-Reset-Configuration.confirm= Isto irá restaurar a mesma configuração de quando %S foi instalado. Afeta apenas as configurações de download e exibição de mensagens do %S; outras configurações não serão alteradas. Clique em OK para restaurar a configuração +KeeFox-FAMS-Options-Download-Freq.label= Frequência de download de mensagens (horas) +KeeFox-FAMS-Options-Download-Freq.desc= %S conectará regularmente com a internet para baixar mensagens sobre segurança e exibir em seu navegador. É recomendado que você leia com bastante frequência de modo a garantir estar ciente de qualquer problema de segurança imediatamente. Alterações nesta configuração surtirão efeito somente após reiniciar o Firefox +KeeFox-FAMS-Options-Show-Message-Group= Mostrar %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Frequência máxima de exibição de mensagens (dias) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S verificará regularmente se alguma mensagem deste grupo deve ser exibida.. Esta configuração limita a frequência com que as mensagens que o KeeFox quer mostrar serão realmente exibidas na tela +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Saber mais +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= b +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Ir para o site +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= I +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Doar agora +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Avaliar o KeeFox agora +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= A +KeeFox-FAMS-NotifyBar-Options-Button.label= Alterar configurações de mensagens +KeeFox-FAMS-NotifyBar-Options-Button.key= m +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Não mostrar esta mensagem novamente +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= ALERTA: KeeFox está logando suas senhas! Se você não habilitou esta opção intencionalmente, deve desabilitá-la imediatamente + + +KeeFox_Main-Button.loading.label= Carregando o KeeFox… +KeeFox_Main-Button.loading.tip= O KeeFox está carregando e fazendo alguns testes de inicialização. Isto não deve demorar… +KeeFox_Menu-Button.tip= Clique para ver o menu do KeeFox +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Trocar banco de dados +KeeFox_Menu-Button.changeDB.tip= Escolher outro banco de dados de senhas do KeePass. +KeeFox_Menu-Button.changeDB.key= E +KeeFox_Menu-Button.fillCurrentDocument.label= Detectar formulários +KeeFox_Menu-Button.fillCurrentDocument.tip= Faz o KeeFox detectar novamente formulários nesta página. Isto é necessário em uma pequena minoria de sites. +KeeFox_Menu-Button.fillCurrentDocument.key= D +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Gerar nova senha +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Obtém uma nova senha do KeePass usando o perfil gerador de senhas mais recentemente usado e copia a senha para sua área de transferência. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= s +KeeFox_Menu-Button.options.label= Opções +KeeFox_Menu-Button.options.tip= Consultar e alterar suas opções preferidas do KeeFox. +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= Visualize todos os seus logins e se logue rapidamente nos seus sites. +KeeFox_Logins-Button.label= Logins +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Editar login +KeeFox_Logins-Context-Delete-Login.label= Apagar login +KeeFox_Logins-Context-Delete-Group.label= Apagar grupo +KeeFox_Logins-Context-Edit-Group.label= Editar grupo +KeeFox_Remember-Advanced-Popup-Group.label= Salvar para um grupo… +KeeFox_Remember-Advanced-Popup-Multi-Page.label= Isto é parte de um formulário de login multi-páginas +KeeFox_Menu-Button.Help.tip= Ajuda do KeeFox. +KeeFox_Menu-Button.Help.label= Ajuda +KeeFox_Menu-Button.Help.key= u +KeeFox_Help-GettingStarted-Button.tip= Visite o tutorial de introdução online. +KeeFox_Help-GettingStarted-Button.label= Introdução +KeeFox_Help-GettingStarted-Button.key= I +KeeFox_Help-Centre-Button.tip= Visite o centro de ajuda online. +KeeFox_Help-Centre-Button.label= Centro de ajuda +KeeFox_Help-Centre-Button.key= C +KeeFox_Tools-Menu.options.label= Opções do KeeFox +KeeFox_Dialog-SelectAGroup.title= Selecionar um grupo +KeeFox_Dialog_OK_Button.label= OK +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= Cancelar +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Configurar o KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Atualizar o KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= A instalação do KeeFox já está sendo executada em outra aba. Se você encontrar tal aba, feche esta aba e siga as instruções na outra aba. Se não encontrar a aba existente, pode tentar reiniciar o processo de instalação clicando no botão abaixo. Se isso não funcionar, será necessário reiniciar o Firefox novamente para prosseguir. +KeeFox_Install_Not_Required.label= Parece que o KeeFox já está instalado. Se estiver tendo dificuldade em fazer o KeeFox detectar que você está logado a um banco de dados do KeePass, então cuidadosamente (e temporariamente!) desabilite todos os programas de segurança do seu computador (por exemplo, firewalls, anti-spyware, etc.) uma vez que eles podem ocasionalmente entrar em conflito com o KeeFox. +KeeFox_Install_Not_Required_Link.label= Favor visitar o site do KeeFox para mais ajuda +KeeFox_Install_Unexpected_Error.label= Ocorreu um erro inesperado durante a instalação do KeeFox. +KeeFox_Install_Download_Failed.label= Falhou o download de um componente necessário. +KeeFox_Install_Download_Canceled.label= O download de um componente necessário foi cancelado. +KeeFox_Install_Download_Checksum_Failed.label= Um componente baixado está corrompido. Tente novamente. Se continuar a receber esta mensagem, peça ajuda no fórum de suporte em http://keefox.org/help/forum. +KeeFox_Install_Try_Again_Button.label= Tentar novamente +KeeFox_Install_Cancel_Button.label= Cancelar + +KeeFox_Install_adminNETInstallExpander.description= O KeeFox precisa instalar dois outros componentes - clique no botão acima para começar. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_adminSetupKPInstallExpander.description= O KeeFox precisa instalar o KeePass Password Safe 2 para guardar suas senhas com segurança. Clique no botão acima para uma instalação rápida e fácil usando configurações padrão. Clique no botão abaixo se você já tiver uma cópia do KeePass Password Safe 2, ou desejar usar a versão portável do KeePass, ou quiser assumir o controle do processo de instalação. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdminNETInstallExpander.description= O KeeFox precisa instalar dois outros componentes - clique no botão acima para começar. Se você não tiver uma senha de administração deste computador, precisará pedir a um administrador do sistema para ajudá-lo. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. You will be asked where to install KeePass Password Safe 2 or you can select the location of an existing KeePass Password Safe 2 installation (KeeFox was unable to find one automatically). NOTE: KeeFox may not always be able to automatically setup itself correctly on computers where you have no administrative priveledges. You may need to refer to online help resources to find manual setup instructions or ask your system administrator for help. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox uses KeePass Password Safe 2 to securely store your passwords. It is already installed on your computer but you may need to provide an administrative password to enable KeeFox to correctly link KeePass Password Safe 2 and Firefox. If you can't provide an administrative password for this computer, click below for another option. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= O KeeFox vai instalar o Microsoft .NET framework e o KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 é o gerenciador de senhas que o KeeFox usa para guardar suas senhas com segurança. Se quiser escolher local de instalação, idioma ou opções avançadas do KeePass Password Safe 2, baixe e instale o .NET do site da Microsoft e depois reinicie o Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternativamente, você pode tentar uma instalação manual seguindo esses passos: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Baixar e instalar o .NET da Microsoft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Baixar e instalar o instalador ou ZIP do KeePass Password Safe 2 de http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Reiniciar o Firefox para voltar a esta página de instalação para que possa ser completado o último passo +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Ou copiar manualmente o arquivo KeePassRPC.plgx da pasta de complementos do Firefox (olhe em uma pasta chamada "deps") para a pasta de plugins do KeePass Password Safe 2 +KeeFox_Install_adminSetupKPInstallExpandee.description= Se quiser escolher o local de instalação, o idioma ou opções avançadas do KeePass Password Safe 2, clique no botão abaixo. +KeeFox_Install_KPsetupExeInstallButton.label= Configurar o KeePass para todos os usuários com total controle do processo +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= Se quiser instalar a versão portável do KeePass em um local específico (como um pendrive), pode escolher abaixo o local. Se já tiver o KeePass Password Safe 2 instalado, use o campo abaixo para dizer ao KeeFox onde encontrá-lo. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Definir o local de instalação do KeePass Password Safe 2 +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Clique no botão acima para conectar o KeeFox ao KeePass Password Safe 2. (Em termos técnicos, instala o plugin KeePassRPC para o KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Configurar o KeeFox para todos os usuários +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Instalar KeePass/KeePassRPC em outro local + +KeeFox_Install_IC1setupNETdownloading.description= Os arquivos necessários para configurar o KeeFox estão sendo baixados… +KeeFox_Install_IC1setupNETdownloaded.description= Download completo. Siga as instruções do instalador do .NET, que iniciará logo… +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 está sendo baixado… +KeeFox_Install_IC1setupKPdownloaded.description= Download completo. Siga as instruções do instalador que está começando agora… +KeeFox_Install_IC1KRPCdownloaded.description= Quase terminando… +KeeFox_Install_IC2setupKPdownloading.description= Os arquivos necessários para configurar o KeeFox estão sendo baixados… +KeeFox_Install_IC2setupKPdownloaded.description= Download completo. Aguarde… +KeeFox_Install_IC2KRPCdownloaded.description= Quase terminando… +KeeFox_Install_IC3installing.description= Nearly finished... You may be prompted to run an executable called KeePassRPCCopier.exe which will perform the final installation step automatically. +KeeFox_Install_IC5zipKPdownloading.description= Os arquivos necessários para instalar o KeeFox estão sendo baixados… +KeeFox_Install_IC5zipKPdownloaded.description= Download completo. Aguarde… +KeeFox_Install_IC5installing.description= Quase terminando… +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Tente esses passos para começar a usar o KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Clique aqui para experimentar o tutorial de introdução. +KeeFox_Install_NextStep3.description= Clique aqui para saber como importar suas senhas do Firefox ou de outros gerenciadores de senhas. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Favor fechar o KeePass antes de continuar! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= O KeeFox pode funcionar nos sistemas Mac e Linux, mas requer instalação manual seguindo os passos abaixo: +KeeFox_Install_monoManualStep1.description= 1) Baixe e instale o Mono a partir do site abaixo. Usuários do Linux normalmente podem instalar a última versão do Mono usando o repositório de pacotes da distribuição, mas certifique-se de instalar o pacote completo do Mono (algumas distribuições separam o Mono em múltiplos sub-pacotes). +KeeFox_Install_monoManualStep2.description= 2) Baixe o KeePass Password Safe 2.19 (ou mais novo) Portable (pacote ZIP) do site abaixo, ou tente usar o gerenciador de pacotes da distribuição (certifique-se de pegar uma versão nova o suficiente!) +KeeFox_Install_monoManualStep3.description= 3) Descompacte o KeePass para ~/KeePass (esta pasta padrão pode ser personalizada), onde ~ representa o diretório inicial de sua conta +KeeFox_Install_monoManualStep4.description= 4) Copie o arquivo KeePassRPC.plgx para uma pasta chamada plugins, no diretório que contém sua instalação do KeePass (por exemplo ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Reiniciar o Firefox +KeeFox_Install_monoManualStep6.description= O arquivo KeePassRPC.plgx que você precisa copiar manualmente está em: + +KeeFox_Install_monoManual2.description= Instruções de personalização: +KeeFox_Install_monoManualTest1.description= 1) Presume-se que o KeePass está instalado em: +KeeFox_Install_monoManualTest2.description= 2) Presume-se que o Mono está instalado em: +KeeFox_Install_monoManualTest3.description= Para alterar estes padrões, em KeeFox->Opções->KeePass, mude 'Local de instalação do KeePass' e 'Local do executável do Mono' + +KeeFox_Install_monoManualUpgrade.description= Para atualizar o KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Reiniciar o Firefox + + +KeeFox-Options.title= Opções do KeeFox +KeeFox-pref-FillForm.desc= Preencher o formulário +KeeFox-pref-FillAndSubmitForm.desc= Preencher e enviar o formulário +KeeFox-pref-DoNothing.desc= Não fazer nada +KeeFox-pref-FillPrompt.desc= Preencher o campo de login +KeeFox-pref-FillAndSubmitPrompt.desc= Preencher e enviar o campo de login +KeeFox-pref-KeeFoxShould.desc= KeeFox deve +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= Quando eu escolher uma senha correspondente, o KeeFox deve +KeeFox-pref-when-keefox-chooses.desc= When KeeFox chooses a matching login for +KeeFox-pref-a-standard-form.desc= Um formulário padrão +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Procurando entradas +KeeFox-pref-Notifications.heading= Notificações +KeeFox-pref-Logging.heading= Logando +KeeFox-pref-Advanced.heading= Avançado +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= Estas são as opções mais importantes que governam o comportamento do KeeFox +KeeFox-pref-Notifications.description= Mude estas opções para alterar o modo do KeeFox atrair sua atenção +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= Estas opções afetam o comportamento do KeePass +KeeFox-pref-FindingEntries.tooltip= Como o KeeFox se comporta quando entradas do KeePass são encontradas +KeeFox-pref-Notifications.tooltip= Opções de notificação +KeeFox-pref-Advanced.tooltip= Opções avançadas +KeeFox-pref-KeePass.tooltip= Opções do KeePass +KeeFox-pref-autoFillForms.label= Preencher formulários automaticamente quando uma senha correspondente for encontrada +KeeFox-pref-autoSubmitForms.label= Enviar formulários automaticamente quando uma senha correspondente for encontrada +KeeFox-pref-autoFillDialogs.label= Preencher diálogos de autenticação automaticamente quando uma senha correspondente for encontrada +KeeFox-pref-autoSubmitDialogs.label= Enviar diálogos de autenticação automaticamente quando uma senha correspondente for encontrada +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Enviar formulários quando você escolher uma senha sorrespondente +KeeFox-pref-loggingLevel.label= Nível de registro de log +KeeFox-pref-notifyBarRequestPasswordSave.label= Oferecer salvar senhas +KeeFox-pref-excludedSaveSites.desc= Estes sites nunca pedirão a você para salvar nova senha +KeeFox-pref-excludedSaveSites.remove= Remover +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Exibir uma barra de notificação quando o KeePass precisar ser aberto +KeeFox-pref-notifyBarWhenLoggedOut.label= Exibir uma barra de notificação quando você precisar se logar em um banco de dados do KeePass +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Escolha onde deseja que o KeeFox grave o log de suas atividades. +KeeFox-pref-logMethodAlert= Janelas de alerta (não recomendado) +KeeFox-pref-logMethodConsole= Console Javascript +KeeFox-pref-logMethodStdOut= Saída padrão do sistema +KeeFox-pref-logMethodFile= Arquivo (localizado em uma pasta 'keefox' dentro do seu perfil do Firefox) +KeeFox-pref-logLevel.desc= Escolha o quão detalhado deseja ser o log. Cada nível maior de log produz mais saídas. +KeeFox-pref-dynamicFormScanning.label= Monitorar cada página web por novos formulários +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Comunicar com o KeePass usando esta porta TCP/IP +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Salvar logotipo/ícone do site (favicon) +KeeFox-pref-keePassDBToOpen.label= Quando abrir ou se logar no KeePass, usar este arquivo de banco de dados +KeeFox-pref-rememberMRUDB.label= Lembrar o banco de dados do KeePass usado mais recentemente +KeeFox-pref-keePassRPCInstalledLocation.label= Local de instalação do plugin KeePassRPC +KeeFox-pref-keePassInstalledLocation.label= Local de instalação do KeePass +KeeFox-pref-monoLocation.label= Local do executável do Mono (por exemplo /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Lembrar as configurações acima (por exemplo, quando usar o KeePass Portable) +KeeFox-pref-keePassLocation.label= Usar este local +KeeFox-browse.label= Procurar +KeeFox-FAMS-Options.label= Opções de notificação com mensagens e dicas +KeeFox-pref-searchAllOpenDBs.label= Procurar todos os bancos de dados do KeePass abertos +KeeFox-pref-listAllOpenDBs.label= Listar logins de todos os bancos de dados do KeePass abertos +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Saiba mais sobre as informações anônimas que o KeeFox coleta +KeeFox-pref-metrics-label=Enviar estatísticas de uso anônimas +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Número de logins correspondentes a mostrar no painel principal + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=configurações específicas por site +KeeFox-pref-site-options-savepass.desc=Inibir notificação "salvar senha" em +KeeFox-site-options-default-intro.desc=Configurações para todos os sites. Adicione endereços de sites individuais para ssbrescrever. +KeeFox-site-options-intro.desc=Configurações para todos os sites cujo endereço começa com +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Nome do formulário +KeeFox-form-id=ID do formulário +KeeFox-text-field-name=Nome do campo de texto +KeeFox-text-field-id=ID do campo de texto +KeeFox-white-list=Lista branca +KeeFox-black-list=Lista negra +KeeFox-site-options-title=Opções de site do KeeFox +KeeFox-add-site=Adicionar site +KeeFox-remove-site=Remover site +KeeFox-save-site-settings=Salvar configurações de site +KeeFox-site-options-siteEnabledExplanation.desc=Marcar as caixas de seleção à esquerda para habilitar uma configuração + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Entradas de login correspondentes +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Gerar uma nova senha a partir do perfil +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox forneceu um protocolo inválido. +KeeFox-conn-invalid-message=O KeeFox enviou um comando inválido para seu banco de dados de senhas. +KeeFox-conn-unknown-error=Um erro inesperado ocorreu ao tentar conectar com seu banco de dados de senhas. +KeeFox-conn-firewall-problem=KeeFox não consegue se conectar com o KeePass. Um firewall provavelmente está bloqueando a comunicação do TCP na porta 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=O KeeFox deve reiniciar o processo de autorização. +KeeFox-conn-setup-expired=Você tem usado a mesma chave secreta por tempo demais. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Autorização cancelada ou negada. A próxima tentativa de conexão será adiada por %S minutos. + +KeeFox-conn-setup-enter-password-title=Autorização do KeeFox +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=Nível de segurança do KeeFox +KeeFox-conn-sl-server-min=Mínimo nível de segurança aceitável do KeePass +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Baixo +KeeFox-conn-sl-medium=Médio +KeeFox-conn-sl-high=Alto +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Digite uma nova senha quando solicitado. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Segurança de Conexão +KeeFox-pref-AuthorisedConnections.heading=Conexões autorizadas +KeeFox-pref-Commands.heading=Comandos + +KeeFox-pref-Commands.intro=Escolha os atalhos de teclado para os principais comandos do KeeFox. +KeeFox-KB-shortcut-simple-1.desc=Exibir menu principal +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Mostrar lista de logins +KeeFox-type-new-shortcut-key.placeholder=Digite um novo atalho de teclado + +KeeFox-conn-display-description=Uma extensão do Firefox que habilita com segurança o login automático na maioria dos sites. + +KeeFox_Matched-Logins-Button.label=Logins correspondentes +KeeFox_Matched-Logins-Button.tip=Ver os logins que correspondem à página atual +KeeFox_Back.label=Voltar +KeeFox_Back.tip=Volta para o menu anterior do KeeFox +KeeFox_Search.label=Search... +KeeFox_Search.tip=Comece a digitar para mostrar as entradas de login correspondentes diff --git a/Firefox addon/KeeFox/chrome/locale/pt-PT/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/pt-PT/FAMS.keefox.properties new file mode 100644 index 0000000..49ec065 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pt-PT/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= Tips +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=KeeFox tip +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=You can force certain entries to have a higher priority than others. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=You can have more than one KeePass database open at the same time. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Security notices +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox security warning +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Important messages +messages-description=Important but rare notices that may be useful to KeeFox users +messages-help-keefox=Help KeeFox +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/pt-PT/keefox.properties b/Firefox addon/KeeFox/chrome/locale/pt-PT/keefox.properties new file mode 100644 index 0000000..2664ecb --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/pt-PT/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Logado +loggedOut.label= Deslogado +launchKeePass.label= Lançar KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= Você está logado no seu banco de dados de senhas '%S' +loggedInMultiple.tip=Você está logado em %S bancos de dados de senhas. '%S' está ativo. +loggedOut.tip= Você está deslogado do seu banco de dados de senhas (ele pode estar bloqueado) +launchKeePass.tip= Você precisa abrir e se logar no KeePass para usar o KeeFox. Clique aqui para fazer login. +installKeeFox.label= Instalar KeeFox +installKeeFox.tip= O KeeFox precisa instalar mais algumas coisas antes de poder funcionar no seu computador. Clique aqui para fazer isso. +noUsername.partial-tip= sem nome de usuário +loginsButtonGroup.tip= Visualiza os logins contidos nesta pasta. +loginsButtonLogin.tip= Faz login em %S com este nome de usuário: %S. Clique com botão direito para mais opções. +loginsButtonEmpty.label= Vazio +loginsButtonEmpty.tip= Esta pasta não tem nenhum login +matchedLogin.label= %S - %S +matchedLogin.tip= %S no grupo %S (%S) +notifyBarLaunchKeePassButton.label= Carregar meu banco de dados de senhas (lança o KeePass) +notifyBarLaunchKeePassButton.key= C +notifyBarLaunchKeePassButton.tip= Lançar KeePass para habilitar o KeeFox +notifyBarLoginToKeePassButton.label= Carregar meu banco de dados de senhas (fazer login no KeePass) +notifyBarLoginToKeePassButton.key= C +notifyBarLoginToKeePassButton.tip= Faça login no seu banco de dados do KeePass para habilitar o KeeFox +notifyBarLaunchKeePass.label= Você não está logado no seu banco de dados de senhas. +notifyBarLoginToKeePass.label= Você não está logado no seu banco de dados de senhas. +rememberPassword= Usar o KeeFox para salvar esta senha. +savePasswordText= Quer que o KeeFox salve esta senha? +saveMultiPagePasswordText= Quer que o KeeFox salve esta senha multi-página? +notifyBarRememberButton.label= Salvar +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Salvar para um grupo +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Nunca para este site +notifyBarNeverForSiteButton.key= e +notifyBarNotNowButton.label= Agora não +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Salvar em um grupo no banco de dados '%S' +notifyBarRememberDBButton.label=Salvar no banco de dados '%S' + +notifyBarRememberButton.tooltip=Salva no banco de dados '%S'. Clique no triângulo pequeno para salvar em um banco de dados diferente. +notifyBarRememberAdvancedButton.tooltip=Salva em um grupo no banco de dados '%S'. Clique no pequeno triângulo para salvar em outro banco de dados. +notifyBarRememberDBButton.tooltip=Salva esta senha em um banco de dados especificado +notifyBarRememberAdvancedDBButton.tooltip=Salva esta senha em um grupo no banco de dados especificado + +passwordChangeText= Gostaria de alterar a senha armazenada para %S? +passwordChangeTextNoUser= Gostaria de alterar a senha armazenada para este login? +notifyBarChangeButton.label= Alterar +notifyBarChangeButton.key= A +notifyBarDontChangeButton.label= Não alterar +notifyBarDontChangeButton.key= N +changeDBButton.label= Alterar banco de dados +changeDBButton.tip= Mudar para outro banco de dados do KeePass +changeDBButtonDisabled.label= Alterar banco de dados +changeDBButtonDisabled.tip= Lançar o KeePass para habilitar este recurso +changeDBButtonEmpty.label= Nenhum banco de dados +changeDBButtonEmpty.tip= Não há nenhum banco de dados na sua lista de bancos de dados recentes do KeePass. Use o KeePass para abrir seu banco de dados preferido. +changeDBButtonListItem.tip= Mudar para o banco de dados %S +autoFillWith.label= Preencher automaticamente com +httpAuth.default= Você está deslogado do seu banco de dados de senhas (ele pode estar bloqueado) +httpAuth.loadingPasswords= Carregando senhas +httpAuth.noMatches= Não foi encontrada nenhuma entrada correspondente +install.somethingsWrong= Ocorreu algum erro +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Favor lançar o KeePass primeiro. +generatePassword.copied= Uma nova senha foi copiada para a área de transferência. +loading= Carregando +selectKeePassLocation= Diga ao KeeFox onde encontrar o KeePass +selectMonoLocation= Diga ao KeeFox onde encontrar o Mono +selectDefaultKDBXLocation= Escolha um banco de dados de senhas padrão +KeeFox-FAMS-Options.title= Opções de download e exibição de mensagens para o KeeFox +KeeFox-FAMS-Reset-Configuration.label= Restaurar configuração +KeeFox-FAMS-Reset-Configuration.confirm= Isto irá restaurar a mesma configuração de quando %S foi instalado. Afeta apenas as configurações de download e exibição de mensagens do %S; outras configurações não serão alteradas. Clique em OK para restaurar a configuração +KeeFox-FAMS-Options-Download-Freq.label= Frequência de download de mensagens (horas) +KeeFox-FAMS-Options-Download-Freq.desc= %S conectará regularmente com a internet para baixar mensagens sobre segurança e exibir em seu navegador. É recomendado que você leia com bastante frequência de modo a garantir estar ciente de qualquer problema de segurança imediatamente. Alterações nesta configuração surtirão efeito somente após reiniciar o Firefox +KeeFox-FAMS-Options-Show-Message-Group= Mostrar %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Frequência máxima de exibição de mensagens (dias) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S verificará regularmente se alguma mensagem deste grupo deve ser exibida.. Esta configuração limita a frequência com que as mensagens que o KeeFox quer mostrar serão realmente exibidas na tela +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Saber mais +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= b +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Ir para o site +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= I +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Doar agora +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Avaliar o KeeFox agora +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= A +KeeFox-FAMS-NotifyBar-Options-Button.label= Alterar configurações de mensagens +KeeFox-FAMS-NotifyBar-Options-Button.key= m +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Não mostrar esta mensagem novamente +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= ALERTA: KeeFox está logando suas senhas! Se você não habilitou esta opção intencionalmente, deve desabilitá-la imediatamente + + +KeeFox_Main-Button.loading.label= Carregando o KeeFox… +KeeFox_Main-Button.loading.tip= O KeeFox está carregando e fazendo alguns testes de inicialização. Isto não deve demorar… +KeeFox_Menu-Button.tip= Clique para ver o menu do KeeFox +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Trocar banco de dados +KeeFox_Menu-Button.changeDB.tip= Escolher outro banco de dados de senhas do KeePass. +KeeFox_Menu-Button.changeDB.key= E +KeeFox_Menu-Button.fillCurrentDocument.label= Detectar formulários +KeeFox_Menu-Button.fillCurrentDocument.tip= Faz o KeeFox detectar novamente formulários nesta página. Isto é necessário em uma pequena minoria de sites. +KeeFox_Menu-Button.fillCurrentDocument.key= D +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Gerar nova senha +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Obtém uma nova senha do KeePass usando o perfil gerador de senhas mais recentemente usado e copia a senha para sua área de transferência. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= s +KeeFox_Menu-Button.options.label= Opções +KeeFox_Menu-Button.options.tip= Consultar e alterar suas opções preferidas do KeeFox. +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= Visualize todos os seus logins e se logue rapidamente nos seus sites. +KeeFox_Logins-Button.label= Logins +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Editar login +KeeFox_Logins-Context-Delete-Login.label= Apagar login +KeeFox_Logins-Context-Delete-Group.label= Apagar grupo +KeeFox_Logins-Context-Edit-Group.label= Editar grupo +KeeFox_Remember-Advanced-Popup-Group.label= Salvar para um grupo… +KeeFox_Remember-Advanced-Popup-Multi-Page.label= Isto é parte de um formulário de login multi-páginas +KeeFox_Menu-Button.Help.tip= Ajuda do KeeFox. +KeeFox_Menu-Button.Help.label= Ajuda +KeeFox_Menu-Button.Help.key= u +KeeFox_Help-GettingStarted-Button.tip= Visite o tutorial de introdução online. +KeeFox_Help-GettingStarted-Button.label= Introdução +KeeFox_Help-GettingStarted-Button.key= I +KeeFox_Help-Centre-Button.tip= Visite o centro de ajuda online. +KeeFox_Help-Centre-Button.label= Centro de ajuda +KeeFox_Help-Centre-Button.key= C +KeeFox_Tools-Menu.options.label= Opções do KeeFox +KeeFox_Dialog-SelectAGroup.title= Selecionar um grupo +KeeFox_Dialog_OK_Button.label= OK +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= Cancelar +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Configurar o KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Atualizar o KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= A instalação do KeeFox já está sendo executada em outra aba. Se você encontrar tal aba, feche esta aba e siga as instruções na outra aba. Se não encontrar a aba existente, pode tentar reiniciar o processo de instalação clicando no botão abaixo. Se isso não funcionar, será necessário reiniciar o Firefox novamente para prosseguir. +KeeFox_Install_Not_Required.label= Parece que o KeeFox já está instalado. Se estiver tendo dificuldade em fazer o KeeFox detectar que você está logado a um banco de dados do KeePass, então cuidadosamente (e temporariamente!) desabilite todos os programas de segurança do seu computador (por exemplo, firewalls, anti-spyware, etc.) uma vez que eles podem ocasionalmente entrar em conflito com o KeeFox. +KeeFox_Install_Not_Required_Link.label= Favor visitar o site do KeeFox para mais ajuda +KeeFox_Install_Unexpected_Error.label= Ocorreu um erro inesperado durante a instalação do KeeFox. +KeeFox_Install_Download_Failed.label= Falhou o download de um componente necessário. +KeeFox_Install_Download_Canceled.label= O download de um componente necessário foi cancelado. +KeeFox_Install_Download_Checksum_Failed.label= Um componente baixado está corrompido. Tente novamente. Se continuar a receber esta mensagem, peça ajuda no fórum de suporte em http://keefox.org/help/forum. +KeeFox_Install_Try_Again_Button.label= Tentar novamente +KeeFox_Install_Cancel_Button.label= Cancelar + +KeeFox_Install_adminNETInstallExpander.description= O KeeFox precisa instalar dois outros componentes - clique no botão acima para começar. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_adminSetupKPInstallExpander.description= O KeeFox precisa instalar o KeePass Password Safe 2 para guardar suas senhas com segurança. Clique no botão acima para uma instalação rápida e fácil usando configurações padrão. Clique no botão abaixo se você já tiver uma cópia do KeePass Password Safe 2, ou desejar usar a versão portável do KeePass, ou quiser assumir o controle do processo de instalação. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdminNETInstallExpander.description= O KeeFox precisa instalar dois outros componentes - clique no botão acima para começar. Se você não tiver uma senha de administração deste computador, precisará pedir a um administrador do sistema para ajudá-lo. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. You will be asked where to install KeePass Password Safe 2 or you can select the location of an existing KeePass Password Safe 2 installation (KeeFox was unable to find one automatically). NOTE: KeeFox may not always be able to automatically setup itself correctly on computers where you have no administrative priveledges. You may need to refer to online help resources to find manual setup instructions or ask your system administrator for help. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox uses KeePass Password Safe 2 to securely store your passwords. It is already installed on your computer but you may need to provide an administrative password to enable KeeFox to correctly link KeePass Password Safe 2 and Firefox. If you can't provide an administrative password for this computer, click below for another option. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Mais informações e opções de configuração avançadas + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= O KeeFox vai instalar o Microsoft .NET framework e o KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 é o gerenciador de senhas que o KeeFox usa para guardar suas senhas com segurança. Se quiser escolher local de instalação, idioma ou opções avançadas do KeePass Password Safe 2, baixe e instale o .NET do site da Microsoft e depois reinicie o Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternativamente, você pode tentar uma instalação manual seguindo esses passos: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Baixar e instalar o .NET da Microsoft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Baixar e instalar o instalador ou ZIP do KeePass Password Safe 2 de http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Reiniciar o Firefox para voltar a esta página de instalação para que possa ser completado o último passo +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Ou copiar manualmente o arquivo KeePassRPC.plgx da pasta de complementos do Firefox (olhe em uma pasta chamada "deps") para a pasta de plugins do KeePass Password Safe 2 +KeeFox_Install_adminSetupKPInstallExpandee.description= Se quiser escolher o local de instalação, o idioma ou opções avançadas do KeePass Password Safe 2, clique no botão abaixo. +KeeFox_Install_KPsetupExeInstallButton.label= Configurar o KeePass para todos os usuários com total controle do processo +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= Se quiser instalar a versão portável do KeePass em um local específico (como um pendrive), pode escolher abaixo o local. Se já tiver o KeePass Password Safe 2 instalado, use o campo abaixo para dizer ao KeeFox onde encontrá-lo. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Definir o local de instalação do KeePass Password Safe 2 +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Clique no botão acima para conectar o KeeFox ao KeePass Password Safe 2. (Em termos técnicos, instala o plugin KeePassRPC para o KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Configurar o KeeFox para todos os usuários +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Instalar KeePass/KeePassRPC em outro local + +KeeFox_Install_IC1setupNETdownloading.description= Os arquivos necessários para configurar o KeeFox estão sendo baixados… +KeeFox_Install_IC1setupNETdownloaded.description= Download completo. Siga as instruções do instalador do .NET, que iniciará logo… +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 está sendo baixado… +KeeFox_Install_IC1setupKPdownloaded.description= Download completo. Siga as instruções do instalador que está começando agora… +KeeFox_Install_IC1KRPCdownloaded.description= Quase terminando… +KeeFox_Install_IC2setupKPdownloading.description= Os arquivos necessários para configurar o KeeFox estão sendo baixados… +KeeFox_Install_IC2setupKPdownloaded.description= Download completo. Aguarde… +KeeFox_Install_IC2KRPCdownloaded.description= Quase terminando… +KeeFox_Install_IC3installing.description= Nearly finished... You may be prompted to run an executable called KeePassRPCCopier.exe which will perform the final installation step automatically. +KeeFox_Install_IC5zipKPdownloading.description= Os arquivos necessários para instalar o KeeFox estão sendo baixados… +KeeFox_Install_IC5zipKPdownloaded.description= Download completo. Aguarde… +KeeFox_Install_IC5installing.description= Quase terminando… +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Tente esses passos para começar a usar o KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Clique aqui para experimentar o tutorial de introdução. +KeeFox_Install_NextStep3.description= Clique aqui para saber como importar suas senhas do Firefox ou de outros gerenciadores de senhas. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Favor fechar o KeePass antes de continuar! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= O KeeFox pode funcionar nos sistemas Mac e Linux, mas requer instalação manual seguindo os passos abaixo: +KeeFox_Install_monoManualStep1.description= 1) Baixe e instale o Mono a partir do site abaixo. Usuários do Linux normalmente podem instalar a última versão do Mono usando o repositório de pacotes da distribuição, mas certifique-se de instalar o pacote completo do Mono (algumas distribuições separam o Mono em múltiplos sub-pacotes). +KeeFox_Install_monoManualStep2.description= 2) Baixe o KeePass Password Safe 2.19 (ou mais novo) Portable (pacote ZIP) do site abaixo, ou tente usar o gerenciador de pacotes da distribuição (certifique-se de pegar uma versão nova o suficiente!) +KeeFox_Install_monoManualStep3.description= 3) Descompacte o KeePass para ~/KeePass (esta pasta padrão pode ser personalizada), onde ~ representa o diretório inicial de sua conta +KeeFox_Install_monoManualStep4.description= 4) Copie o arquivo KeePassRPC.plgx para uma pasta chamada plugins, no diretório que contém sua instalação do KeePass (por exemplo ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Reiniciar o Firefox +KeeFox_Install_monoManualStep6.description= O arquivo KeePassRPC.plgx que você precisa copiar manualmente está em: + +KeeFox_Install_monoManual2.description= Instruções de personalização: +KeeFox_Install_monoManualTest1.description= 1) Presume-se que o KeePass está instalado em: +KeeFox_Install_monoManualTest2.description= 2) Presume-se que o Mono está instalado em: +KeeFox_Install_monoManualTest3.description= Para alterar estes padrões, em KeeFox->Opções->KeePass, mude 'Local de instalação do KeePass' e 'Local do executável do Mono' + +KeeFox_Install_monoManualUpgrade.description= Para atualizar o KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Reiniciar o Firefox + + +KeeFox-Options.title= Opções do KeeFox +KeeFox-pref-FillForm.desc= Preencher o formulário +KeeFox-pref-FillAndSubmitForm.desc= Preencher e enviar o formulário +KeeFox-pref-DoNothing.desc= Não fazer nada +KeeFox-pref-FillPrompt.desc= Preencher o campo de login +KeeFox-pref-FillAndSubmitPrompt.desc= Preencher e enviar o campo de login +KeeFox-pref-KeeFoxShould.desc= KeeFox deve +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= Quando eu escolher uma senha correspondente, o KeeFox deve +KeeFox-pref-when-keefox-chooses.desc= When KeeFox chooses a matching login for +KeeFox-pref-a-standard-form.desc= Um formulário padrão +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Procurando entradas +KeeFox-pref-Notifications.heading= Notificações +KeeFox-pref-Logging.heading= Logando +KeeFox-pref-Advanced.heading= Avançado +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= Estas são as opções mais importantes que governam o comportamento do KeeFox +KeeFox-pref-Notifications.description= Mude estas opções para alterar o modo do KeeFox atrair sua atenção +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= Estas opções afetam o comportamento do KeePass +KeeFox-pref-FindingEntries.tooltip= Como o KeeFox se comporta quando entradas do KeePass são encontradas +KeeFox-pref-Notifications.tooltip= Opções de notificação +KeeFox-pref-Advanced.tooltip= Opções avançadas +KeeFox-pref-KeePass.tooltip= Opções do KeePass +KeeFox-pref-autoFillForms.label= Fill in forms automatically when a matching password is found +KeeFox-pref-autoSubmitForms.label= Submit forms automatically when a matching password is found +KeeFox-pref-autoFillDialogs.label= Fill in authentication dialogs automatically when a matching password is found +KeeFox-pref-autoSubmitDialogs.label= Submit authentication dialogs automatically when a matching password is found +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Submit forms when you choose a matching password +KeeFox-pref-loggingLevel.label= Nível de registro de log +KeeFox-pref-notifyBarRequestPasswordSave.label= Oferecer salvar senhas +KeeFox-pref-excludedSaveSites.desc= Estes sites nunca pedirão a você para salvar nova senha +KeeFox-pref-excludedSaveSites.remove= Remover +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Exibir uma barra de notificação quando o KeePass precisar ser aberto +KeeFox-pref-notifyBarWhenLoggedOut.label= Exibir uma barra de notificação quando você precisar se logar em um banco de dados do KeePass +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Escolha onde deseja que o KeeFox grave o log de suas atividades. +KeeFox-pref-logMethodAlert= Janelas de alerta (não recomendado) +KeeFox-pref-logMethodConsole= Console Javascript +KeeFox-pref-logMethodStdOut= Saída padrão do sistema +KeeFox-pref-logMethodFile= Arquivo (localizado em uma pasta 'keefox' dentro do seu perfil do Firefox) +KeeFox-pref-logLevel.desc= Escolha o quão detalhado deseja ser o log. Cada nível maior de log produz mais saídas. +KeeFox-pref-dynamicFormScanning.label= Monitorar cada página web por novos formulários +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Comunicar com o KeePass usando esta porta TCP/IP +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Salvar logotipo/ícone do site (favicon) +KeeFox-pref-keePassDBToOpen.label= Quando abrir ou se logar no KeePass, usar este arquivo de banco de dados +KeeFox-pref-rememberMRUDB.label= Lembrar o banco de dados do KeePass usado mais recentemente +KeeFox-pref-keePassRPCInstalledLocation.label= Local de instalação do plugin KeePassRPC +KeeFox-pref-keePassInstalledLocation.label= Local de instalação do KeePass +KeeFox-pref-monoLocation.label= Local do executável do Mono (por exemplo /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Lembrar as configurações acima (por exemplo, quando usar o KeePass Portable) +KeeFox-pref-keePassLocation.label= Usar este local +KeeFox-browse.label= Procurar +KeeFox-FAMS-Options.label= Opções de notificação com mensagens e dicas +KeeFox-pref-searchAllOpenDBs.label= Procurar todos os bancos de dados do KeePass abertos +KeeFox-pref-listAllOpenDBs.label= Listar logins de todos os bancos de dados do KeePass abertos +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Read more about the anonymous data KeeFox collects +KeeFox-pref-metrics-label=Send anonymous usage statistics +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=configurações específicas por site +KeeFox-pref-site-options-savepass.desc=Inibir notificação "salvar senha" em +KeeFox-site-options-default-intro.desc=Configurações para todos os sites. Adicione endereços de sites individuais para ssbrescrever. +KeeFox-site-options-intro.desc=Configurações para todos os sites cujo endereço começa com +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Nome do formulário +KeeFox-form-id=ID do formulário +KeeFox-text-field-name=Nome do campo de texto +KeeFox-text-field-id=ID do campo de texto +KeeFox-white-list=Lista branca +KeeFox-black-list=Lista negra +KeeFox-site-options-title=Opções de site do KeeFox +KeeFox-add-site=Adicionar site +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Salvar configurações de site +KeeFox-site-options-siteEnabledExplanation.desc=Marcar as caixas de seleção à esquerda para habilitar uma configuração + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Low +KeeFox-conn-sl-medium=Medium +KeeFox-conn-sl-high=High +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Please type in a new password when prompted. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Back +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Search... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/ro/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/ro/FAMS.keefox.properties new file mode 100644 index 0000000..669104c --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/ro/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= Sfaturi +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=Sfat KeeFox +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=Poți forța anumite intrări să aibă prioritate în fața altora. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=Poți avea mai multe baze date deschise în același timp. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Security notices +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox security warning +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Mesaje importante +messages-description=Important but rare notices that may be useful to KeeFox users +messages-help-keefox=Ajutor KeeFox +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/ro/keefox.properties b/Firefox addon/KeeFox/chrome/locale/ro/keefox.properties new file mode 100644 index 0000000..a616fb1 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/ro/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Logged in +loggedOut.label= Logged out +launchKeePass.label= Lansează KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= You are logged in to your '%S' password database +loggedInMultiple.tip=You are logged in to %S password databases. '%S' is active. +loggedOut.tip= You are logged out of your password database (it may be locked) +launchKeePass.tip= You need to open and log into KeePass to use KeeFox. Click here to do that. +installKeeFox.label= Instalează KeeFox +installKeeFox.tip= KeeFox trebuie să instaleze câteva lucruri înainte de a funcționa pe acest calculator. Apăsați aici pentru a face acest lucru. +noUsername.partial-tip= no username +loginsButtonGroup.tip= Explore the logins inside this folder. +loginsButtonLogin.tip= Login to %S with this username: %S. Right click for more options. +loginsButtonEmpty.label= Gol +loginsButtonEmpty.tip= This folder has no logins inside it +matchedLogin.label= %S - %S +matchedLogin.tip= %S în grupul %S (%S) +notifyBarLaunchKeePassButton.label= Load my password database (Launch KeePass) +notifyBarLaunchKeePassButton.key= L +notifyBarLaunchKeePassButton.tip= Launch KeePass to enable KeeFox +notifyBarLoginToKeePassButton.label= Load my password database (Login to KeePass) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= Login to your KeePass database to enable KeeFox +notifyBarLaunchKeePass.label= You are not logged in to your password database. +notifyBarLoginToKeePass.label= You are not logged in to your password database. +rememberPassword= Folosiți KeeFox pentru a salva această parolă. +savePasswordText= Doriți ca KeeFox să salveze această parolă? +saveMultiPagePasswordText= Do you want KeeFox to save this multi-page password? +notifyBarRememberButton.label= Salvează +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= Salvează într-un grup +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Niciodată pentru această pagină +notifyBarNeverForSiteButton.key= I +notifyBarNotNowButton.label= Nu acum +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=Save to a group in the '%S' database +notifyBarRememberDBButton.label=Save in the '%S' database + +notifyBarRememberButton.tooltip=Save in the '%S' database. Click the little triangle to save to a different database. +notifyBarRememberAdvancedButton.tooltip=Save to a group in the '%S' database. Click the little triangle to save to a different database. +notifyBarRememberDBButton.tooltip=Save this password in the specified database +notifyBarRememberAdvancedDBButton.tooltip=Save this password to a group in the specified database + +passwordChangeText= Doriți să modificați parola existentă pentru %S? +passwordChangeTextNoUser= Would you like to change the stored password for this login? +notifyBarChangeButton.label= Schimbă +notifyBarChangeButton.key= C +notifyBarDontChangeButton.label= Nu schimba +notifyBarDontChangeButton.key= U +changeDBButton.label= Schimbă baza de date +changeDBButton.tip= Schimbă cu o bază de date KeeFox diferită +changeDBButtonDisabled.label= Schimbă baza de date +changeDBButtonDisabled.tip= Porniți KeePass pentru a activa această funcție +changeDBButtonEmpty.label= Fără bază de date +changeDBButtonEmpty.tip= There are no databases in your KeePass Recent databases list. Use KeePass to open your preferred database. +changeDBButtonListItem.tip= Schimbați cu baza de date %S +autoFillWith.label= Completare automată cu +httpAuth.default= You are logged out of your password database (it may be locked) +httpAuth.loadingPasswords= Se încarcă parolele +httpAuth.noMatches= No matching entries found +install.somethingsWrong= Ceva nu a funcționat corect +install.KPRPCNotInstalled= Sorry, KeeFox could not automatically install the KeePassRPC plugin for KeePass Password Safe 2, which is required for KeeFox to function. This is usually because you are trying to install to a location into which you are not permitted to add new files. You may be able to restart Firefox and try the installation again choosing different options or you could ask your computer administrator for assistance. +generatePassword.launch= Porniți KeePass mai întâi. +generatePassword.copied= O nouă parolă a fost copiată în clipboard. +loading= Se încarcă +selectKeePassLocation= Tell KeeFox where to find KeePass +selectMonoLocation= Tell KeeFox where to find Mono +selectDefaultKDBXLocation= Choose a default password database +KeeFox-FAMS-Options.title= Message download and display options for KeeFox +KeeFox-FAMS-Reset-Configuration.label= Reinițializați configurația +KeeFox-FAMS-Reset-Configuration.confirm= This will reset the configuration to how it was when you first installed %S. This only affects the message download and display settings of %S; other settings will not be changed. Click OK to reset the configuration +KeeFox-FAMS-Options-Download-Freq.label= Message download frequency (hours) +KeeFox-FAMS-Options-Download-Freq.desc= %S will regularly connect to the internet to download secure messages for display in your browser. It is recommended that you check very frequently in order to ensure you are made aware of any security problems immediately. Changes to this setting will not take effect until you restart Firefox +KeeFox-FAMS-Options-Show-Message-Group= Arată %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= Maximum message display frequency (days) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S will regularly check to see if any messages from this group should be displayed. This setting limits how often the messages KeeFox wants to display will actually be displayed on the screen +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Aflați mai multe +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= L +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Mergeți la pagină +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= G +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Donați acum +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= Evaluați KeeFox acum +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= E +KeeFox-FAMS-NotifyBar-Options-Button.label= Change message settings +KeeFox-FAMS-NotifyBar-Options-Button.key= C +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Nu arăta mesajul din nou +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= WARNING: KeeFox is logging your passwords! If you have not intentionally enabled this setting you should disable it immediately + + +KeeFox_Main-Button.loading.label= KeeFox se încarcă... +KeeFox_Main-Button.loading.tip= KeeFox is loading and doing a few startup tests. It shouldn't take long... +KeeFox_Menu-Button.tip= Apăsați pentru a vedea meniul KeeFox +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Schimbă baza de date +KeeFox_Menu-Button.changeDB.tip= Choose a different KeePass password database. +KeeFox_Menu-Button.changeDB.key= C +KeeFox_Menu-Button.fillCurrentDocument.label= Detect forms +KeeFox_Menu-Button.fillCurrentDocument.tip= Force KeeFox to re-detect forms on this page. This is necessary on a small minority of web sites. +KeeFox_Menu-Button.fillCurrentDocument.key= D +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Generează o parolă nouă +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Gets a new password from KeePass using the most recently used password generator profile and puts it into your clipboard. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= Opțiuni +KeeFox_Menu-Button.options.tip= Vedeți și schimbați opțiunile KeeFox preferate. +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= Explore all your logins and quickly log in to your websites. +KeeFox_Logins-Button.label= Logins +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= Edit login +KeeFox_Logins-Context-Delete-Login.label= Delete login +KeeFox_Logins-Context-Delete-Group.label= Șterge grup +KeeFox_Logins-Context-Edit-Group.label= Editează grup +KeeFox_Remember-Advanced-Popup-Group.label= Salvează într-un grup... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= This is part of a multi-page login form +KeeFox_Menu-Button.Help.tip= Ajutor KeeFox. +KeeFox_Menu-Button.Help.label= Ajutor +KeeFox_Menu-Button.Help.key= A +KeeFox_Help-GettingStarted-Button.tip= Visit the online getting started tutorial. +KeeFox_Help-GettingStarted-Button.label= Getting Started +KeeFox_Help-GettingStarted-Button.key= G +KeeFox_Help-Centre-Button.tip= Vizitați centrul de ajutor online. +KeeFox_Help-Centre-Button.label= Centrul de ajutor +KeeFox_Help-Centre-Button.key= C +KeeFox_Tools-Menu.options.label= Opțiuni KeeFox +KeeFox_Dialog-SelectAGroup.title= Selectați un grup +KeeFox_Dialog_OK_Button.label= OK +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= Anulează +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= Configurare KeeFox +KeeFox_Install_Upgrade_KeeFox.label= Actualizați KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= KeeFox setup is already running in another browser tab. If you can find the tab please close this tab and follow the instructions in the other tab. If you cannot find the existing tab, you can try restarting the installation process by clicking the button below. If this does not work, you may need to restart Firefox again to proceed. +KeeFox_Install_Not_Required.label= It looks like KeeFox is already installed. If you are having trouble getting KeeFox to detect that you are logged in to a KeePass database then please carefully (and temporarily!) disable any security software running on your computer (e.g. firewalls, anti-spyware, etc.) since these can occasionally conflict with KeeFox. +KeeFox_Install_Not_Required_Link.label= Vizitați pagina internet KeeFox pentru mai mult ajutor +KeeFox_Install_Unexpected_Error.label= O eroare neașteptată a apărut în timpul instalării KeeFox. +KeeFox_Install_Download_Failed.label= Descărcarea unei componente necesare a eșuat. +KeeFox_Install_Download_Canceled.label= Descărcarea unei componente necesare a fost anulată. +KeeFox_Install_Download_Checksum_Failed.label= O componentă descărcată este coruptă. Încercați din nou și dacă primiți din nou acest mesaj cereți ajutor în forumul de suport la http://keefox.org/help/forum. +KeeFox_Install_Try_Again_Button.label= Încercați din nou +KeeFox_Install_Cancel_Button.label= Anulați + +KeeFox_Install_adminNETInstallExpander.description= KeeFox trebuie să instaleze încă 2 componente - apăsați butonul de mai sus pentru a începe. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Mai multe informații și opțiuni avansate de configurare +KeeFox_Install_adminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. Click the button above for a quick and easy install using standard settings. Click the button below if you already have a copy of KeePass Password Safe 2, want to use the portable version of KeePass or want to take control of the installation process. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Mai multe informații și opțiuni avansate de configurare +KeeFox_Install_nonAdminNETInstallExpander.description= KeeFox must install two other components - just click the button above to get started. If you can't provide an administrative password for this computer, you will need to ask your system administrator to help you. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Mai multe informații și opțiuni avansate de configurare +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. You will be asked where to install KeePass Password Safe 2 or you can select the location of an existing KeePass Password Safe 2 installation (KeeFox was unable to find one automatically). NOTE: KeeFox may not always be able to automatically setup itself correctly on computers where you have no administrative priveledges. You may need to refer to online help resources to find manual setup instructions or ask your system administrator for help. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Mai multe informații și opțiuni avansate de configurare +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox uses KeePass Password Safe 2 to securely store your passwords. It is already installed on your computer but you may need to provide an administrative password to enable KeeFox to correctly link KeePass Password Safe 2 and Firefox. If you can't provide an administrative password for this computer, click below for another option. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Mai multe informații și opțiuni avansate de configurare + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= KeeFox will install the Microsoft .NET framework and KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 is the password manager application which KeeFox uses to securely store your passwords. If you want to choose the KeePass Password Safe 2 installation location, language or advanced options, please download and install .NET from Microsoft's website and then restart Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternativ, puteți încerca o instalare manuală urmând pașii următori: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Descarcă și instalează .NET de la Microsoft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Download and install KeePass Password Safe 2 setup or ZIP from http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Either restart Firefox to get back to this setup page so it can complete the last step +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Or manually copy the KeePassRPC.plgx file from the Firefox extensions folder (look in a subfolder called deps) to the KeePass Password Safe 2 plugins folder. +KeeFox_Install_adminSetupKPInstallExpandee.description= If you want to choose the KeePass Password Safe 2 installation location, language or advanced options, click the button below. +KeeFox_Install_KPsetupExeInstallButton.label= Setup KeePass for all users with full control of the process +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= If you want to install the portable version of KeePass into a specific location (such as a USB memory stick) you can choose a location below. If you already have KeePass Password Safe 2 installed, please use the box below to tell KeeFox where to find it. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Set KeePass Password Safe 2's installation location +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Click the above button to link KeeFox to KeePass Password Safe 2. (Technically, this installs the KeePassRPC plugin for KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Configurați KeeFox pentru toți utilizatorii +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Install KeePass/KeePassRPC in a second location + +KeeFox_Install_IC1setupNETdownloading.description= Fișierele necesare pentru configurarea KeeFox sunt descărcate... +KeeFox_Install_IC1setupNETdownloaded.description= Download complete. Please follow the instructions in the .NET installer which will start soon... +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 is being downloaded... +KeeFox_Install_IC1setupKPdownloaded.description= Download complete. Please follow the instructions in the installer which is starting now... +KeeFox_Install_IC1KRPCdownloaded.description= Aproape gata ... +KeeFox_Install_IC2setupKPdownloading.description= Fișierele necesare pentru configurarea KeeFox sunt descărcate... +KeeFox_Install_IC2setupKPdownloaded.description= Descărcare completă. Așteptați... +KeeFox_Install_IC2KRPCdownloaded.description= Aproape gata ... +KeeFox_Install_IC3installing.description= Nearly finished... You may be prompted to run an executable called KeePassRPCCopier.exe which will perform the final installation step automatically. +KeeFox_Install_IC5zipKPdownloading.description= Fișierele necesare pentru configurarea KeeFox sunt descărcate... +KeeFox_Install_IC5zipKPdownloaded.description= Descărcare completă. Așteptați... +KeeFox_Install_IC5installing.description= Aproape gata ... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Try these steps to start using KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Click here to try the getting started tutorial. +KeeFox_Install_NextStep3.description= Click here to find out how to import your existing passwords from Firefox or other password managers. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Închideți KeeFox înainte de a continua! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= KeeFox can run on Mac and Linux systems, but requires manual installation by following these steps: +KeeFox_Install_monoManualStep1.description= 1) Download and install Mono from the website below. Linux users can usually install the latest version of Mono from your distribution's package repository but please ensure you install the complete Mono package (some distributions seperate Mono into multiple sub-packages). +KeeFox_Install_monoManualStep2.description= 2) Download KeePass Password Safe 2.19 (or higher) Portable (ZIP Package) from the website below or try your distribution's package manager (make sure you get a new enough version though!) +KeeFox_Install_monoManualStep3.description= 3) Unzip KeePass to ~/KeePass (this default can be customised) where ~ represents your home directory +KeeFox_Install_monoManualStep4.description= 4) Copy the KeePassRPC.plgx file to a subdirectory called plugins in the directory that contains your KeePass installation (e.g. ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Reporniți Firefox +KeeFox_Install_monoManualStep6.description= The KeePassRPC.plgx file you need to manually copy is at: + +KeeFox_Install_monoManual2.description= Customisation instructions: +KeeFox_Install_monoManualTest1.description= 1) It is assumed KeePass is installed to: +KeeFox_Install_monoManualTest2.description= 2) It is assumed Mono is installed to: +KeeFox_Install_monoManualTest3.description= To override these defaults, under KeeFox->Options->KeePass, change 'KeePass installation location' and 'Mono executable location' + +KeeFox_Install_monoManualUpgrade.description= Pentru a actualiza KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Reporniți Firefox + + +KeeFox-Options.title= Opțiuni KeeFox +KeeFox-pref-FillForm.desc= Completați formularul +KeeFox-pref-FillAndSubmitForm.desc= Completați și trimiteți formularul +KeeFox-pref-DoNothing.desc= Nu face nimic +KeeFox-pref-FillPrompt.desc= Fill in the login prompt +KeeFox-pref-FillAndSubmitPrompt.desc= Fill in and submit the login prompt +KeeFox-pref-KeeFoxShould.desc= KeeFox should +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= When I choose a matched password, KeeFox should +KeeFox-pref-when-keefox-chooses.desc= When KeeFox chooses a matching login for +KeeFox-pref-a-standard-form.desc= A standard form +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Finding entries +KeeFox-pref-Notifications.heading= Notificări +KeeFox-pref-Logging.heading= Logging +KeeFox-pref-Advanced.heading= Avansat +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= These are the most important options that govern the behaviour of KeeFox +KeeFox-pref-Notifications.description= Change these options to alter how KeeFox attracts your attention +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= These options affect the behaviour of KeePass +KeeFox-pref-FindingEntries.tooltip= How KeeFox behaves when KeePass entries are found +KeeFox-pref-Notifications.tooltip= Opțiuni notificare +KeeFox-pref-Advanced.tooltip= Opțiuni avansate +KeeFox-pref-KeePass.tooltip= Opțiuni KeePass +KeeFox-pref-autoFillForms.label= Fill in forms automatically when a matching password is found +KeeFox-pref-autoSubmitForms.label= Submit forms automatically when a matching password is found +KeeFox-pref-autoFillDialogs.label= Fill in authentication dialogs automatically when a matching password is found +KeeFox-pref-autoSubmitDialogs.label= Submit authentication dialogs automatically when a matching password is found +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Submit forms when you choose a matching password +KeeFox-pref-loggingLevel.label= Logging level +KeeFox-pref-notifyBarRequestPasswordSave.label= Offer to save passwords +KeeFox-pref-excludedSaveSites.desc= These sites will never prompt you to save a new password +KeeFox-pref-excludedSaveSites.remove= Remove +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Display a notification bar when KeePass needs to be opened +KeeFox-pref-notifyBarWhenLoggedOut.label= Display a notification bar when you need to log in to a KeePass database +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Select where you would like KeeFox to record a log of its activity. +KeeFox-pref-logMethodAlert= Alert popups (not recommended) +KeeFox-pref-logMethodConsole= Consolă Javascript +KeeFox-pref-logMethodStdOut= System standard output +KeeFox-pref-logMethodFile= File (located in a 'keefox' folder inside your Firefox profile) +KeeFox-pref-logLevel.desc= Choose how verbose you want the log to be. Each higher log level produces more output. +KeeFox-pref-dynamicFormScanning.label= Monitor each web page for new forms +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Communicate with KeePass using this TCP/IP port +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Save website logo/icon (favicon) +KeeFox-pref-keePassDBToOpen.label= When opening or logging in to KeePass, use this database file +KeeFox-pref-rememberMRUDB.label= Remember the most recently used KeePass database +KeeFox-pref-keePassRPCInstalledLocation.label= KeePassRPC plugin installation location +KeeFox-pref-keePassInstalledLocation.label= KeePass installation location +KeeFox-pref-monoLocation.label= Mono executable location (e.g. /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Remember above settings (e.g. when using KeePass Portable) +KeeFox-pref-keePassLocation.label= Use this location +KeeFox-browse.label= Caută +KeeFox-FAMS-Options.label= Message/tip notification options +KeeFox-pref-searchAllOpenDBs.label= Search all open KeePass databases +KeeFox-pref-listAllOpenDBs.label= List logins from all open KeePass databases +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Read more about the anonymous data KeeFox collects +KeeFox-pref-metrics-label=Send anonymous usage statistics +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=site-specific settings +KeeFox-pref-site-options-savepass.desc=Disable "save password" notifications in +KeeFox-site-options-default-intro.desc=Settings for all sites. Add individual site addresses to override. +KeeFox-site-options-intro.desc=Settings for all sites whose address starts with +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Form name +KeeFox-form-id=Form ID +KeeFox-text-field-name=Text field name +KeeFox-text-field-id=Text field ID +KeeFox-white-list=Lista albă +KeeFox-black-list=Lista neagră +KeeFox-site-options-title=KeeFox Site options +KeeFox-add-site=Add site +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Save site settings +KeeFox-site-options-siteEnabledExplanation.desc=Select the checkboxes on the left to enable a setting + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Low +KeeFox-conn-sl-medium=Medium +KeeFox-conn-sl-high=High +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Please type in a new password when prompted. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Back +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Search... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/tr/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/tr/FAMS.keefox.properties new file mode 100644 index 0000000..71743ad --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/tr/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= İpuçları +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=KeeFox ipucu +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=You can force certain entries to have a higher priority than others. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=You can have more than one KeePass database open at the same time. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=KeeFox özelliklerini kullanmayı hızladırabilecek klavye kısayolları. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=İçerik (sağ fare tuşu) menüsünde bulunan KeeFox özellikleri. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Güvenlik notları +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox güvenlik uyarısı +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Önemli mesajlar +messages-description=Az ama önemli olan, KeeFox kullanıcına yararlı olabilecek bilgiler +messages-help-keefox=KeeFox için yardım +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox, istatistik ve sorun düzeltme amacıyla bilgiler toplar. Hangi bilgilerin toplanıldığını veya değişiklik yapma yollarını okuyabilirsiniz. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/tr/keefox.properties b/Firefox addon/KeeFox/chrome/locale/tr/keefox.properties new file mode 100644 index 0000000..132c770 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/tr/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= Oturum açık +loggedOut.label= Oturum kapalı +launchKeePass.label= KeePass Çalıştır +loginToKeePass.label= KeePass ile oturum aç +loggedIn.tip= Parola veritabanı '%S' ile oturum açıldı. +loggedInMultiple.tip=%S parola veritabanı ile oturum açıldı. Parola veritabanı '%S' etkin. +loggedOut.tip= Parola veritabanı ile oturum kapandı (kilitli olabilir) +launchKeePass.tip= KeeFox kullanabilmek için KeePass açık ve oturum açılmış olmalıdır. Bunu yapmak için tıklayın. +installKeeFox.label= KeeFox yükle +installKeeFox.tip= KeeFox, çalışabilmek için bazı ilave şeyler yüklemeli. Bunu yapmak için tıklayın. +noUsername.partial-tip= kullanıcı adı +loginsButtonGroup.tip= Bu klasor içindeki oturumları araştır. +loginsButtonLogin.tip= %S üzerinde %S kullanıcı adı ile oturum aç. Daha fazla seçenek için sağ tıklayın. +loginsButtonEmpty.label= Boş +loginsButtonEmpty.tip= Bu klasör içinde herhangi bir oturum yok. +matchedLogin.label= %S - %S +matchedLogin.tip= %S , %S grubundan (%S) +notifyBarLaunchKeePassButton.label= Parola veritabanımı yükle (KeePass çalıştır) +notifyBarLaunchKeePassButton.key= L +notifyBarLaunchKeePassButton.tip= KeeFox kullanabilmek için KeePass çalıştırın +notifyBarLoginToKeePassButton.label= Parola veritabanımı yükle (KeePass çalıştır) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= KeeFox kullanabilmek için KeePass veritabanı ile oturum açın +notifyBarLaunchKeePass.label= Parola veritabanı ile oturum açmadınız. +notifyBarLoginToKeePass.label= Parola veritabanı ile oturum açmadınız. +rememberPassword= Parolayı KeeFox kullanarak kaydet. +savePasswordText= KeeFox bu parolayı kaydetsin mi? +saveMultiPagePasswordText= KeeFox bu çok sayfalı parolayı kaydetsin mi? +notifyBarRememberButton.label= Kaydet +notifyBarRememberButton.key= K +notifyBarRememberAdvancedButton.label= Gruba kaydet +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= Bu site için asla önerme +notifyBarNeverForSiteButton.key= a +notifyBarNotNowButton.label= Şimdi Değil +notifyBarNotNowButton.key= D + +notifyBarRememberAdvancedDBButton.label='%S' veritabanı içindeki bir gruba kaydet +notifyBarRememberDBButton.label='%S' veritabanı içine kaydet + +notifyBarRememberButton.tooltip='%S' veritabanı içine kaydet. Farklı veritabanına kaydetmek için küçük üçgene tıklayın. +notifyBarRememberAdvancedButton.tooltip='%S' veritabanı içindeki bir gruba kaydet. Farklı veritabanına kaydetmek için küçük üçgene tıklayın. +notifyBarRememberDBButton.tooltip=Bu parolayı belirtilen veritabanına kaydet +notifyBarRememberAdvancedDBButton.tooltip=Bu parolayı belirtilen veritabanındaki bir gruba kaydet + +passwordChangeText= %S için kayıtlı olan parolayı değiştirmek ister misiniz? +passwordChangeTextNoUser= Bu oturum için kayıtlı olan parolayı değiştirmek ister misiniz? +notifyBarChangeButton.label= Değiştir +notifyBarChangeButton.key= D +notifyBarDontChangeButton.label= Değiştirme +notifyBarDontChangeButton.key= e +changeDBButton.label= Veritabanını Değiştir +changeDBButton.tip= Farklı bir KeePass veritabanına geç +changeDBButtonDisabled.label= Veritabanını Değiştir +changeDBButtonDisabled.tip= Bu özelliği kullabilmek için KeePass açık olmalı +changeDBButtonEmpty.label= Veritabanı yok +changeDBButtonEmpty.tip= Son kullanılan KeePass veritabanı listesi boş. KeePass ile tercih ettiğiniz veritabanını açın. +changeDBButtonListItem.tip= %S veritabanına geç +autoFillWith.label= Otomatik doldur: +httpAuth.default= Parola veritabanı ile oturum kapandı (kilitli olabilir) +httpAuth.loadingPasswords= Parolalar yükleniyor +httpAuth.noMatches= Herhangi bir eşleşme bulunamadı +install.somethingsWrong= Bir şeyler ters gitti +install.KPRPCNotInstalled= Maalesef ki KeeFox çalışması için gerekli "KeePass Password Safe 2 için KeePassRPC" eklentisini otomatik olarak yükleyemiyor. Bu durum genelde dosya eklemeye izninizin olmadığı bir yere yüklemeye yapmaya çalışıldığında olur. Firefox'u yeniden başlatıp yüklemeyi tekrar deneyebilir veya sistem yöneticinizden yardım isteyebilirsiniz. +generatePassword.launch= Lütfen önce KeePass çalıştırın. +generatePassword.copied= Panoya yeni bir şifre kopyalandı. +loading= Yükleniyor +selectKeePassLocation= KeeFox'a KeePass'i nerede bulacağını söyleyin +selectMonoLocation= KeeFox'a Mono'yu nerede bulacağını söyleyin +selectDefaultKDBXLocation= Varsayılan parola veritabanını seçin +KeeFox-FAMS-Options.title= KeeFox için mesaj indirme ve görüntüleme özellikleri +KeeFox-FAMS-Reset-Configuration.label= Ayarları sıfırla +KeeFox-FAMS-Reset-Configuration.confirm= Ayarlar, %S ile yüklendiğindeki duruma sıfırlanacak. Bu sadece %S için mesaj indirme ve görüntüleme özelliklerini etkiler; diğer ayarlar değiştirilmez. Ayarları sıfırlamak için Tamam'a tıklayın. +KeeFox-FAMS-Options-Download-Freq.label= Mesal indirme sıklığı (saat) +KeeFox-FAMS-Options-Download-Freq.desc= %S, düzenli olarak internete bağlanıp güvenlik uyarılarını kontrol edecektir. Herhangi bir güvenlik sorunundan bir an önce haberdar olmanız için kontrol sıklığını düşük tutmanız önerilir. Değişiklikler, Firefox yeniden başlatılana kadar etkisini göstermez. +KeeFox-FAMS-Options-Show-Message-Group= %S %S göster +KeeFox-FAMS-Options-Max-Message-Group-Freq= Mesaj gösterme sıklığı (gün) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S, düzenli olarak bu mesaj grubundan herhangi bir mesaj olup olmadığını denetleyecek. Bu ayar, KeeFox'un göstermek istediği mesajları ne sıklıkla gösterebileceğini belirler. +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= Daha fazlasını öğren +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= D +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= Siteye git +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= S +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= Bağışta bulunun +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= B +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= KeeFox'u değerlendirin +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= K +KeeFox-FAMS-NotifyBar-Options-Button.label= Mesaj ayarlarını değiştir +KeeFox-FAMS-NotifyBar-Options-Button.key= M +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= Mesajı bir daha gösterme +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= G +notifyBarLogSensitiveData.label= UYARI: KeeFox parolalarınızı günlüğe kaydediyor! Eğer bunu ayarlardan kasten seçmediyseniz bir an önce etkisizleştirmelisiniz. + + +KeeFox_Main-Button.loading.label= KeeFox yükleniyor... +KeeFox_Main-Button.loading.tip= KeeFox yüklenirken bazı açılış kontrolleri yapıyor. Fazla sürmeyecektir... +KeeFox_Menu-Button.tip= KeeFox menüsünü görmek için Tıklayın +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= Veritabanını değiştir +KeeFox_Menu-Button.changeDB.tip= Farklı bir KeePass parola veritabanı seç +KeeFox_Menu-Button.changeDB.key= F +KeeFox_Menu-Button.fillCurrentDocument.label= Formları bul +KeeFox_Menu-Button.fillCurrentDocument.tip= KeeFox'u formları tekrardan bulmaya zorlar. Çok nadir durumlarda gereklidir. +KeeFox_Menu-Button.fillCurrentDocument.key= F +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= Yeni bir parola oluştur +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= Kullanılan son parola üretici profilini temel alan bir parolayı KeePass üzerinden alır ve panoya kopyalar. +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= Ayarlar +KeeFox_Menu-Button.options.tip= KeeFox'un ayarlarını inceleyip tercihinize göre değiştirebilirsiniz. +KeeFox_Menu-Button.options.key= A +KeeFox_Logins-Button.tip= Oturumlarınızı gözden geçirip web sitelerinde hızlıca oturum açın. +KeeFox_Logins-Button.label= Oturumlar +KeeFox_Logins-Button.key= O +KeeFox_Logins-Context-Edit-Login.label= Oturumu düzenle +KeeFox_Logins-Context-Delete-Login.label= Oturumu sil +KeeFox_Logins-Context-Delete-Group.label= Grubu sil +KeeFox_Logins-Context-Edit-Group.label= Grubu düzenle +KeeFox_Remember-Advanced-Popup-Group.label= Bir gruba kaydet... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= Çok sayfalı bir giriş formunun parçasıdır +KeeFox_Menu-Button.Help.tip= KeeFox yardımı. +KeeFox_Menu-Button.Help.label= Yardım +KeeFox_Menu-Button.Help.key= Y +KeeFox_Help-GettingStarted-Button.tip= Başlarken eğitimini çevrimiçi ziyaret edin. +KeeFox_Help-GettingStarted-Button.label= Başlarken +KeeFox_Help-GettingStarted-Button.key= B +KeeFox_Help-Centre-Button.tip= Çevrimiçi yardım merkezini ziyaret edin. +KeeFox_Help-Centre-Button.label= Yardım Merkezi +KeeFox_Help-Centre-Button.key= M +KeeFox_Tools-Menu.options.label= KeeFox ayarları +KeeFox_Dialog-SelectAGroup.title= Bir Grup Seçin +KeeFox_Dialog_OK_Button.label= Tamam +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= İptal +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= KeeFox' Kur +KeeFox_Install_Upgrade_KeeFox.label= KeeFox'u Güncelle +KeeFox_Install_Downgrade_Warning.label= Uyarı: Yüklü olan KeeFox (%S) versiyonu, KeePassRPC eklentisi (%S) versiyonundan eski. "KeeFox Güncelle" seçeneği KeePassRPC eklentisini kullanan diğer uygulamalar ile uyumluluğu bozabilir. +KeeFox_Install_Process_Running_In_Other_Tab.label= KeeFox kurulumu, başka bir tarayıcı sekmesinde zaten çalışıyor. Eğer ilgili sekmeyi bulabilirseniz bu sekmeyi kapatıp diğer sekmenin yönergelerini uygulayın. Eğer mevcut sekmeyi bulamıyorsanız yükleme işlemini alttaki düğmeye tıklayarak yeniden başlatabilirsiniz. Bu da işe yaramazsa Firefox'u baştan başlatmanız gerekebilir. +KeeFox_Install_Not_Required.label= KeeFox zaten yüklenilmiş gibi görülüyor. Eğer KeePass veritabanın KeeFox tarafından bulunmasında sorun yaşıyorsanız, güvenlik yazılımları (güvenlik duvarı, casus yazılım tarayıcı gibi) kimi zaman KeeFox ile uyuşmazlığa neden oluğundan, lütfen mevcut güvenlik yazılımlarınızı dikkatlice (ve geçici olarak!) devre dışı bırakın. +KeeFox_Install_Not_Required_Link.label= Daha fazla yardım için lütfen KeeFox web sitesini ziyaret edin +KeeFox_Install_Unexpected_Error.label= KeeFox yüklemesi sırasında beklenmedik bir hata oluştu. +KeeFox_Install_Download_Failed.label= Gerekli bir parçanın indirilmesi başarısız oldu. +KeeFox_Install_Download_Canceled.label= Gerekli bir parçanın indirilmesi iptal edildi. +KeeFox_Install_Download_Checksum_Failed.label= İndirilen parça bozuk. Tekrar indirmeyi deneyin ve bu mesajı almaya devam ederseniz http://keefox.org/help/forum adresindeki destek forumundan yardım isteyebilirsiniz. +KeeFox_Install_Try_Again_Button.label= Tekrar deneyin +KeeFox_Install_Cancel_Button.label= İptal + +KeeFox_Install_adminNETInstallExpander.description= KeeFox, iki bileşen daha yüklemeli - başlamak için üstteki büğmeye tıklayın. +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= Detaylı bilgi ve gelişmiş yükleme ayarları +KeeFox_Install_adminSetupKPInstallExpander.description= KeeFox, parolalarınızı güvenli şekilde saklamak için "KeePass Password Safe 2" yüklemeli. Standart ayarlar ile hızlıca yüklemek için yukarıdaki düğmeye tıklayın. Eğer "KeePass Password Safe 2" zaten yüklüyse, taşınabilir sürümünü kullanmak istiyorsanız veya yükleme işlemini kontrol etmek istiyorsanız aşağıdaki düğmeye tıklayın. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= Detaylı bilgi ve gelişmiş yükleme ayarları +KeeFox_Install_nonAdminNETInstallExpander.description= KeeFox, iki bileşen daha yüklemeli - başlamak için üstteki büğmeye tıklayın. Eğer bu bilgisayar için yöneti parolanız bulunmuyorsa sistem yöneticinizden yardım isteyiniz. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= Detaylı bilgi ve gelişmiş yükleme ayarları +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox, parolalarınızı güvenli şekilde saklamak için "KeePass Password Safe 2" yüklemeli. Yapılacak yüklemenin yerini belirtebilir yada varsa mevcut bir yüklemenin (otomatik olarak bulunamadıysa) yerini gösterebilirsiniz. DİKKAT: KeeFox, yöneti haklarınızın olmadığı durumlarda yüklemeyi yapamayabilir. Bu durumda elle yükleme yapmak için çevrimiçi yardım kaynaklarına başvurabilir yada sistem yöneticinizden yardım isteyebilirsiniz. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= Detaylı bilgi ve gelişmiş yükleme ayarları +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox, parolalarınızı güvenli şekilde saklamak için "KeePass Password Safe 2" ile beraber çalışır. "KeePass Password Safe 2" ve Firefox bilgisayarınızda zaten yüklü olsa da KeeFox ile doğru şekilde bağlanabilmesi için bu bilgisayarın yönetici parolalasına gerek duyulabilir. Eğer bu yetkiye sahip değilseniz, başka bir seçenek için aşağıya tıklayın. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= Detaylı bilgi ve gelişmiş yükleme ayarları + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= Keefox, "Microsoft .NET framework" ve "KeePass Password Safe 2" yükleyecek. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeeFox, parolalarınızı güvenli şekilde saklamak için "KeePass Password Safe 2" programını kullanır. Bu programın yükleneceği yeri, lisanını seçmek veya diğer gelişmiş seçenekleri seçmek istiyorsanız lütfen öncelikle Microsoft'un sitesinde .NET yükleyicisini indirip çalıştırın ve Firefox'u yeniden başlatın. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Bunun yerine yüklemeleri şu adımları takip ederek kendi başınıza da yapabilirsiniz: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) .NET framework, Microsoft'tan indirilir ve yüklenir +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) KeePass Password Safe 2, http://keepass.info sitesinden ZIP ve kurulum şeklinde indirilir ve yüklenir. +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Son adımı tamamlamak için isterseniz Firefox'u yeniden başlatıp tekrardan bu yükleme sayfasına dönebilir, +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) veya Firefox eklentileri klasöründen (deps altklasöründeki) KeePassRPC.plgx dosyasını KeePass Password Safe 2 eklentileri (plugins) klasörüne kendiniz kopyalayabilirsiniz. +KeeFox_Install_adminSetupKPInstallExpandee.description= KeePass Password Safe 2 yüklemesinin yerini, lisanını ve diğer gelişmiş ayalarını seçmek için alttaki düğmeye tıklayın. +KeeFox_Install_KPsetupExeInstallButton.label= KeePass, tüm kullanıcıların, tamamen kontrol edebileceği şekilde yüklensin +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= Eğer taşınabilir bir KeePass yüklemesi yapmak istiyorsanız yükleneceği yeri (USB hafıza gibi) aşağıdan seçebilirsiniz. "KeePass Password Safe 2" zaten yüklü ise KeeFox'un bulabilmesi için lütfen aşağıya yüklü olduğu yeri belirtiniz. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= KeePass Password Safe 2 için yükleme yerini seçin +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox ile "KeePass Password Safe 2" arasında bağlantıyı oluşturmak için yukarıdaki düğmeye basın. (Bu sayede "KeePass Password Safe 2" için KeePassRPC eklentisi yüklenir.) +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= Eğer bu bilgisayarın yönetici parolasını biliyorsanız, KeePass yüklemesini tüm kullanıcılar için yapabilirsiniz. Yükleneceği yeri, lisanını seçmek veya diğer gelişmiş seçenekler için aşağıdaki düğmeye basın. +KeeFox_Install_KPsetupExeSilentInstallButton.label= KeeFox'u tüm kullanılar için yükle +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= KeePass Password Safe 2 bir taşınabilir / USB sürücüye (veya bilgisayarınızdaki ikinci konuma) yüklenebilir. Sadece aşağıdaki düğmeye tıklayın; ama daha sonra bilgisayarda iki farklı yükleme olduğundan karışıklık olabileceğini unutmayın. Eğer mümkünse KeeFox yüklemenizi, aşağıdaki düğmeye tıklayıp, gerektiğinde yönetici parolasını girerek yüklemelisiniz. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= KeePass/KeePassRPC, farklı bir yere yüklensin + +KeeFox_Install_IC1setupNETdownloading.description= KeeFox kurulumu için gerekli dosyalar indiriliyor... +KeeFox_Install_IC1setupNETdownloaded.description= İndirme tamamlandı. Birazdan .NET framework yükleyicisi çalışacak, lütfen yönergelerini takıp edin... +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 indiriliyor... +KeeFox_Install_IC1setupKPdownloaded.description= İndirme tamamlandı. Şimdi yükleyici çalışacak, lütfen yönergelerini takıp edin... +KeeFox_Install_IC1KRPCdownloaded.description= Neredeyse bitti... +KeeFox_Install_IC2setupKPdownloading.description= KeeFox kurulumu için gerekli dosyalar indiriliyor... +KeeFox_Install_IC2setupKPdownloaded.description= Yükleme tamamlandı. Lütfen bekleyin... +KeeFox_Install_IC2KRPCdownloaded.description= Neredeyse bitti... +KeeFox_Install_IC3installing.description= Neredeyse bitti... Yüklemenin son adımını otomatik tamamlamak için KeePassRPCCopier.exe adında bir dosyanın çalışması sizden talep edilebilir. +KeeFox_Install_IC5zipKPdownloading.description= KeeFox kurulumu için gerekli dosyalar indiriliyor... +KeeFox_Install_IC5zipKPdownloaded.description= İndirme tamamladı. Lütfen bekleyin... +KeeFox_Install_IC5installing.description= Neredeyse bitti... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= KeeFox kullanımına başlamak için şu adımları izleyin: +KeeFox_Install_NextStep1.description= Yeni bir parola veritabanı oluşturmak veya zaten kullandığını veritabanını açmak için "KeePass başlangıç yardımcısı" ile verilen yönergeleri takip edin. +KeeFox_Install_NextStep2.description= "Başlarken" eğitimi için buraya tıklayın. +KeeFox_Install_NextStep3.description= Firefox veya diğer parola yöneticilerindeki mevcut parolaların nasıl aktarılacağını görmek için buraya tıklayın. +KeeFox_Install_Finally.description= Son olarak, KeeFox kullanırken karşılaştığınız her türlü sorunu düzeltmek için yardım kaynaklarımıza şuradan erişebilirsiniz: +KeeFox_Install_PleaseCloseKeePass.description= Devam etmeden önce lütfen KeePass'ı kapatın! +KeeFox_Install_Already_Installed_Warning.description= Bilgisayarınızda KeePass tespit edildi. KeeFox yüklemesi sorunsuz olması için devam etmeden önce lütfen programın çalışmadığına emin olun. + +KeeFox_Install_monoManual.description= KeeFox, Mac ve Linux sistemlerinde de çalışabilir, fakat bunun için şu adımların izlenilmesi gereklidir: +KeeFox_Install_monoManualStep1.description= 1) Mono, aşağıdaki adreslerden indirilir ve yüklenir. Linux kullanıcıları dağıtımın depo kaynaklarında da yükleyebilir fakat bazı dağıtımların Mono'yu küçük alt paketlere böldüğünden, yüklemenin tüm Mono paketlerini içerdiğine emin olun. +KeeFox_Install_monoManualStep2.description= Taşınabilir (ZIP Paketi) KeePass Password Safe 2.19 (veya üstü) aşağıdaki adreslerden indirilir veya dağıtımın paket yöneticisi ile (versiyonun yeterli olmasına dikkat edin) yüklenir. +KeeFox_Install_monoManualStep3.description= 3) KeePass paketi, ~/KeePass klasörüne (veya istediğiniz bir yere) açılır. (~ burada ev klasörünü temsil etmektedir.) +KeeFox_Install_monoManualStep4.description= 4) KeePassRPC.plgx dosyası, KeePass yüklemesinin klasöründeki plugins alt klasörüne kopyalanır (~/KeePass/plugins gibi) +KeeFox_Install_monoManualStep5.description= 5) Firefox yeniden başlatılır. +KeeFox_Install_monoManualStep6.description= Kopyalamanız gereken KeePassRPC.plgx dosyasını şurada bulabilirsiniz: + +KeeFox_Install_monoManual2.description= Özelleştirme yönergeleri: +KeeFox_Install_monoManualTest1.description= 1) KeePass yüklemesinin yeri şurası kabul edilmiştir: +KeeFox_Install_monoManualTest2.description= 2) Mono yüklemesinin yeri şurası kabul edilmiştir: +KeeFox_Install_monoManualTest3.description= Bu varsayılanları değiştirmek için, KeeFox -> Seçenekler -> KeePass üzerindeki "KeePass yüklemesinin yeri" ve "Mono yürütmesinin yeri" + +KeeFox_Install_monoManualUpgrade.description= KeeFox güncellemek için: +KeeFox_Install_monoManualUpgradeStep1.description= 1) KeePassRPC.plgx dosyası, KeePass yüklemesinin klasöründeki plugins alt klasörüne kopyalanır (~/KeePass/plugins gibi) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Firefox yeniden başlatılır. + + +KeeFox-Options.title= KeeFox Ayarları +KeeFox-pref-FillForm.desc= Formu doldur +KeeFox-pref-FillAndSubmitForm.desc= Formu doldur ve gönder +KeeFox-pref-DoNothing.desc= Hiçbir şey yapma +KeeFox-pref-FillPrompt.desc= Oturum bilgilerini doldur +KeeFox-pref-FillAndSubmitPrompt.desc= Oturum bilgilerini doldur ve gönder +KeeFox-pref-KeeFoxShould.desc= KeeFox, +KeeFox-pref-FillNote.desc= Not: Bu davranışı KeePass üzerinden "girdi düzenle" aracılığı ile farklı girdiler için değiştirebilirsiniz. +KeeFox-pref-when-user-chooses.desc= Uyan bir parolayı seçtiğime KeeFox, +KeeFox-pref-when-keefox-chooses.desc= Uyan bir parolayı KeeFox seçtiğinde, +KeeFox-pref-a-standard-form.desc= Standart bir form +KeeFox-pref-a-prompt.desc= Bir HTTPAuth, NTLM veya proxy girdisi +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Birden fazla eşleşmenin olduğu formlar otomatik doldurulup gönderilsin. +KeeFox-pref-FindingEntries.heading= Girdiler aranıyor +KeeFox-pref-Notifications.heading= Uyarılar +KeeFox-pref-Logging.heading= Oturum açılıyor +KeeFox-pref-Advanced.heading= Gelişmiş +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= Bu seçenekler, KeeFox'un davranışını belirleyenlerin en önemlileridir. +KeeFox-pref-Notifications.description= KeeFox'un ilginizi çekmek için kullanacağı yöntemleri değiştirir +KeeFox-pref-Advanced.description= Bu seçenekler ile bir sorunun kaynağını takip edebilir veya gelişmiş ayarlamalar yapabilirsiniz fakat çoğu kullanıcı bunları görmezden gelebilir. +KeeFox-pref-KeePass.description= Bu seçenekler KeePass davranışlarını belirler +KeeFox-pref-FindingEntries.tooltip= KeeFox, uyan bir KeePass girdisi bulduğunda nasıl davransın +KeeFox-pref-Notifications.tooltip= Uyarı seçenekleri +KeeFox-pref-Advanced.tooltip= Gelişmiş seçenekler +KeeFox-pref-KeePass.tooltip= KeePass ayarları +KeeFox-pref-autoFillForms.label= Uyan bir parola bulunursa formları otomatik doldur +KeeFox-pref-autoSubmitForms.label= Uyan bir parola bulunursa formları otomatik doldurup gönder +KeeFox-pref-autoFillDialogs.label= Uyan bir parola bulunursa doğrulama iletilerini otomatik doldur +KeeFox-pref-autoSubmitDialogs.label= Uyan bir parola bulunursa doğrulama iletilerini otomatik doldurup gönder +KeeFox-pref-overWriteFieldsAutomatically.label= Doğrulama iletilerinin ve boş olmayan formların içeriğinin üzerine yaz +KeeFox-pref-autoSubmitMatchedForms.label= Uyan bir parolayı seçersem formları doldurup gönder +KeeFox-pref-loggingLevel.label= Günlük seviyesi +KeeFox-pref-notifyBarRequestPasswordSave.label= Parolaları kaydetmeyi öner +KeeFox-pref-excludedSaveSites.desc= Bu siteler için, yeni parolaları kaydetmek istediğiniz sorulmaz +KeeFox-pref-excludedSaveSites.remove= Kaldır +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= KeePass açık değilse uyarı çubuğunda göster +KeeFox-pref-notifyBarWhenLoggedOut.label= Açık bir KeePass veritabanı yoksa uyarı çubuğunda göster +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= KeeFox'un işlem kayıtlarını nereye kaydetmesini istediğinizi seçin. +KeeFox-pref-logMethodAlert= Açılır pencere uyarıları (önerilmez) +KeeFox-pref-logMethodConsole= Javascript konsolu +KeeFox-pref-logMethodStdOut= Standart sistem çıktısı +KeeFox-pref-logMethodFile= Dosya (Firefox profil klasörünün içindeki "keefox" klasöründe) +KeeFox-pref-logLevel.desc= İşlem kayıtlarının ne kadar detaylı olacağını seçin. Seviye yükseldikçe daha fazla detay kaydedilir. +KeeFox-pref-dynamicFormScanning.label= Yeni formlar için için her web sayfasını gözetle +KeeFox-pref-dynamicFormScanningExplanation.label= Not: Bu seçenek ile daha fazla işlem gücü karşılığında KeeFox'un daha fazla formu tanımasını sağlayabilirsiniz. +KeeFox-pref-keePassRPCPort.label= KeePass ile iletişim kurmak için bu TCP/IP portunu kullan +KeeFox-pref-keePassRPCPortWarning.label= Not: Bu ayarları KeePass.config üzerinden değiştirin yoksa KeeFox düzenli bir şekilde KeePass ile iletişim kuramayabilir. +KeeFox-pref-saveFavicons.label= Sitenin logosunu/ikonunu (favicon) kaydet +KeeFox-pref-keePassDBToOpen.label= KeePass açırken şu veritabanını kullan +KeeFox-pref-rememberMRUDB.label= Son kullanılan KeePass veritabanlarını hatırla +KeeFox-pref-keePassRPCInstalledLocation.label= KeePassRPC eklentisinin yükleme yeri +KeeFox-pref-keePassInstalledLocation.label= KeePass yüklemesinin yeri +KeeFox-pref-monoLocation.label= Mono yürütmesinin yeri (/usr/bin/mono gibi) +KeeFox-pref-keePassRememberInstalledLocation.label= Yukarıdaki seçenekleri hatırla (mesela taşınabilir KeePass kullanıyorsanız) +KeeFox-pref-keePassLocation.label= Burayı kullan +KeeFox-browse.label= Araştır +KeeFox-FAMS-Options.label= Mesaj/ipucu uyarıları seçenekleri +KeeFox-pref-searchAllOpenDBs.label= Tüm açık KeePass veritabanlarında ara +KeeFox-pref-listAllOpenDBs.label= Açık tüm KeePass veritabanlarındaki oturumları listele +KeeFox-pref-metrics-desc=KeeFox, istatistik ve sorun düzeltme amacıyla bilgiler toplar. Kişisel herhangi bir veri toplanılmaz. +KeeFox-pref-metrics-link=Hangi bilgilerin toplanıldığını veya değişiklik yapma yollarını okuyabilirsiniz. +KeeFox-pref-metrics-label=Anonim kullanıcı istatistikleri gönder +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox, parola alanı içeren tüm formlar için otorum detaylarını bulmaya çalışır. Daha fazla ayar için: +KeeFox-pref-site-options-find.link=siteye özel ayarlar +KeeFox-pref-site-options-savepass.desc="parolayı kaydet" uyarılarını devre dışı bırak: +KeeFox-site-options-default-intro.desc=Tüm siteler için ayarlar. Farklı siteler için özel ayarlar belirleyebilirsiniz. +KeeFox-site-options-intro.desc=Başlancıgı şu olan siteler için özel ayarlar: +KeeFox-site-options-valid-form-intro.desc=KeeFox, parola alanı (kutusu) içeren tüm formları uygun KeePass girdileri ile doldurmayı dener. Bu davranışı aşağıdan ayarlayabilirsiniz. +KeeFox-site-options-list-explain.desc=Eğer beyaz liste ile uyumlu bir form olursa KeeFox mutlaka doldurmayı dener; kara liste ile uyumlu form olursa da formu asla doldurmaz. Eğer iki liste ile de uyumlu bir form çıkarsa bu durumda KeeFox doldurmamayı dener. +KeeFox-site-options-invisible-tip.desc=Dikkat: ID ve isimler sayfada görülüğü ile aynı olmaya bilir (sayfanın kaynak kodunda ayarlanır) +KeeFox-form-name=Form adı +KeeFox-form-id=Form ID +KeeFox-text-field-name=Metin kutusu adı +KeeFox-text-field-id=Metin kutusu ID +KeeFox-white-list=Beyaz liste +KeeFox-black-list=Kara Liste +KeeFox-site-options-title=KeeFox site ayarları +KeeFox-add-site=Site ekle +KeeFox-remove-site=Siteyi Kaldır +KeeFox-save-site-settings=Site seçeneklerini kaydet +KeeFox-site-options-siteEnabledExplanation.desc=Soldaki onay kutularını seçerek ayarları etkinleştirebilirsiniz + +KeeFox-auto-type-here.label=Buraya otomatik gir +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Eşleşen oturum girdileri +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Yeni parolayı profilden oluştur +KeeFox_Menu-Button.generatePasswordFromProfile.tip= KeePass parola üreticisini kullanarak yeni bir parola üretir ve panoya kopyalar. + +KeeFox-conn-client-v-high=KeeFox versiyonunu %S olarak düşürmeli yada uygun yeni versiyondaki KeePassRPC eklentisini yüklemelisiniz. Şimdi eklentiyi uyumlu hale getirmek gerekli işlemler yapılacak. +KeeFox-conn-client-v-low=KeeFox versiyonunu %S olarak yükseltmeli yada uygun eski versiyondaki KeePassRPC eklentisini yüklemelisiniz. Şimdi eklentiyi uyumlu hale getirmek gerekli işlemler yapılacak. + + +KeeFox-conn-unknown-protocol=KeeFox, geçersiz bir protokol ile karşılaştı. +KeeFox-conn-invalid-message=KeeFox, parola veritabanına geçersiz bir komut gönderdi. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox, KeePass ile bağlantı kuramıyor. Güvenlik duvarınız TCP 12546 portunu engelliyor olabilir. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox için ayarlanan güvenlik seviyesi, parola sunucunun kabul edebileceğinden daha düşük ayarlanmış. %S güvenlik seviyesini kullanmak için doğrulama işlemini tekrarlayın. +KeeFox-conn-setup-server-sl-low=KeeFox için ayarlanan güvenlik seviyesi, parola sunucusunun talep ettiğinden yüksek ayarlanmış. %S güvenlik seviyesini kullanmak için doğrulama işlemini tekrarlayın. +KeeFox-conn-setup-failed=KeeFox bağlantısına izin verilmedi. Bağlantı parolasını yanlış girmiş olabilirsiniz. +KeeFox-conn-setup-restart=KeeFox, yetkilendirme işlemini tekrarlamalı. +KeeFox-conn-setup-expired=Fazlaca uzun bir süredir aynı güvenlik anahtarını kullanıyorsunuz. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Yetkilendirmesi +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox güvenlik seviyesi +KeeFox-conn-sl-server-min=Kabul edilebilir en az KeePass güvenlik seviyesi +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Düşük +KeeFox-conn-sl-medium=Orta +KeeFox-conn-sl-high=Yüksek +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Sorulduğunda lütfen yeni bir parola girin. +KeeFox-further-info-may-follow=Daha fazla bilgi için: %S + +KeeFox-pref-ConnectionSecurity.heading=Bağlantı Güvenliği +KeeFox-pref-AuthorisedConnections.heading=Yetkilendirilmiş Bağlantılar +KeeFox-pref-Commands.heading=Komutlar + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Ana menüyü göster +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Oturum listesini göster +KeeFox-type-new-shortcut-key.placeholder=Yeni bir kısayol tuşu girin + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Uyan oturumlar +KeeFox_Matched-Logins-Button.tip=Bu sayfa ile uyumlu oturumları göster +KeeFox_Back.label=Geri +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Ara... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/chrome/locale/zh-TW/FAMS.keefox.properties b/Firefox addon/KeeFox/chrome/locale/zh-TW/FAMS.keefox.properties new file mode 100644 index 0000000..49ec065 --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/zh-TW/FAMS.keefox.properties @@ -0,0 +1,55 @@ +name= KeeFox +description= KeeFox adds free, secure and easy to use password management features to Firefox which save you time and keep your private data more secure. +tips-name= Tips +tips-description=Hints and tips that will be especially useful for people new to KeeFox, KeePass or password management software +tips-default-title=KeeFox tip +tips201201040000a-body=You can "Customise" your Firefox toolbars (including KeeFox) to re-arrange buttons and save screen space. +tips201201040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Customise-Toolbars +tips201201040000b-body=Middle-click or Ctrl-click on an entry in the logins list to open a new tab, load a web page and auto submit a login with just one click. +tips201201040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Middle-Click +tips201201040000c-body=Be cautious of automatically submitting login forms - it is convenient but slightly more risky than manually clicking on the login button. +tips201201040000c-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Auto-Submit-Warning +tips201201040000d-body=The "logged out" and "logged in" statements on the KeeFox toolbar button refer to the state of your KeePass database (whether you have logged in with your composite master password yet). +tips201201040000d-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Meaning-Of-LoggedOut +tips201201040000e-body=You can force certain entries to have a higher priority than others. +tips201201040000e-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Priority +tips201201040000f-body=Get quick access to notes and other entry data by right clicking on a login entry and selecting "Edit entry". +tips201201040000f-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Edit-Entry +tips201201040000g-body=You can have more than one KeePass database open at the same time. +tips201201040000g-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Multiple-Databases +tips201201040000h-body=Some websites create their login form after the page has loaded, try the "detect forms" feature on the main button to search for matching logins. +tips201201040000h-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Detect-Forms +tips201201040000i-body=Generate secure passwords from the main KeeFox toolbar button - it will use the same settings that you most recently used on the KeePass password generator dialog. +tips201201040000i-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Password-Generator +tips201201040000j-body=Your KeePass entries can be used in other web browsers and applications. +tips201201040000j-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-KeePass +tips201201040000k-body=Even well known websites have their data stolen occasionally; protect yourself by using different passwords for every website you visit. +tips201201040000k-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Use-Unique-Passwords +tips201201040000l-body=Left-click on an entry in the logins list to load a web page in the current tab and auto submit a login with just one click. +tips201201040000l-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Login-Menu-Left-Click +tips201201040000m-body=Some websites are designed so that they will not work with automated form fillers like KeeFox. Read more about how best to work with these sites. +tips201201040000m-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Troubleshoot-Awkward-Sites +tips201201040000n-body=Long passwords are usually more secure than short but complicated ones ("aaaaaaaaaaaaaaaaaaa" is an exception to this rule!) +tips201201040000n-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Long-Passwords-Are-Good +tips201201040000o-body=Open source security software like KeePass and KeeFox is more secure than closed source alternatives. +tips201201040000o-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Open-Source-Safer +tips201201040000p-body=If you have old KeePass entries without website-specific icons (favicons) try the KeePass Favicon downloader plugin. +tips201201040000p-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Favicon-Downloader +tips201211040000a-body=You can configure individual websites to work better with KeeFox. +tips201211040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Site-Specific +tips201312040000a-body=Keyboard shortcuts can speed up access to many KeeFox features. +tips201312040000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Keyboard-shortcuts +tips201312040000b-body=KeeFox features can now be found on your context (right mouse click) menu. +tips201312040000b-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Tips-|-Context-menu +security-name=Security notices +security-description=Important security notices that users should not ignore if they wish to remain protected +security-default-title=KeeFox security warning +security201201040000a-body=This version of KeeFox is very old. You should install a newer version if at all possible. +security201201040000a-link=http://keefox.org/download +messages-name=Important messages +messages-description=Important but rare notices that may be useful to KeeFox users +messages-help-keefox=Help KeeFox +messages201201040000a-body=You've been using KeeFox for a while now so please help others by adding a positive review to the Mozilla addons website. +messages201201040000a-link=https://addons.mozilla.org/en-US/firefox/addon/keefox/reviews/add +messages201312080000a-body=KeeFox collects anonymous statistics to fix problems and improve your experience. Read more to find out what data is sent and what you can change. +messages201312080000a-link=https://github.com/luckyrat/KeeFox/wiki/en-|-Metrics-collection diff --git a/Firefox addon/KeeFox/chrome/locale/zh-TW/keefox.properties b/Firefox addon/KeeFox/chrome/locale/zh-TW/keefox.properties new file mode 100644 index 0000000..60e676f --- /dev/null +++ b/Firefox addon/KeeFox/chrome/locale/zh-TW/keefox.properties @@ -0,0 +1,360 @@ +loggedIn.label= 已登入 +loggedOut.label= 已登出 +launchKeePass.label= 開啓 KeePass +loginToKeePass.label= Login to KeePass +loggedIn.tip= 你已經連接到 '%S' 密碼資料庫 +loggedInMultiple.tip=你已經連接到 %S 密碼資料庫。'%S' 使用中。 +loggedOut.tip= 你已經登出了你的密碼資料庫 (可能鎖上了) +launchKeePass.tip= 你需要開啟並登入 KeePass 才能夠使用 KeeFox。需要的話,請按一下這裡。 +installKeeFox.label= 安裝 KeeFox +installKeeFox.tip= KeeFox 需要安裝一些額外的項目才能夠於你的電腦上運作。按一下這裡開始安裝。 +noUsername.partial-tip= 使用者名稱無效 +loginsButtonGroup.tip= 在這資料夾內查閱帳戶資料。 +loginsButtonLogin.tip= 登入 %S 的使用者名稱:%S。按一下右鍵查看更多選項。 +loginsButtonEmpty.label= 無資料 +loginsButtonEmpty.tip= 這資料夾內沒有帳戶資料。 +matchedLogin.label= %S - %S +matchedLogin.tip= %S 在群組 %S 中 (%S) +notifyBarLaunchKeePassButton.label= 載入我的密碼資料庫 (開啟 KeePass) +notifyBarLaunchKeePassButton.key= L +notifyBarLaunchKeePassButton.tip= 開啓 KeePass 以啓用 KeeFox +notifyBarLoginToKeePassButton.label= 載入我的密碼資料庫 (登入 KeePass) +notifyBarLoginToKeePassButton.key= L +notifyBarLoginToKeePassButton.tip= 登入你的 KeePass 資料庫以啓用 KeeFox +notifyBarLaunchKeePass.label= 你還沒登入你的密碼資料庫。 +notifyBarLoginToKeePass.label= 你還沒登入你的密碼資料庫。 +rememberPassword= 使用 KeeFox 來儲存此密碼。 +savePasswordText= 需要 KeeFox 儲存此密碼嗎? +saveMultiPagePasswordText= 需要 KeeFox 儲存此多頁密碼嗎? +notifyBarRememberButton.label= 儲存 +notifyBarRememberButton.key= S +notifyBarRememberAdvancedButton.label= 儲存到群組 +notifyBarRememberAdvancedButton.key= G +notifyBarNeverForSiteButton.label= 這網站永遠不要 +notifyBarNeverForSiteButton.key= e +notifyBarNotNowButton.label= 現在不要 +notifyBarNotNowButton.key= N + +notifyBarRememberAdvancedDBButton.label=儲存到 '%S' 資料庫內的群組 +notifyBarRememberDBButton.label=儲存到 '%S' 資料庫 + +notifyBarRememberButton.tooltip=儲存到 '%S' 資料庫。按一下小三角形來儲存至另一個資料庫。 +notifyBarRememberAdvancedButton.tooltip=儲存到 '%S' 資料庫內的群組。按一下小三角形來儲存至另一個資料庫。 +notifyBarRememberDBButton.tooltip=儲存此密碼到指定的資料庫 +notifyBarRememberAdvancedDBButton.tooltip=儲存此密碼到指定資料庫內的群組 + +passwordChangeText= 你想要修改 %S 的已存密碼嗎? +passwordChangeTextNoUser= 你想要修改此帳戶的已存密碼嗎? +notifyBarChangeButton.label= 修改 +notifyBarChangeButton.key= C +notifyBarDontChangeButton.label= 不要修改 +notifyBarDontChangeButton.key= D +changeDBButton.label= 變更資料庫 +changeDBButton.tip= 變更 KeePass 資料庫 +changeDBButtonDisabled.label= 變更資料庫 +changeDBButtonDisabled.tip= 啟動 KeePass 以開啟這個功能 +changeDBButtonEmpty.label= 沒有資料庫 +changeDBButtonEmpty.tip= 在 KeePass 最近開啟的資料庫列表中沒有任何項目。請使用 KeePass 打開你想使用的資料庫。 +changeDBButtonListItem.tip= 變更到 %S 資料庫 +autoFillWith.label= 自動填寫 +httpAuth.default= 你已經登出了你的密碼資料庫 (可能鎖定了) +httpAuth.loadingPasswords= 讀取密碼中 +httpAuth.noMatches= 找不到匹配的項目 +install.somethingsWrong= 發生了一些問題 +install.KPRPCNotInstalled= 對不起,KeeFox 無法自動替你的 KeePass Password Safe 2 安裝 KeePassRPC,這是一個必而安裝的外掛程式,否則 KeeFox 將無法正常運作。一般情況下,這大多是因為你正嘗試安裝到一個你沒有權限新增檔案的路徑。你可以重新啟動 Firefox 並選擇不同的選項再安裝一次看看,或者你可以找你的電腦管理員幫忙。 +generatePassword.launch= 請先啟動 KeePass。 +generatePassword.copied= 已經複製了一個新的密碼到你的剪貼簿。 +loading= 讀取中 +selectKeePassLocation= 把 KeePass 的位置告訴 KeeFox +selectMonoLocation= 把 Mono 的位置告訴 KeeFox +selectDefaultKDBXLocation= 選取預設的密碼資料庫 +KeeFox-FAMS-Options.title= KeeFox 的訊息下載及顯示選項 +KeeFox-FAMS-Reset-Configuration.label= 重設設定 +KeeFox-FAMS-Reset-Configuration.confirm= 這會把設定重設到跟你剛剛安裝完 %S 一樣。這只會影響 %S 的訊息下載及顯示設定;按一下 確定 重設設定 +KeeFox-FAMS-Options-Download-Freq.label= 訊息下載頻率 (小時) +KeeFox-FAMS-Options-Download-Freq.desc= %S 會定期連接到互聯網下載安全訊息並且顯示在你的瀏覽器中。建議你經常檢查以確保你第一時間知道所有的安全問題。對這項設定的改動將會在重新啟動 Firefox 之後生效。 +KeeFox-FAMS-Options-Show-Message-Group= 顯示 %S %S +KeeFox-FAMS-Options-Max-Message-Group-Freq= 最高的訊息顯示頻率 (日) +KeeFox-FAMS-Options-Max-Message-Group-Freq-Explanation= %S 會定期檢查這個群組有沒有需要顯示的訊息。這項設定會限制 KeeFox 實際顯示訊息的頻率。 +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.label= 了解更多 +KeeFox-FAMS-NotifyBar-A-LearnMore-Button.key= L +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.label= 連接到網站 +KeeFox-FAMS-NotifyBar-A-VisitSite-Button.key= G +KeeFox-FAMS-NotifyBar-A-Donate-Button.label= 現在捐助 +KeeFox-FAMS-NotifyBar-A-Donate-Button.key= D +KeeFox-FAMS-NotifyBar-A-Rate-Button.label= 現在給 KeeFox 評分 +KeeFox-FAMS-NotifyBar-A-Rate-Button.key= R +KeeFox-FAMS-NotifyBar-Options-Button.label= 修改訊息設定 +KeeFox-FAMS-NotifyBar-Options-Button.key= C +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.label= 不要再顯示訊息 +KeeFox-FAMS-NotifyBar-DoNotShowAgain-Button.key= N +notifyBarLogSensitiveData.label= 警告:KeeFox 正在記錄你的密碼!如果這並不是你想要的設定,請立刻停用這項設定。 + + +KeeFox_Main-Button.loading.label= KeeFox 載入中... +KeeFox_Main-Button.loading.tip= KeeFox 正在讀取並執行啟動測試。這一般不需要很長時間... +KeeFox_Menu-Button.tip= 按一下查看 KeeFox 功能表 +KeeFox_Menu-Button.label= KeeFox +KeeFox_Menu-Button.changeDB.label= 變更資料庫 +KeeFox_Menu-Button.changeDB.tip= 選擇另一個 KeePass 密碼資料庫。 +KeeFox_Menu-Button.changeDB.key= C +KeeFox_Menu-Button.fillCurrentDocument.label= 檢測表格 +KeeFox_Menu-Button.fillCurrentDocument.tip= 強制 KeeFox 重新檢測這頁面上的表格。這對於一少部份網站是必需的。 +KeeFox_Menu-Button.fillCurrentDocument.key= D +KeeFox_Menu-Button.copyNewPasswordToClipboard.label= 產生新的密碼 +KeeFox_Menu-Button.copyNewPasswordToClipboard.tip= 使用最近用過的密碼產生設定檔從 KeePass 產生新的密碼並複製到剪貼簿。 +KeeFox_Menu-Button.copyNewPasswordToClipboard.key= P +KeeFox_Menu-Button.options.label= 選項 +KeeFox_Menu-Button.options.tip= 檢視並修改你已設定的 KeeFox 選項。 +KeeFox_Menu-Button.options.key= O +KeeFox_Logins-Button.tip= 找尋你所有的登入資料並快速登入到你的網站。 +KeeFox_Logins-Button.label= 登入資料 +KeeFox_Logins-Button.key= L +KeeFox_Logins-Context-Edit-Login.label= 修改登入資料 +KeeFox_Logins-Context-Delete-Login.label= 刪除登入資料 +KeeFox_Logins-Context-Delete-Group.label= 刪除群組 +KeeFox_Logins-Context-Edit-Group.label= 修改群組 +KeeFox_Remember-Advanced-Popup-Group.label= 儲存到群組中... +KeeFox_Remember-Advanced-Popup-Multi-Page.label= 這是一個多頁登入表格的一部份 +KeeFox_Menu-Button.Help.tip= KeeFox 說明。 +KeeFox_Menu-Button.Help.label= 說明 +KeeFox_Menu-Button.Help.key= H +KeeFox_Help-GettingStarted-Button.tip= 查看線上的基礎教學。 +KeeFox_Help-GettingStarted-Button.label= 開始使用 +KeeFox_Help-GettingStarted-Button.key= G +KeeFox_Help-Centre-Button.tip= 查看線上說明中心。 +KeeFox_Help-Centre-Button.label= 說明中心 +KeeFox_Help-Centre-Button.key= C +KeeFox_Tools-Menu.options.label= KeeFox 選項 +KeeFox_Dialog-SelectAGroup.title= 選擇一個群組 +KeeFox_Dialog_OK_Button.label= 確定 +KeeFox_Dialog_OK_Button.key= O +KeeFox_Dialog_Cancel_Button.label= 取消 +KeeFox_Dialog_Cancel_Button.key= C + +KeeFox_Install_Setup_KeeFox.label= 安裝 KeeFox +KeeFox_Install_Upgrade_KeeFox.label= 升級 KeeFox +KeeFox_Install_Downgrade_Warning.label= Warning: This version of KeeFox (%S) is older than the installed KeePassRPC plugin (%S). Clicking "Upgrade KeeFox" may break other applications that use KeePassRPC. +KeeFox_Install_Process_Running_In_Other_Tab.label= KeeFox 安裝程式在另一個瀏覽器分頁執行中。如果你能夠找到那個分頁,請關閉此分頁並依該分頁的指示繼續進行。如果你找不到那個分頁,你可以按一下下面的按鈕重新啟動安裝程式。如果這也不行,你可能需要重新啟動 Firefox 來繼續。 +KeeFox_Install_Not_Required.label= KeeFox 已經安裝好了。如果 KeeFox 無法偵測到你已經登入到 KeePass 資料庫,請小心地 (而且是暫時性的) 停用全部正在使用的安全性軟件 (例如:防火牆、防間諜軟件等等),因為這些軟件有時會跟 KeeFox 發生衝突。 +KeeFox_Install_Not_Required_Link.label= 請瀏覽 KeeFox 網站以查看更多說明文件。 +KeeFox_Install_Unexpected_Error.label= KeeFox 安裝時發生錯誤。 +KeeFox_Install_Download_Failed.label= 無法下載一個必需的元件。 +KeeFox_Install_Download_Canceled.label= 已經取消下載一個必需的元件。 +KeeFox_Install_Download_Checksum_Failed.label= 一個已經下載的元件損壞了。請重新試一次,如果你繼續遇到相同問題,請到討論區尋求協助:http://keefox.org/help.forum。 +KeeFox_Install_Try_Again_Button.label= 再試一次 +KeeFox_Install_Cancel_Button.label= 取消 + +KeeFox_Install_adminNETInstallExpander.description= KeeFox 需要安裝另外兩個元件 - 按一下上面的按鈕開始安裝。 +KeeFox_Install_adminNETInstallExpander_More_Info_Button.label= More information and advanced setup options +KeeFox_Install_adminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. Click the button above for a quick and easy install using standard settings. Click the button below if you already have a copy of KeePass Password Safe 2, want to use the portable version of KeePass or want to take control of the installation process. +KeeFox_Install_adminSetupKPInstallExpander_More_Info_Button.label= More information and advanced setup options +KeeFox_Install_nonAdminNETInstallExpander.description= KeeFox must install two other components - just click the button above to get started. If you can't provide an administrative password for this computer, you will need to ask your system administrator to help you. +KeeFox_Install_nonAdminNETInstallExpander_More_Info_Button.label= More information and advanced setup options +KeeFox_Install_nonAdminSetupKPInstallExpander.description= KeeFox must install KeePass Password Safe 2 to securely store your passwords. You will be asked where to install KeePass Password Safe 2 or you can select the location of an existing KeePass Password Safe 2 installation (KeeFox was unable to find one automatically). NOTE: KeeFox may not always be able to automatically setup itself correctly on computers where you have no administrative priveledges. You may need to refer to online help resources to find manual setup instructions or ask your system administrator for help. +KeeFox_Install_nonAdminSetupKPInstallExpander_More_Info_Button.label= More information and advanced setup options +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander.description= KeeFox uses KeePass Password Safe 2 to securely store your passwords. It is already installed on your computer but you may need to provide an administrative password to enable KeeFox to correctly link KeePass Password Safe 2 and Firefox. If you can't provide an administrative password for this computer, click below for another option. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpander_More_Info_Button.label= More information and advanced setup options + +KeeFox_Install_setupNET35ExeInstallExpandeeOverview.description= KeeFox will install the Microsoft .NET framework and KeePass Password Safe 2. +KeeFox_Install_setupNET35ExeInstallExpandeeKeePass.description= KeePass Password Safe 2 is the password manager application which KeeFox uses to securely store your passwords. If you want to choose the KeePass Password Safe 2 installation location, language or advanced options, please download and install .NET from Microsoft's website and then restart Firefox. +KeeFox_Install_setupNET35ExeInstallExpandeeManual.description= Alternatively, you could attempt a manual installation by following these steps: +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep1.description= 1) Download and install .NET from Microsoft +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep2.description= 2) Download and install KeePass Password Safe 2 setup or ZIP from http://keepass.info +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep3.description= 3a) Either restart Firefox to get back to this setup page so it can complete the last step +KeeFox_Install_setupNET35ExeInstallExpandeeManualStep4.description= 3b) Or manually copy the KeePassRPC.plgx file from the Firefox extensions folder (look in a subfolder called deps) to the KeePass Password Safe 2 plugins folder. +KeeFox_Install_adminSetupKPInstallExpandee.description= If you want to choose the KeePass Password Safe 2 installation location, language or advanced options, click the button below. +KeeFox_Install_KPsetupExeInstallButton.label= Setup KeePass for all users with full control of the process +KeeFox_Install_adminSetupKPInstallExpandeePortable.description= If you want to install the portable version of KeePass into a specific location (such as a USB memory stick) you can choose a location below. If you already have KeePass Password Safe 2 installed, please use the box below to tell KeeFox where to find it. +KeeFox_Install_copyKPToSpecificLocationInstallButton.label= Set KeePass Password Safe 2's installation location +KeeFox_Install_admincopyKRPCToKnownKPLocationInstallExpander.description= Click the above button to link KeeFox to KeePass Password Safe 2. (Technically, this installs the KeePassRPC plugin for KeePass Password Safe 2). +KeeFox_Install_nonAdminSetupKPInstallExpandee.description= If you know the administrative password for this computer you can install KeePass for all users by using one of the options below. Click on the bottom button if you want to set a particular installation location, a non-English language or other advanced options. +KeeFox_Install_KPsetupExeSilentInstallButton.label= Setup KeeFox for all users +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallExpandee.description= You can install KeePass Password Safe 2 on a portable / USB drive (or in a second location on your computer). Just click the button below but do consider the potential confusion you might experience in future because your computer will have two seperate installations of KeePass Password Safe 2. If at all possible, you should setup KeeFox using the button above, providing the computer administrative password if prompted. +KeeFox_Install_nonAdmincopyKRPCToKnownKPLocationInstallButton.label= Install KeePass/KeePassRPC in a second location + +KeeFox_Install_IC1setupNETdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC1setupNETdownloaded.description= Download complete. Please follow the instructions in the .NET installer which will start soon... +KeeFox_Install_IC1setupKPdownloading.description= KeePass Password Safe 2 is being downloaded... +KeeFox_Install_IC1setupKPdownloaded.description= Download complete. Please follow the instructions in the installer which is starting now... +KeeFox_Install_IC1KRPCdownloaded.description= Nearly finished... +KeeFox_Install_IC2setupKPdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC2setupKPdownloaded.description= Download complete. Please wait... +KeeFox_Install_IC2KRPCdownloaded.description= Nearly finished... +KeeFox_Install_IC3installing.description= Nearly finished... You may be prompted to run an executable called KeePassRPCCopier.exe which will perform the final installation step automatically. +KeeFox_Install_IC5zipKPdownloading.description= The files required to setup KeeFox are being downloaded... +KeeFox_Install_IC5zipKPdownloaded.description= Download complete. Please wait... +KeeFox_Install_IC5installing.description= Nearly finished... +KeeFox_Install_InstallFinished-2014.description= KeeFox will now connect to KeePass. Within 30 seconds you should be asked to secure the connection by typing a temporary password. When you've done that, the KeeFox button on the toolbar will change from grey to colour. +KeeFox_Install_NextSteps.description= Try these steps to start using KeeFox: +KeeFox_Install_NextStep1.description= Follow the instructions in the 'KeePass startup helper' to either create a new database to store your passwords or open a KeePass database that you already use. +KeeFox_Install_NextStep2.description= Click here to try the getting started tutorial. +KeeFox_Install_NextStep3.description= Click here to find out how to import your existing passwords from Firefox or other password managers. +KeeFox_Install_Finally.description= Finally, if you have any trouble getting KeeFox to work correctly, please take a look at the help resources found at +KeeFox_Install_PleaseCloseKeePass.description= Please close KeePass before continuing! +KeeFox_Install_Already_Installed_Warning.description= KeePass has been detected on your computer. To ensure KeeFox can be setup smoothly, please make sure that it is closed before continuing! + +KeeFox_Install_monoManual.description= KeeFox can run on Mac and Linux systems, but requires manual installation by following these steps: +KeeFox_Install_monoManualStep1.description= 1) Download and install Mono from the website below. Linux users can usually install the latest version of Mono from your distribution's package repository but please ensure you install the complete Mono package (some distributions seperate Mono into multiple sub-packages). +KeeFox_Install_monoManualStep2.description= 2) Download KeePass Password Safe 2.19 (or higher) Portable (ZIP Package) from the website below or try your distribution's package manager (make sure you get a new enough version though!) +KeeFox_Install_monoManualStep3.description= 3) Unzip KeePass to ~/KeePass (this default can be customised) where ~ represents your home directory +KeeFox_Install_monoManualStep4.description= 4) Copy the KeePassRPC.plgx file to a subdirectory called plugins in the directory that contains your KeePass installation (e.g. ~/KeePass/plugins) +KeeFox_Install_monoManualStep5.description= 5) Restart Firefox +KeeFox_Install_monoManualStep6.description= The KeePassRPC.plgx file you need to manually copy is at: + +KeeFox_Install_monoManual2.description= Customisation instructions: +KeeFox_Install_monoManualTest1.description= 1) It is assumed KeePass is installed to: +KeeFox_Install_monoManualTest2.description= 2) It is assumed Mono is installed to: +KeeFox_Install_monoManualTest3.description= To override these defaults, under KeeFox->Options->KeePass, change 'KeePass installation location' and 'Mono executable location' + +KeeFox_Install_monoManualUpgrade.description= To upgrade KeeFox: +KeeFox_Install_monoManualUpgradeStep1.description= 1) Copy the KeePassRPC.plgx file to the plugins subdirectory inside the directory that contains your KeePass installation (e.g. ~/KeePass/plugins where ~ represents your home directory) +KeeFox_Install_monoManualUpgradeStep2.description= 2) Restart Firefox + + +KeeFox-Options.title= KeeFox Options +KeeFox-pref-FillForm.desc= Fill in the form +KeeFox-pref-FillAndSubmitForm.desc= Fill in and submit the form +KeeFox-pref-DoNothing.desc= Do nothing +KeeFox-pref-FillPrompt.desc= Fill in the login prompt +KeeFox-pref-FillAndSubmitPrompt.desc= Fill in and submit the login prompt +KeeFox-pref-KeeFoxShould.desc= KeeFox should +KeeFox-pref-FillNote.desc= NB: You can override this behaviour for individual entries in the KeePass "edit entry" dialog. +KeeFox-pref-when-user-chooses.desc= When I choose a matched password, KeeFox should +KeeFox-pref-when-keefox-chooses.desc= When KeeFox chooses a matching login for +KeeFox-pref-a-standard-form.desc= A standard form +KeeFox-pref-a-prompt.desc= An HTTPAuth, NTLM or proxy prompt +KeeFox-pref-autoFillFormsWithMultipleMatches.label= Forms with multiple matches should be automatically filled and submitted +KeeFox-pref-FindingEntries.heading= Finding entries +KeeFox-pref-Notifications.heading= Notifications +KeeFox-pref-Logging.heading= Logging +KeeFox-pref-Advanced.heading= Advanced +KeeFox-pref-KeePass.heading= KeePass +KeeFox-pref-FindingEntries.description= These are the most important options that govern the behaviour of KeeFox +KeeFox-pref-Notifications.description= Change these options to alter how KeeFox attracts your attention +KeeFox-pref-Advanced.description= These options may help you to debug a problem or configure advanced settings but most users can ignore these +KeeFox-pref-KeePass.description= These options affect the behaviour of KeePass +KeeFox-pref-FindingEntries.tooltip= How KeeFox behaves when KeePass entries are found +KeeFox-pref-Notifications.tooltip= Notification options +KeeFox-pref-Advanced.tooltip= Advanced options +KeeFox-pref-KeePass.tooltip= KeePass options +KeeFox-pref-autoFillForms.label= Fill in forms automatically when a matching password is found +KeeFox-pref-autoSubmitForms.label= Submit forms automatically when a matching password is found +KeeFox-pref-autoFillDialogs.label= Fill in authentication dialogs automatically when a matching password is found +KeeFox-pref-autoSubmitDialogs.label= Submit authentication dialogs automatically when a matching password is found +KeeFox-pref-overWriteFieldsAutomatically.label= Overwrite the contents of any matching non-empty forms and authentication dialogs +KeeFox-pref-autoSubmitMatchedForms.label= Submit forms when you choose a matching password +KeeFox-pref-loggingLevel.label= Logging level +KeeFox-pref-notifyBarRequestPasswordSave.label= Offer to save passwords +KeeFox-pref-excludedSaveSites.desc= These sites will never prompt you to save a new password +KeeFox-pref-excludedSaveSites.remove= Remove +KeeFox-pref-notifyBarWhenKeePassRPCInactive.label= Display a notification bar when KeePass needs to be opened +KeeFox-pref-notifyBarWhenLoggedOut.label= Display a notification bar when you need to log in to a KeePass database +KeeFox-pref-alwaysDisplayUsernameWhenTitleIsShown.label=Display username in Logins list and search results +KeeFox-pref-logMethod.desc= Select where you would like KeeFox to record a log of its activity. +KeeFox-pref-logMethodAlert= Alert popups (not recommended) +KeeFox-pref-logMethodConsole= Javascript console +KeeFox-pref-logMethodStdOut= System standard output +KeeFox-pref-logMethodFile= File (located in a 'keefox' folder inside your Firefox profile) +KeeFox-pref-logLevel.desc= Choose how verbose you want the log to be. Each higher log level produces more output. +KeeFox-pref-dynamicFormScanning.label= Monitor each web page for new forms +KeeFox-pref-dynamicFormScanningExplanation.label= NB: This option may enable KeeFox to recognise more forms at the expense of performance +KeeFox-pref-keePassRPCPort.label= Communicate with KeePass using this TCP/IP port +KeeFox-pref-keePassRPCPortWarning.label= NB: change the setting in KeePass.config or else KeeFox will not always be able to communicate with KeePass +KeeFox-pref-saveFavicons.label= Save website logo/icon (favicon) +KeeFox-pref-keePassDBToOpen.label= When opening or logging in to KeePass, use this database file +KeeFox-pref-rememberMRUDB.label= Remember the most recently used KeePass database +KeeFox-pref-keePassRPCInstalledLocation.label= KeePassRPC plugin installation location +KeeFox-pref-keePassInstalledLocation.label= KeePass installation location +KeeFox-pref-monoLocation.label= Mono executable location (e.g. /usr/bin/mono) +KeeFox-pref-keePassRememberInstalledLocation.label= Remember above settings (e.g. when using KeePass Portable) +KeeFox-pref-keePassLocation.label= Use this location +KeeFox-browse.label= Browse +KeeFox-FAMS-Options.label= Message/tip notification options +KeeFox-pref-searchAllOpenDBs.label= Search all open KeePass databases +KeeFox-pref-listAllOpenDBs.label= List logins from all open KeePass databases +KeeFox-pref-metrics-desc=KeeFox collects anonymous system and usage statistics to fix problems and improve your experience. No private data is collected. +KeeFox-pref-metrics-link=Read more about the anonymous data KeeFox collects +KeeFox-pref-metrics-label=Send anonymous usage statistics +KeeFox-pref-maxMatchedLoginsInMainPanel.label=Number of matched logins to display in main panel + +KeeFox-pref-site-options-find.desc=KeeFox tries to find log-in details for all forms that contain a password field. Adjust this and more in +KeeFox-pref-site-options-find.link=site-specific settings +KeeFox-pref-site-options-savepass.desc=Disable "save password" notifications in +KeeFox-site-options-default-intro.desc=Settings for all sites. Add individual site addresses to override. +KeeFox-site-options-intro.desc=Settings for all sites whose address starts with +KeeFox-site-options-valid-form-intro.desc=KeeFox will try to fill matching KeePass entries for all forms that have a password field (box). You can adjust this behaviour below. +KeeFox-site-options-list-explain.desc=If a form matches against one of the white lists below KeeFox will always try to fill it. If a form matches one of the black lists below KeeFox will never try to fill it. If it matches both lists KeeFox will not try to fill it. +KeeFox-site-options-invisible-tip.desc=NB: The names and IDs may not be the same as visible labels on the page (they are set in the source code of the page) +KeeFox-form-name=Form name +KeeFox-form-id=Form ID +KeeFox-text-field-name=Text field name +KeeFox-text-field-id=Text field ID +KeeFox-white-list=White List +KeeFox-black-list=Black List +KeeFox-site-options-title=KeeFox Site options +KeeFox-add-site=Add site +KeeFox-remove-site=Remove Site +KeeFox-save-site-settings=Save site settings +KeeFox-site-options-siteEnabledExplanation.desc=Select the checkboxes on the left to enable a setting + +KeeFox-auto-type-here.label=Auto-type here +KeeFox-auto-type-here.tip=Execute KeePass auto-type for the best matching login entry +KeeFox-matched-logins.label=Matched login entries +KeeFox-placeholder-for-best-match=Placeholder for best matching login entry +KeeFox_Menu-Button.generatePasswordFromProfile.label= Generate new password from profile +KeeFox_Menu-Button.generatePasswordFromProfile.tip= Gets a new password from KeePass using your choice of password generator profile and puts it into your clipboard. + +KeeFox-conn-client-v-high=You must downgrade to version %S or upgrade KeePassRPC to match your version of KeeFox. Going to initiate the upgrade wizard now. +KeeFox-conn-client-v-low=You must upgrade to version %S or downgrade KeePassRPC to match your version of KeeFox. Going to initiate the downgrade wizard now. + + +KeeFox-conn-unknown-protocol=KeeFox supplied an invalid protocol. +KeeFox-conn-invalid-message=KeeFox sent an invalid command to your password database. +KeeFox-conn-unknown-error=An unexpected error occured when trying to connect to your password database. +KeeFox-conn-firewall-problem=KeeFox can not connect to KeePass. A firewall is probably blocking communication on TCP port 12546. +KeeFox-conn-websockets-disabled=KeeFox can not connect to KeePass. You must enable WebSockets. Change about:config / network.websocket.enabled to true (or ask Firefox support for further help). +KeeFox-conn-setup-client-sl-low=KeeFox asked for a security level that was too low to be accepted by the password server. You must restart the authentication process using security level %S. +KeeFox-conn-setup-server-sl-low=KeeFox has rejected the connection to the password server because their security level is too low. You must restart the authentication process using security level %S. +KeeFox-conn-setup-failed=KeeFox was not allowed to connect, probably because you entered the connection password incorrectly. +KeeFox-conn-setup-restart=KeeFox must restart the authorisation process. +KeeFox-conn-setup-expired=You have been using the same secret key for too long. +KeeFox-conn-setup-invalid-param=KeeFox supplied an invalid parameter. Further info may follow: %S +KeeFox-conn-setup-missing-param=KeeFox failed to supply a required parameter. Further info may follow: %S +KeeFox-conn-setup-aborted=Authorisation cancelled or denied. The next attempt to connect will be delayed for %S minutes. + +KeeFox-conn-setup-enter-password-title=KeeFox Authorisation +KeeFox-conn-setup-enter-password=Please enter the password displayed by the KeePass "Authorise a new connection" window. You do not need to remember this password. If you get it wrong you will be able to try again shortly. +KeeFox-conn-sl.desc=Change the settings below to control how secure the communication link between Firefox and KeePass is. You probably don't need to ever adjust these settings but if you do, please make sure you have read the relevant manual pages first. +KeeFox-conn-sl.link=Learn more about these settings and the communication between Firefox and KeePass in the manual +KeeFox-conn-sl-client=KeeFox security level +KeeFox-conn-sl-server-min=Minimum acceptable KeePass security level +KeeFox-conn-sl-client.desc=This allows you to control how securely KeeFox will store the secret communication key inside Firefox. It is possible to configure different security settings for KeeFox and KeePass but this is rarely useful. +KeeFox-conn-sl-server-min.desc=This allows you to prevent KeeFox from connecting to KeePass if its security level is set too low. See the options within KeePass to set the actual security level used by KeePass. +KeeFox-conn-sl-low=Low +KeeFox-conn-sl-medium=Medium +KeeFox-conn-sl-high=High +KeeFox-conn-sl-low-warning.desc=A low security setting could increase the chance of your passwords being stolen. Please make sure you read the information in the manual (see link above) +KeeFox-conn-sl-high-warning.desc=A high security setting will require you to enter a randomly generated password every time you start Firefox or KeePass. + +KeeFox-conn-setup-retype-password=Please type in a new password when prompted. +KeeFox-further-info-may-follow=Further info may follow: %S + +KeeFox-pref-ConnectionSecurity.heading=Connection Security +KeeFox-pref-AuthorisedConnections.heading=Authorised Connections +KeeFox-pref-Commands.heading=Commands + +KeeFox-pref-Commands.intro=Choose the keyboard shortcuts for the main KeeFox commands. +KeeFox-KB-shortcut-simple-1.desc=Show main menu +KeeFox-KB-shortcut-simple-2.desc=Login to KeePass / Select matched login / Show matched logins list +KeeFox-KB-shortcut-simple-3.desc=Show logins list +KeeFox-type-new-shortcut-key.placeholder=Type a new shortcut key + +KeeFox-conn-display-description=A Firefox addon that securely enables automatic login to most websites. + +KeeFox_Matched-Logins-Button.label=Matched Logins +KeeFox_Matched-Logins-Button.tip=See the logins that matched the current page +KeeFox_Back.label=Back +KeeFox_Back.tip=Go back to the previous KeeFox menu +KeeFox_Search.label=Search... +KeeFox_Search.tip=Start typing to display your matching login entries diff --git a/Firefox addon/KeeFox/install.rdf b/Firefox addon/KeeFox/install.rdf index c23e8ed..e3aa3c4 100644 --- a/Firefox addon/KeeFox/install.rdf +++ b/Firefox addon/KeeFox/install.rdf @@ -5,7 +5,7 @@ keefox@chris.tomlinson - 1.4.7a1 + 1.4.7b1 2 true @@ -19,7 +19,7 @@ {ec8030f7-c20a-464f-9b0e-13a3a9e97384} 22.0 - 36.* + 37.* @@ -28,7 +28,7 @@ {3550f703-e582-4d05-9a08-453d09bdfdc6} 22.0 - 36.* + 37.*