diff --git a/configure.ac b/configure.ac index 569ab21cd..b4873074c 100644 --- a/configure.ac +++ b/configure.ac @@ -3,7 +3,7 @@ AC_PREREQ([2.60]) define(_CLIENT_VERSION_MAJOR, 0) define(_CLIENT_VERSION_MINOR, 12) define(_CLIENT_VERSION_REVISION, 0) -define(_CLIENT_VERSION_BUILD, 6) +define(_CLIENT_VERSION_BUILD, 7) define(_CLIENT_VERSION_IS_RELEASE, true) define(_COPYRIGHT_YEAR, 2015) AC_INIT([Dash Core],[_CLIENT_VERSION_MAJOR._CLIENT_VERSION_MINOR._CLIENT_VERSION_REVISION],[info@dashpay.io],[dash]) diff --git a/src/chainparams.cpp b/src/chainparams.cpp index 05f12e53e..461e5aa10 100644 --- a/src/chainparams.cpp +++ b/src/chainparams.cpp @@ -84,6 +84,7 @@ static const Checkpoints::CCheckpointData data = { static Checkpoints::MapCheckpoints mapCheckpointsTestnet = boost::assign::map_list_of ( 261, uint256("00000c26026d0815a7e2ce4fa270775f61403c040647ff2c3091f99e894a4618")) + ( 77100, uint256("00000133e07bae4d3553fd8d86cb5a961d638cae72d179ede8ca436c60a2c3c0")) ; static const Checkpoints::CCheckpointData dataTestnet = { &mapCheckpointsTestnet, diff --git a/src/clientversion.h b/src/clientversion.h index eba345625..caaf788c3 100644 --- a/src/clientversion.h +++ b/src/clientversion.h @@ -17,7 +17,7 @@ #define CLIENT_VERSION_MAJOR 0 #define CLIENT_VERSION_MINOR 12 #define CLIENT_VERSION_REVISION 0 -#define CLIENT_VERSION_BUILD 6 +#define CLIENT_VERSION_BUILD 7 //! Set to true for release, false for prerelease or test build #define CLIENT_VERSION_IS_RELEASE true diff --git a/src/darksend.cpp b/src/darksend.cpp index 6e775b675..054cd83ef 100644 --- a/src/darksend.cpp +++ b/src/darksend.cpp @@ -2356,25 +2356,33 @@ void ThreadCheckDarkSendPool() if(c % 5 == 0 && RequestedMasternodeAssets <= 2){ bool fIsInitialDownload = IsInitialBlockDownload(); if(!fIsInitialDownload) { - LOCK(cs_vNodes); - BOOST_FOREACH(CNode* pnode, vNodes) - { - if (pnode->nVersion >= MIN_POOL_PEER_PROTO_VERSION) { + CBlockIndex* pindexPrev = chainActive.Tip(); + if(pindexPrev != NULL) { + if(pindexPrev->nTime > GetAdjustedTime() - (60*24)) + { - //keep track of who we've asked for the list - if(pnode->HasFulfilledRequest("mnsync")) continue; - pnode->FulfilledRequest("mnsync"); + LOCK(cs_vNodes); + BOOST_FOREACH(CNode* pnode, vNodes) + { + if (pnode->nVersion >= MIN_POOL_PEER_PROTO_VERSION) { - LogPrintf("Successfully synced, asking for Masternode list and payment list\n"); + //keep track of who we've asked for the list + if(pnode->HasFulfilledRequest("mnsync")) continue; + pnode->FulfilledRequest("mnsync"); - //request full mn list only if Masternodes.dat was updated quite a long time ago - mnodeman.DsegUpdate(pnode); + LogPrintf("Successfully synced, asking for Masternode list and payment list\n"); - pnode->PushMessage("mnget"); //sync payees - pnode->PushMessage("mnvs"); //sync masternode votes - pnode->PushMessage("getsporks"); //get current network sporks - RequestedMasternodeAssets++; - break; + //request full mn list only if Masternodes.dat was updated quite a long time ago + mnodeman.DsegUpdate(pnode); + + pnode->PushMessage("mnget"); //sync payees + uint256 n = 0; + pnode->PushMessage("mnvs", n); //sync masternode votes + pnode->PushMessage("getsporks"); //get current network sporks + RequestedMasternodeAssets++; + break; + } + } } } } diff --git a/src/instantx.h b/src/instantx.h index ce8f4a707..2609bf1b8 100644 --- a/src/instantx.h +++ b/src/instantx.h @@ -27,7 +27,7 @@ class CConsensusVote; class CTransaction; class CTransactionLock; -static const int MIN_INSTANTX_PROTO_VERSION = 70082; +static const int MIN_INSTANTX_PROTO_VERSION = 70083; extern map mapTxLockReq; extern map mapTxLockReqRejected; diff --git a/src/masternode-budget.cpp b/src/masternode-budget.cpp index f95f6c1cc..b0bb25cc5 100644 --- a/src/masternode-budget.cpp +++ b/src/masternode-budget.cpp @@ -16,8 +16,13 @@ CCriticalSection cs_budget; std::map mapSeenMasternodeBudgetProposals; std::map mapSeenMasternodeBudgetVotes; +std::map mapOrphanMasternodeBudgetVotes; std::map mapSeenFinalizedBudgets; std::map mapSeenFinalizedBudgetVotes; +std::map mapOrphanFinalizedBudgetVotes; + +std::map askedForSourceProposalOrBudget; + int nSubmittedFinalBudget; int GetBudgetPaymentCycleBlocks(){ @@ -27,6 +32,28 @@ int GetBudgetPaymentCycleBlocks(){ return 50; } +void CheckOrphanVotes() +{ + std::map::iterator it1 = mapOrphanMasternodeBudgetVotes.begin(); + while(it1 != mapOrphanMasternodeBudgetVotes.end()){ + if(budget.UpdateProposal(((*it1).second), NULL)){ + LogPrintf("CheckOrphanVotes: Proposal/Budget is known, activating and removing orphan vote\n"); + mapOrphanMasternodeBudgetVotes.erase(it1++); + } else { + ++it1; + } + } + std::map::iterator it2 = mapOrphanFinalizedBudgetVotes.begin(); + while(it2 != mapOrphanFinalizedBudgetVotes.end()){ + if(budget.UpdateFinalizedBudget(((*it2).second),NULL)){ + LogPrintf("CheckOrphanVotes: Proposal/Budget is known, activating and removing orphan vote\n"); + mapOrphanFinalizedBudgetVotes.erase(it2++); + } else { + ++it2; + } + } +} + void SubmitFinalBudget() { CBlockIndex* pindexPrev = chainActive.Tip(); @@ -85,7 +112,7 @@ void SubmitFinalBudget() mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, NULL); } // @@ -574,14 +601,20 @@ void CBudgetManager::ProcessMessage(CNode* pfrom, std::string& strCommand, CData LOCK(cs_budget); if (strCommand == "mnvs") { //Masternode vote sync - if(pfrom->HasFulfilledRequest("mnvs")) { - LogPrintf("mnvs - peer already asked me for the list\n"); - Misbehaving(pfrom->GetId(), 20); - return; + bool IsLocal = pfrom->addr.IsRFC1918() || pfrom->addr.IsLocal(); + if(!IsLocal){ + if(pfrom->HasFulfilledRequest("mnvs")) { + LogPrintf("mnvs - peer already asked me for the list\n"); + Misbehaving(pfrom->GetId(), 20); + return; + } } + uint256 nProp; + vRecv >> nProp; + pfrom->FulfilledRequest("mnvs"); - budget.Sync(pfrom); + budget.Sync(pfrom, nProp); LogPrintf("mnvs - Sent Masternode votes to %s\n", pfrom->addr.ToString().c_str()); } @@ -622,6 +655,9 @@ void CBudgetManager::ProcessMessage(CNode* pfrom, std::string& strCommand, CData //can only do this four times a day on the network if(!IsSyncingMasternodeAssets()) pmn->nVotedTimes+=25; + + //We might have active votes for this proposal that are valid now + CheckOrphanVotes(); } else { LogPrintf("mvote - masternode can't vote again - vin:%s \n", pmn->vin.ToString().c_str()); return; @@ -650,7 +686,7 @@ void CBudgetManager::ProcessMessage(CNode* pfrom, std::string& strCommand, CData mapSeenMasternodeBudgetVotes.insert(make_pair(vote.GetHash(), vote)); if(IsSyncingMasternodeAssets() || pmn->nVotedTimes < 100){ - budget.UpdateProposal(vote); + budget.UpdateProposal(vote, pfrom); vote.Relay(); if(!IsSyncingMasternodeAssets()) pmn->nVotedTimes++; } else { @@ -691,6 +727,9 @@ void CBudgetManager::ProcessMessage(CNode* pfrom, std::string& strCommand, CData prop.Relay(); if(!IsSyncingMasternodeAssets()) pmn->nVotedTimes++; + + //we might have active votes for this budget that are now valid + CheckOrphanVotes(); } else { LogPrintf("mvote - masternode can't vote again - vin:%s \n", pmn->vin.ToString().c_str()); return; @@ -719,7 +758,7 @@ void CBudgetManager::ProcessMessage(CNode* pfrom, std::string& strCommand, CData mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); if(IsSyncingMasternodeAssets() || pmn->nVotedTimes < 100){ - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, pfrom); vote.Relay(); if(!IsSyncingMasternodeAssets()) pmn->nVotedTimes++; } else { @@ -735,38 +774,98 @@ bool CBudgetManager::PropExists(uint256 nHash) return false; } -void CBudgetManager::Sync(CNode* node) +void CBudgetManager::Sync(CNode* pfrom, uint256 nProp) { - std::map::iterator it = mapProposals.begin(); - while(it != mapProposals.end()){ - (*it).second.Sync(node); - ++it; + /* + Sync with a client on the network + + -- + + This code checks each of the hash maps for all known budget proposals and finalized budget proposals, then checks them against the + budget object to see if they're OK. If all checks pass, we'll send it to the peer. + + */ + + std::map::iterator it1 = mapSeenMasternodeBudgetProposals.begin(); + while(it1 != mapSeenMasternodeBudgetProposals.end()){ + CBudgetProposal* bp = budget.FindProposal((*it1).first); + if(bp && (nProp == 0 || (*it1).first == nProp)){ + pfrom->PushMessage("mprop", ((*it1).second)); + } + it1++; } + std::map::iterator it2 = mapSeenMasternodeBudgetVotes.begin(); + while(it2 != mapSeenMasternodeBudgetVotes.end()){ + CBudgetProposal* bp = budget.FindProposal((*it2).second.nProposalHash); + if(bp && (nProp == 0 || (*it1).first == nProp)){ + pfrom->PushMessage("mvote", ((*it2).second)); + } + it2++; + } + + std::map::iterator it3 = mapSeenFinalizedBudgets.begin(); + while(it3 != mapSeenFinalizedBudgets.end()){ + CFinalizedBudget* bp = budget.FindFinalizedBudget((*it3).first); + if(bp && (nProp == 0 || (*it1).first == nProp)){ + pfrom->PushMessage("fbs", ((*it3).second)); + } + it3++; + } + + std::map::iterator it4 = mapSeenFinalizedBudgetVotes.begin(); + while(it4 != mapSeenFinalizedBudgetVotes.end()){ + CFinalizedBudget* bp = budget.FindFinalizedBudget((*it4).second.nBudgetHash); + if(bp && (nProp == 0 || (*it1).first == nProp)){ + pfrom->PushMessage("fbvote", ((*it4).second)); + } + it4++; + } } -void CBudgetManager::UpdateProposal(CBudgetVote& vote) +bool CBudgetManager::UpdateProposal(CBudgetVote& vote, CNode* pfrom) { LOCK(cs); + if(!mapProposals.count(vote.nProposalHash)){ - LogPrintf("ERROR : Unknown proposal %d\n", vote.nProposalHash.ToString().c_str()); - return; + if(pfrom){ + LogPrintf("Unknown proposal %d, Asking for source proposal\n", vote.nProposalHash.ToString().c_str()); + mapOrphanMasternodeBudgetVotes[vote.nProposalHash] = vote; + + if(!askedForSourceProposalOrBudget.count(vote.nProposalHash)){ + pfrom->PushMessage("mnvs", vote.nProposalHash); + askedForSourceProposalOrBudget[vote.nProposalHash] = GetTime(); + } + } + + return false; } + mapProposals[vote.nProposalHash].AddOrUpdateVote(vote); + return true; } -void CBudgetManager::UpdateFinalizedBudget(CFinalizedBudgetVote& vote) +bool CBudgetManager::UpdateFinalizedBudget(CFinalizedBudgetVote& vote, CNode* pfrom) { LOCK(cs); if(!mapFinalizedBudgets.count(vote.nBudgetHash)){ - LogPrintf("ERROR: Unknown Finalized Proposal %s\n", vote.nBudgetHash.ToString().c_str()); - //should ask for it - return; + if(pfrom){ + LogPrintf("Unknown Finalized Proposal %s, Asking for source proposal\n", vote.nBudgetHash.ToString().c_str()); + mapOrphanFinalizedBudgetVotes[vote.nBudgetHash] = vote; + + if(!askedForSourceProposalOrBudget.count(vote.nBudgetHash)){ + pfrom->PushMessage("mnvs", vote.nBudgetHash); + askedForSourceProposalOrBudget[vote.nBudgetHash] = GetTime(); + } + + } + return false; } mapFinalizedBudgets[vote.nBudgetHash].AddOrUpdateVote(vote); + return true; } CBudgetProposal::CBudgetProposal() @@ -925,18 +1024,6 @@ int CBudgetProposal::GetRemainingPaymentCount() return (GetBlockEndCycle()-GetBlockCurrentCycle())/GetBudgetPaymentCycleBlocks(); } -void CBudgetProposal::Sync(CNode* node) -{ - //send the proposal - node->PushMessage("mprop", (*this)); - - std::map::iterator it = mapVotes.begin(); - while(it != mapVotes.end()){ - node->PushMessage("mvote", (*it).second); - ++it; - } -} - CBudgetProposalBroadcast::CBudgetProposalBroadcast() { vin = CTxIn(); @@ -1178,16 +1265,16 @@ int64_t CFinalizedBudget::GetTotalPayout() } std::string CFinalizedBudget::GetProposals() { - std::string ret = "aeu"; + std::string ret = ""; BOOST_FOREACH(CTxBudgetPayment& payment, vecProposals){ - CFinalizedBudget* prop = budget.FindFinalizedBudget(payment.nProposalHash); + CBudgetProposal* prop = budget.FindProposal(payment.nProposalHash); std::string token = payment.nProposalHash.ToString(); if(prop) token = prop->GetName(); if(ret == "") {ret = token;} - else {ret = "," + token;} + else {ret += "," + token;} } return ret; } @@ -1288,7 +1375,7 @@ void CFinalizedBudget::SubmitVote() mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, NULL); } CFinalizedBudgetBroadcast::CFinalizedBudgetBroadcast() diff --git a/src/masternode-budget.h b/src/masternode-budget.h index cc93f7719..38aaafce6 100644 --- a/src/masternode-budget.h +++ b/src/masternode-budget.h @@ -85,7 +85,10 @@ public: mapFinalizedBudgets.clear(); } - void Sync(CNode* node); + int sizeFinalized() {return (int)mapFinalizedBudgets.size();} + int sizeProposals() {return (int)mapProposals.size();} + + void Sync(CNode* node, uint256 nProp); void Calculate(); void ProcessMessage(CNode* pfrom, std::string& strCommand, CDataStream& vRecv); @@ -103,9 +106,10 @@ public: std::vector GetFinalizedBudgets(); bool IsBudgetPaymentBlock(int nBlockHeight); void AddProposal(CBudgetProposal& prop); - void UpdateProposal(CBudgetVote& vote); void AddFinalizedBudget(CFinalizedBudget& prop); - void UpdateFinalizedBudget(CFinalizedBudgetVote& vote); + + bool UpdateProposal(CBudgetVote& vote, CNode* pfrom); + bool UpdateFinalizedBudget(CFinalizedBudgetVote& vote, CNode* pfrom); bool PropExists(uint256 nHash); bool IsTransactionValid(const CTransaction& txNew, int nBlockHeight); std::string GetRequiredPaymentsString(int64_t nBlockHeight); @@ -181,8 +185,6 @@ public: CFinalizedBudget(); CFinalizedBudget(const CFinalizedBudget& other); - void Sync(CNode* node); - void Clean(CFinalizedBudgetVote& vote); void AddOrUpdateVote(CFinalizedBudgetVote& vote); double GetScore(); @@ -359,8 +361,6 @@ public: CBudgetProposal(const CBudgetProposal& other); CBudgetProposal(CTxIn vinIn, std::string strProposalNameIn, std::string strURLIn, int nBlockStartIn, int nBlockEndIn, CScript addressIn, CAmount nAmountIn); - void Sync(CNode* node); - void Calculate(); void AddOrUpdateVote(CBudgetVote& vote); bool HasMinimumRequiredSupport(); diff --git a/src/masternode-payments.cpp b/src/masternode-payments.cpp index 78448be28..eec1fb811 100644 --- a/src/masternode-payments.cpp +++ b/src/masternode-payments.cpp @@ -23,15 +23,14 @@ bool IsBlockValueValid(int64_t nBlockValue, int64_t nExpectedValue){ CBlockIndex* pindexPrev = chainActive.Tip(); if(pindexPrev == NULL) return true; - //while syncing take the longest chain - if (fImporting || fReindex || pindexPrev->nHeight+1 < Checkpoints::GetTotalBlocksEstimate()) { + if(budget.sizeFinalized() == 0 && budget.sizeProposals() == 0) { //there is no budget data to use to check anything //super blocks will always be on these blocks, max 100 per budgeting if((pindexPrev->nHeight+1) % GetBudgetPaymentCycleBlocks() < 100){ return true; } else { if(nBlockValue > nExpectedValue) return false; } - } else { // we're synced so check the budget schedule + } else { // we're synced and have data so check the budget schedule if(budget.IsBudgetPaymentBlock(pindexPrev->nHeight+1)){ //the value of the block is evaluated in CheckBlock return true; diff --git a/src/masternodeman.cpp b/src/masternodeman.cpp index 8bf0d2371..95bc3d101 100644 --- a/src/masternodeman.cpp +++ b/src/masternodeman.cpp @@ -319,12 +319,14 @@ void CMasternodeMan::DsegUpdate(CNode* pnode) { LOCK(cs); - std::map::iterator it = mWeAskedForMasternodeList.find(pnode->addr); - if (it != mWeAskedForMasternodeList.end()) - { - if (GetTime() < (*it).second) { - LogPrintf("dseg - we already asked %s for the list; skipping...\n", pnode->addr.ToString()); - return; + if(!(pnode->addr.IsRFC1918() || pnode->addr.IsLocal())){ + std::map::iterator it = mWeAskedForMasternodeList.find(pnode->addr); + if (it != mWeAskedForMasternodeList.end()) + { + if (GetTime() < (*it).second) { + LogPrintf("dseg - we already asked %s for the list; skipping...\n", pnode->addr.ToString()); + return; + } } } pnode->PushMessage("dseg", CTxIn()); @@ -659,7 +661,9 @@ void CMasternodeMan::ProcessMessage(CNode* pfrom, std::string& strCommand, CData if(vin == CTxIn()) { //only should ask for this once //local network - if(!pfrom->addr.IsRFC1918() && Params().NetworkID() == CBaseChainParams::MAIN) { + bool isLocal = (pfrom->addr.IsRFC1918() || pfrom->addr.IsLocal()); + + if(!isLocal && Params().NetworkID() == CBaseChainParams::MAIN) { std::map::iterator i = mAskedUsForMasternodeList.find(pfrom->addr); if (i != mAskedUsForMasternodeList.end()){ int64_t t = (*i).second; diff --git a/src/protocol.cpp b/src/protocol.cpp index 2703abc52..2ca8ef06b 100644 --- a/src/protocol.cpp +++ b/src/protocol.cpp @@ -22,19 +22,15 @@ static const char* ppszTypeName[] = "tx lock request", "tx lock vote", "spork", - "masternode winner", - "masternode scan", - "masternode vote", - "masternode proposal", - "masternode quorum", - "masternode announce", - "masternode ping", - "unknown", - "unknown", - "unknown", - "unknown", - "unknown", - "unknown" + "mn winner", + "mn scan error", + "mn budget vote", + "mn budget proposal", + "mn budget finalized", + "mn budget finalized vote", + "mn quorum", + "mn announce", + "mn ping" }; CMessageHeader::CMessageHeader() @@ -133,7 +129,7 @@ CInv::CInv(const std::string& strType, const uint256& hashIn) } } if (i == ARRAYLEN(ppszTypeName)) - throw std::out_of_range(strprintf("CInv::CInv(string, uint256) : unknown type '%s'", strType)); + LogPrint("net", "CInv::CInv(string, uint256) : unknown type '%s'", strType); hash = hashIn; } @@ -150,7 +146,8 @@ bool CInv::IsKnownType() const const char* CInv::GetCommand() const { if (!IsKnownType()) - throw std::out_of_range(strprintf("CInv::GetCommand() : type=%d unknown type", type)); + LogPrint("net", "CInv::GetCommand() : type=%d unknown type", type); + return ppszTypeName[type]; } diff --git a/src/qt/locale/dash_bg.ts b/src/qt/locale/dash_bg.ts index 62f411941..dcf73630d 100644 --- a/src/qt/locale/dash_bg.ts +++ b/src/qt/locale/dash_bg.ts @@ -1,201 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - За Дарккойн ядрото - - - - <b>Dash Core</b> version - <b>Дарккойн ядро</b> версия - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Това е експериментален софтуер. - -Разпространява се под MIT/X11 софтуерен лиценз, виж придружаващия файл КОПИРАНЕ или на адрес: http://www.opensource.org/licenses/mit-license.php. - -Използван е софтуер, разработен от OpenSSL Project за употреба в OpenSSL Toolkit (http://www.openssl.org/), шифрографски софтуер, разработен от Eric Young (eay@cryptsoft.com) и UPnP софтуер, разработен от Thomas Bernard. - - - Copyright - Авторски права - - - The Bitcoin Core developers - Водещи Биткойн разработчици - - - The Dash Core developers - Водещи Дарккойн разработчици - - - (%1-bit) - (%1-битов) - - + AddressBookPage - Double-click to edit address or label - Двоен клик за редакция на адрес или име + + Right-click to edit address or label + Десен бутон за да редактирате адрес или наименование - - Double-click to edit address or label - Двоен клик за да редактирате адрес или наименование - - - + Create a new address Създаване на нов адрес - + &New &Нов - + Copy the currently selected address to the system clipboard Копиране на избрания адрес в системния клипборд - + &Copy &Копирай - + Delete the currently selected address from the list Изтрийте избрания адрес от списъка - + &Delete &Изтриване - + Export the data in the current tab to a file Запишете данните от текущия раздел във файл - + &Export &Експортиране - + C&lose Затвори - + Choose the address to send coins to Изберете адрес, на който ще изпращате монети - + Choose the address to receive coins with Изберете адрес, на който ще получавате монети - + C&hoose Избери - + Sending addresses Адреси за изпращане - + Receiving addresses Адреси за получаване - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. - Това са вашите Дарккойн адреси за изпращане на плащания. Преди изпращане винаги проверявайте количеството и адреса за получаване на монетите. + Това са вашите Dash адреси за изпращане на плащания. Преди изпращане винаги проверявайте количеството и адреса за получаване на монетите. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - Това са вашите Дарккойн адреси за получаване на плащания. Препоръчително е да използвате нов адрес за всяка нова транзакция. + Това са вашите Dash адреси за получаване на плащания. Препоръчително е да използвате нов адрес за всяка нова транзакция. - + &Copy Address &Копирай адрес - + Copy &Label Копирай &наименование - + &Edit &Редактирай - + Export Address List Експортиране на списъка с адреси - + Comma separated file (*.csv) CSV файл (*.csv) - + Exporting Failed Грешка при експортирането - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Възникна грешка при опита за запазване на списъка с адресите към %1. + Възникна грешка при опита за запазване на списъка с адресите към %1. AddressTableModel - + Label Наименование - + Address Адрес - + (no label) (без наименование) @@ -203,154 +143,150 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - + Passphrase Dialog Поле за парола - + Enter passphrase Въведете текущата парола - + New passphrase Нова парола - + Repeat new passphrase Въведете новата парола повторно - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Служи да изключи изпращането на средства, когато акаунта на Операционната система е компрометиран. Не предоставя реална сигурност. - + For anonymization only Само за анонимизиране - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Въведете нова парола за портфейла.<br/>Моля използвайте <b>поне 10 случайни символа</b> или <b>8 или повече думи</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Въведете нова парола за портфейла.<br/>Моля използвайте <b>поне 10 случайни символа</b> или <b>8, или повече думи</b>. - + Encrypt wallet Шифриране на портфейла - + This operation needs your wallet passphrase to unlock the wallet. Тази операция изисква Вашата парола за отключване на портфейла. - + Unlock wallet Отключване на портфейла - + This operation needs your wallet passphrase to decrypt the wallet. Тази операция изисква Вашата парола за дешифриране на портфейла. - + Decrypt wallet Дешифриране на портфейла - + Change passphrase Смяна на паролата - + Enter the old and new passphrase to the wallet. Въведете текущата и новата парола за портфейла. - + Confirm wallet encryption Потвърдете на шифрирането на портфейла - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! - Внимание: Ако шифрирате вашия портфейл и загубите паролата си, <b>ЩЕ ЗАГУБИТЕ ВСИЧКИ ДАРККОЙН МОНЕТИ!</b>! + Внимание: Ако шифрирате вашия портфейл и загубите паролата си, <b>ЩЕ ЗАГУБИТЕ ВСИЧКИ DASH МОНЕТИ!</b>! - + Are you sure you wish to encrypt your wallet? Наистина ли желаете да шифрирате портфейла си? - - + + Wallet encrypted Портфейлът е шифриран - - Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your darkcoins from being stolen by malware infecting your computer. - Dash ще се затвори сега, за да завърши процеса по шифриране. Запомнете, че шифрирането на вашия портфейл не може напълно да ви предпази от кражба на монетите от зловреден софтуер инфектирал компютъра ви. + + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. + Dash ще се затвори, за да завърши процеса по шифриране. Запомнете, че шифрирането на вашия портфейл не може напълно да ви предпази от кражба на монетите чрез зловреден софтуер инфектирал компютъра ви. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. ВАЖНО: Всички стари запазвания, които сте направили на Вашият портфейл трябва да замените с запазване на новополучения, шифриран портфейл. От съображения за сигурност, предишните запазвания на нешифрирани портфейли ще станат неизползваеми веднага, щом започнете да използвате новият, шифриран портфейл. - - - - + + + + Wallet encryption failed Шифрирането беше неуспешно - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Шифрирането на портфейла беше неуспешно, поради софтуерен проблем. Портфейлът не е шифриран. - - + + The supplied passphrases do not match. Паролите не съвпадат - + Wallet unlock failed Неуспешно отключване на портфейла - - - + + + The passphrase entered for the wallet decryption was incorrect. Паролата въведена за дешифриране на портфейла е грешна. - + Wallet decryption failed Дешифрирането на портфейла беше неуспешно - + Wallet passphrase was successfully changed. Паролата на портфейла беше променена успешно. - - + + Warning: The Caps Lock key is on! Внимание: Caps Lock (главни букви) е включен. @@ -358,437 +294,425 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - + + Dash Core - Дарккойн Ядро + Dash Ядро - + Wallet Портфейл - + Node Възел - [testnet] - [testnet] - - - + &Overview &Баланс - + Show general overview of wallet Обобщена информация за портфейла - + &Send &Изпращане - + Send coins to a Dash address - Изпращане на монети към Дарккойн адрес + Изпращане на монети към Dash адрес - + &Receive &Получаване - + Request payments (generates QR codes and dash: URIs) - Заявка за плащане (генерира QR кодове и Дарккойн: URI) + Заявка за плащане (генерира QR кодове и Dash: URI) - + &Transactions &Транзакции - + Browse transaction history История на транзакциите - + E&xit Из&ход - + Quit application Изход от приложението - + &About Dash Core - &За Дарккойн ядрото + &За Dash ядрото - Show information about Dash - Информация за Дарккойн - - - + Show information about Dash Core - + Покаци информация за Dash Core - - + + About &Qt За &Qt - + Show information about Qt Покажи информация за Qt - + &Options... &Опции... - + Modify configuration options for Dash - Промяна на опции за конфигуриране на Дарккойн + Промяна на опции за конфигуриране на Dash - + &Show / Hide &Показване / Скриване - + Show or hide the main Window Показване и скриване на основния прозорец - + &Encrypt Wallet... &Шифриране на портфейла... - + Encrypt the private keys that belong to your wallet Криптирай частните ключове принадлежащи към твоя портфейл - + &Backup Wallet... &Запазване на портфейла... - + Backup wallet to another location Запазване на портфейла на друго място - + &Change Passphrase... &Смяна на паролата... - + Change the passphrase used for wallet encryption - Променя паролата за портфейла + Променя паролата за криптиране на портфейла - + &Unlock Wallet... &Отключи Портфейл... - + Unlock wallet Отключване на портфейла - + &Lock Wallet &Заключи Портфейл - + Sign &message... Подписване на &съобщение... - + Sign messages with your Dash addresses to prove you own them - Подпиши съобщения с твоите Дарккойн адреси за да докажеш че ги притежаваш + Подпиши съобщения с твоите Dash адреси за да докажеш че ги притежаваш - + &Verify message... &Проверка на съобщение... - + Verify messages to ensure they were signed with specified Dash addresses - Проверете съобщенията, за да сте сигурни че са подписани с определен Дарккойн адрес + Проверете съобщенията, за да сте сигурни че са подписани с определен Dash адрес - + &Information Данни - + Show diagnostic information Покажи диагностична информация - + &Debug console - &Конзола + &Конзола за отстраняване на грешки - + Open debugging console Отваряне конзола за отстраняване на грешки - + &Network Monitor - &Диаграма на мрежата + &Наблюдение на мрежата - + Show network monitor Покажи наблюдение на мрежата - + + &Peers list + &Списък с пиъри + + + + Show peers info + Покажи информация за пиърите + + + + Wallet &Repair + Портфейл &Поправяне + + + + Show wallet repair options + Покажи опции за възстановяване на портфейла + + + Open &Configuration File Отвори &Конфигурационен файл - + Open configuration file Отвори конфигурационния файл - + + Show Automatic &Backups + Покажи автоматичните &Резервни копия + + + + Show automatically created wallet backups + Покажи автоматично направените резервни копия на портфейла + + + &Sending addresses... &Адреси за изпращане... - + Show the list of used sending addresses and labels Покажи списъкът от използваните адреси за изпращане и наименования - + &Receiving addresses... &Адреси за получаване - + Show the list of used receiving addresses and labels Покажи списъкът от използвани адреси за получаване и наименования - + Open &URI... Отвори &URI... - + Open a dash: URI or payment request Отвори Dash: URI или заявка за плащане - + &Command-line options &Опции на командния ред - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Dash Core клиент - + Processed %n blocks of transaction history. - - - - + Обработени %n блока от историята на транзакциите.Обработени %n блока от историята на транзакциите. + Show the Dash Core help message to get a list with possible Dash command-line options Покажи съобщението за помощ на Dash ядрото за да получиш списък на възможните опции за командния ред - + &File &Файл - + &Settings &Настройки - + &Tools &Инструменти - + &Help &Помощ - + Tabs toolbar - Раздели - - - Dash client - Дарккойн клиент + Лента с инструменти - + %n active connection(s) to Dash network - - %n активни връзки с Дарккойн мрежата - %n активни връзки с Дарккойн мрежата - + %n активни връзки към Dash мрежата%n активни връзки към Dash мрежата - + Synchronizing with network... Синхронизиране с мрежата... - + Importing blocks from disk... Въвеждат се блокове от диска... - + Reindexing blocks on disk... Преиндексиране на блокове на диска... - + No block source available... Няма източник на блокове... - Processed %1 blocks of transaction history. - Обработени %1 блока от историята с транзакции. - - - + Up to date Синхронизиран - + %n hour(s) - - %n час(а) - %n час(а) - + %n часа%n часа - + %n day(s) - - %n ден(а) - %n ден(а) - + %n дни%n дни - - + + %n week(s) - - %n седмица(и) - %n седмица(и) - + %n седмици%n седмици - + %1 and %2 %1 и %2 - + %n year(s) - - %n година(и) - %n година(и) - + %n години%n години - + %1 behind %1 назад - + Catching up... Зарежда блокове... - + Last received block was generated %1 ago. Последният получен блок беше генериран преди %1. - + Transactions after this will not yet be visible. Транзакции след това, все още няма да се виждат. - - Dash - Дарккойн - - - + Error Грешка - + Warning Предупреждение - + Information Информация - + Sent transaction Изходяща транзакция - + Incoming transaction Входяща транзакция - + Date: %1 Amount: %2 Type: %3 @@ -801,30 +725,25 @@ Address: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> - Портфейлът е <b>криптиран</b> и <b>отключен</b> + Портфейлът е <b>криптиран</b> и в момента <b>отключен</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Портфейлът е <b>шифриран</b> и в момента <b>отключен</b> само за анонимизиране - + Wallet is <b>encrypted</b> and currently <b>locked</b> - Портфейлът е <b>криптиран</b> и <b>заключен</b> - - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Възникна фатална грешка. Дарккойн не може да продължи безопасно и ще се изключи. + Портфейлът е <b>криптиран</b> и в момента <b>заключен</b> ClientModel - + Network Alert Предупреждение от мрежата @@ -832,325 +751,302 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - Избор на адреси с функцията контрол на монетата - - - + Quantity: Количество: - + Bytes: Байтове: - + Amount: Сума: - + Priority: Приоритет: - + Fee: Такса: - + Coin Selection - + Избор на монети - + Dust: - + Незначителен остатък: - + After Fee: След таксата: - + Change: Ресто: - + (un)select all (де)маркирай всичко - + Tree mode Режим дърво - + List mode Режим списък - + (1 locked) (1 заключен) - + Amount Сума - + Received with label - + Получени с наименование - + Received with address - + Получени с адрес - Label - Име - - - Address - Адрес - - - + Darksend Rounds - Дарксенд цикли + Darksend цикли - + Date Дата - + Confirmations Потвърждения - + Confirmed Потвърдени - + Priority Приоритет - + Copy address Копирай адрес - + Copy label - Копирай име + Копирай наименование - - + + Copy amount Копирай сума - + Copy transaction ID Копирай транзакция с ID - + Lock unspent Заключи неизхарченото - + Unlock unspent Отключи неизхарченото - + Copy quantity Копирай количество - + Copy fee Копирай таксата - + Copy after fee Копирай след таксата - + Copy bytes Копирай байтовете - + Copy priority Копирай приоритета - + Copy dust - + Копирай остатъка - + Copy change Копирай рестото - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Избрани са не-анонимизирани наличности. <b>Darksend ще бъде изключен.</b><br><br>Ако искате да използвате Darksend, моля отменете избора на всички не-анонимизирани наличности и след това изберете чекбокса на Darksend отново. + + + highest най-висок - + higher по-висок - + high висок - + medium-high средно-висок - + Can vary +/- %1 satoshi(s) per input. - + Може да варира +/- 1 satoshi(s) за вход. - + n/a няма такъв - - + + medium среден - + low-medium средно-нисък - + low нисък - + lower по-нисък - + lowest най-нисък - + (%1 locked) (%1 заключен) - + none липсва - Dust - Прах - - - + yes да - - + + no не - + This label turns red, if the transaction size is greater than 1000 bytes. - Това наименование се оцветява в червено, ако размерът на транзакцията е по-голям от 1000 байта. + Това наименование става червено, ако размерът на транзакцията е по-голям от 1000 байта. - - + + This means a fee of at least %1 per kB is required. Това означава, че е нужна такса поне %1 за кБ. - + Can vary +/- 1 byte per input. Може да варира +/- 1 байта за вход. - + Transactions with higher priority are more likely to get included into a block. Транзакции с по-висок приоритет е по-вероятно да бъдат включени в блок. - + This label turns red, if the priority is smaller than "medium". Това наименование става червено, ако приоритетът е по-малък от "среден". - + This label turns red, if any recipient receives an amount smaller than %1. Това наименование става червено, ако произволен получател получи сума по-малка от %1. - This means a fee of at least %1 is required. - Това означава, че се изисква такса най-малко %1. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Суми по-малки от 0.546 умножено по минималната такса за препредаване се показват като отпадък. - - - This label turns red, if the change is smaller than %1. - Това наименование става червено, ако рестото е по-малко от %1. - - - - + + (no label) (без наименование) - + change from %1 (%2) ресто от %1 (%2) - + (change) (ресто) @@ -1158,152 +1054,152 @@ Address: %4 DarksendConfig - + Configure Darksend - Настройка на Дарксенд + Настройка на Darksend - + Basic Privacy Нормална сигурност - + High Privacy Висока сигурност - + Maximum Privacy Максимална сигурност - + Please select a privacy level. - Моля изберете ниво на сигурност + Моля изберете ниво на сигурност. - + Use 2 separate masternodes to mix funds up to 1000 DASH - Използване на 2 различни мастернода за смесване на средства до 1000 DASH + Използване на 2 различни masternodes за смесване на средства до 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH - Използване на 8 различни мастернода за смесване на средства до 1000 DASH + Използване на 8 различни masternodes за смесване на средства до 1000 DASH - + Use 16 separate masternodes - Използване на 16 различни мастернода за смесване на средства до 1000 DASH + Използване на 16 различни masternodes за смесване на средства до 1000 DASH - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Това е най-бързият вариант, анонимизиране на 1000 DASH ще ви струва около 0.025 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Това е средно бърз вариант, анонимизиране на 1000 DASH ще ви струва около 0.05 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH за всеки 1000 DASH които анонимизирате. - + This is the slowest and most secure option. Using maximum anonymity will cost Това е най-бавния и най-сигурен начин. Използването на максимална анонимност ще ви коства - - - + + + Darksend Configuration - Настройка на Дарксенд + Настройка на Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. - Дарксенд беше успешно настроен на режим основен (%1 и 2 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Дарккойн. + Darksend беше успешно настроен на режим основен (%1 и 2 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Dash. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. - Дарксенд беше успешно настроен на режим висок (%1 и 8 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Дарккойн. + Darksend беше успешно настроен на режим висок (%1 и 8 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. - Дарксенд беше успешно настроен на режим максимум (%1 и 16 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Дарккойн. + Darksend беше успешно настроен на режим максимум (%1 и 16 цикъла). Можете да промените тази настройка по всяко време, като отворите конфигурационния прозорец на Dash. EditAddressDialog - + Edit Address Редактиране на адрес - + &Label &Наименование - + The label associated with this address list entry Наименованието се свързва с този запис от списъка с адреси - + &Address &Адрес - + The address associated with this address list entry. This can only be modified for sending addresses. Адресът свързан с този запис от списък с адреси. Може да бъде променен само за адреси за изпращане. - + New receiving address Нов адрес за получаване - + New sending address Нов адрес за изпращане - + Edit receiving address Редактиране на адрес за получаване - + Edit sending address Редактиране на адрес за изпращане - + The entered address "%1" is not a valid Dash address. - Въведеният адрес "%1" не е валиден Дарккойн адрес. + Въведеният адрес "%1" не е валиден Dash адрес. - + The entered address "%1" is already in the address book. Вече има адрес "%1" в списъка с адреси. - + Could not unlock wallet. Отключването на портфейла беше неуспешно. - + New key generation failed. Създаването на ключ беше неуспешно. @@ -1311,27 +1207,27 @@ Address: %4 FreespaceChecker - + A new data directory will be created. Ще се създаде нова папка за данни. - + name име - + Directory already exists. Add %1 if you intend to create a new directory here. Има такава папка. Добавете %1 ако искате да създадете нова папка тук. - + Path already exists, and is not a directory. Пътят вече съществува и не е папка. - + Cannot create data directory here. Не може да създадете папка за данни тук. @@ -1339,72 +1235,68 @@ Address: %4 HelpMessageDialog - Dash Core - Command-line options - Дарккойн ядро - опции на командния ред - - - + Dash Core - Дарккойн ядро + Dash ядро - + version версия - - + + (%1-bit) - (%1-битов) + (%1-битов) - + About Dash Core - За Дарккойн ядрото + За Dash ядрото - + Command-line options - + Опции за командния ред - + Usage: Използване: - + command-line options опции на командния ред - + UI options UI Опции - + Choose data directory on startup (default: 0) Избери папка с данни при стартиране (по подразбиране: 0) - + Set language, for example "de_DE" (default: system locale) Задаване на език, например "de_DE" (по подразбиране: какъвто е от системата) - + Start minimized Стартирай минимизиран - + Set SSL root certificates for payment request (default: -system-) Задай SSL основен сертификат при искане за плащане (по подразбиране: -system-) - + Show splash screen on startup (default: 1) Покажи начален екран при стартиране(по подразбиране: 1) @@ -1412,107 +1304,85 @@ Address: %4 Intro - + Welcome Добре дошли - + Welcome to Dash Core. - Добре дошли в ядрото на Дарккойн. + Добре дошли в ядрото на Dash. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. - Тъй като програмата се стартира за първи път вие може да изберете къде Дарккойн да съхранява своята информация. + Тъй като програмата се стартира за първи път вие може да изберете къде Dash да съхранява своята информация. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - Дарккойн ще свали и съхрани копие на Дарккойн регистъра на блокове. Информацията ще заеме поне 1ГБ пространство и ще нараства с времето. В тази папка ще бъде съхранен и портфейла. + Dash ще свали и съхрани копие на Dash регистъра на блокове. Информацията ще заеме поне 1ГБ пространство и ще нараства с времето. В тази папка ще бъде съхранен и портфейла. - + Use the default data directory Използвайте директория за данните по подразбиране - + Use a custom data directory: Определете папка по ваш избор: - Dash - Дарккойн - - - Error: Specified data directory "%1" can not be created. - Грешка: Посочената директория с данни "%1" не може да бъде създадена. - - - + Dash Core - + Dash ядро - + Error: Specified data directory "%1" cannot be created. - + Грешка: Посочената директория с данни "%1" не може да бъде създадена. - + Error Грешка - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 GB от свободното пространство - GB of free space available - ГБ свободно пространство - - - (of %1GB needed) - (от %1GB са необходими) + + (of %1 GB needed) + (от %1 GB са необходими) OpenURIDialog - + Open URI Отвори URI - + Open payment request from URI or file Отвори заявка за плащане от URI или файл - + URI: URI: - + Select payment request file Избор на файл за заявка за плащане - + Select payment request file to open Изберете за отваряне файл с заявка за плащане @@ -1520,313 +1390,281 @@ Address: %4 OptionsDialog - + Options Опции - + &Main &Основни - + Automatically start Dash after logging in to the system. - Автоматично стартиране на Дарккойн след влизане в системата. + Автоматично стартиране на Dash след влизане в системата. - + &Start Dash on system login - &Стартирне на Дарккойн при влизане в системата. + &Стартирне на Dash при влизане в системата. - + Size of &database cache Размер на &кеша на базата данни - + MB МБ - + Number of script &verification threads Брой нишки на &скриптовете за проверка - + (0 = auto, <0 = leave that many cores free) (0 = автоматично, <0 = оставете толкова неизползвани ядра) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> - <html><head/><body><p>Тази настройка определя броя на отделните Мастернодове чрез които ще се извършва анонимизирането. Повече цикли на анонимизиране дава по-висока степен на сигурност, но и таксите са по-големи.</p></body></html> + <html><head/><body><p>Тази настройка определя броя на отделните masternodes чрез които ще се извършва анонимизирането. Повече цикли на анонимизиране дава по-висока степен на сигурност, но и таксите са по-големи.</p></body></html> - + Darksend rounds to use - Използвани Дарккойн цикли + Използвани Dash цикли - + This amount acts as a threshold to turn off Darksend once it's reached. - Тази сума действа като праг, за да се изключи Дарксенд, когато той е достигнат. + Тази сума действа като праг, за да се изключи Darksend, когато той е достигнат. - + Amount of Dash to keep anonymized - Постоянно поддържано количество анонимни Дарккойн монети + Постоянно поддържано количество анонимни Dash монети - + W&allet П&ортфейл - + Accept connections from outside - + риемай връзки отвън - + Allow incoming connections - + Разрешени входящи връзки - + Connect to the Dash network through a SOCKS5 proxy. - + Свързване с мрежата на Dash чрез SOCKS5 прокси. - + &Connect through SOCKS5 proxy (default proxy): - + &Свързване през SOCKS5 прокси (прокси по подразбиране): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Опция за таксуване на транзакциите за кБ, която помага обработката на вашата транзакция да стане по-бързо. Повечето сделки са 1 кB. - - - Pay transaction &fee - &Такса за изходяща транзакция - - - + Expert - Опитен + Експерт - + Whether to show coin control features or not. Да покаже или скрие възможностите за контрол на монетата. - + Enable coin &control features Активиране &контролните функции на монетата - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Ако деактивирате харченето на непотвърдено ресто, рестото от транзакция няма да може да се използва преди да бъде получено поне едно потвърждение. Това се отразява и на начина на изчисление на баланса ви. - + &Spend unconfirmed change &Изхарчете непотвърденото ресто - + &Network &Мрежа - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. - Автоматично отваря порта за Дарккойн клиента в маршрутизатора. Това работи само когато вашият маршрутизатор поддържа UPnP и той е разрешен. + Автоматично отваря порта за Dash клиента в маршрутизатора. Това работи само когато вашият маршрутизатор поддържа UPnP и той е разрешен. - + Map port using &UPnP Отваряне на входящия порт чрез &UPnP - Connect to the Dash network through a SOCKS proxy. - Свързване с мрежата на Дарккойн чрез SOCKS прокси. - - - &Connect through SOCKS proxy (default proxy): - &Свързване през SOCKS прокси (прокси по подразбиране): - - - + Proxy &IP: - Прокси & АйПи: + Прокси & IP: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) IP адрес на прокси (напр. за IPv4: 127.0.0.1 / за IPv6: ::1) - + &Port: &Порт: - + Port of the proxy (e.g. 9050) Порт на прокси сървъра (пр. 9050) - SOCKS &Version: - SOCKS &Версия: - - - SOCKS version of the proxy (e.g. 5) - SOCKS версия на прокси сървъра (пр. 5) - - - + &Window &Прозорец - + Show only a tray icon after minimizing the window. След минимизиране ще е видима само иконата в системния трей. - + &Minimize to the tray instead of the taskbar &Минимизиране в системния трей - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. При затваряне на прозореца приложението остава минимизирано. Ако изберете тази опция, приложението може да се затвори само чрез Изход в менюто. - + M&inimize on close М&инимизиране при затваряне - + &Display &Интерфейс - + User Interface &language: - Език: + Език на потребителски &изглед : - + The user interface language can be set here. This setting will take effect after restarting Dash. - Тук можете да промените езика на потребителския интерфейс. Настройката ще влезе в сила след рестартиране на Дарккойн. + Тук можете да промените езика на потребителския изглед. Настройката ще влезе в сила след рестартиране на Dash. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Липсва език или превода е непълен? Можете да помогнете с превода тук: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Изглед на потребителския интерфейс: - + &Unit to show amounts in: Мерна единица за показваните суми: - + Choose the default subdivision unit to show in the interface and when sending coins. Изберете единиците, показвани по подразбиране в интерфейса. - Whether to show Dash addresses in the transaction list or not. - Да се показват ли адресите в списъка с транзакции или не. - - - &Display addresses in transaction list - &Адреси в списъка с транзакции - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. URL адреси на трети страни (например block Explorer), които се появяват в раздела с транзакции, като елементи от контекстното меню. %s в URL е заменен с хеша на транзакцията. Отделните URL адреси са разделени с вертикална линия |. - + Third party transaction URLs URL транзакции на трети страни - + Active command-line options that override above options: Активна опция от командния ред, която замества горните опции: - + Reset all client options to default. Изчисти всички опции до фабричните. - + &Reset Options &Изчисти настройките - + &OK - ОК + &ОК - + &Cancel - Отказ + &Отказ - + default - подразбиране + по подразбиране - + none - липсва + няма - + Confirm options reset Потвърди изчистване на настройките - - + + Client restart required to activate changes. За да влязат в сила промените е необходим рестарт на клиента. - + Client will be shutdown, do you want to proceed? - Клиентът ще бъде спрян, искате ли да продължите? + Клиентът ще бъде изключен, искате ли да продължите? - + This change would require a client restart. Тази промяна ще изисква рестартиране на клиента. - + The supplied proxy address is invalid. Текущият прокси адрес е невалиден. @@ -1834,650 +1672,495 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Формуляр - Wallet - Портфейл - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. - Показаната информация може да е остаряла. Вашият портфейл се синхронизира автоматично след изграждането на връзка с Дарккойн мрежата, но този процес все още не е завършен. + Показаната информация може да е остаряла. Вашият портфейл се синхронизира автоматично след изграждането на връзка с Dash мрежата, но този процес все още не е завършен. - + Available: Налично: - + Your current spendable balance Текущият ви баланс за харчене - + Pending: Изчакващо: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Общо транзакции, които предстоят да бъдат потвърдени, и все още не се включват към баланса за харчене - + Immature: Неотлежал: - + Mined balance that has not yet matured Изкопан баланс, който все още не е отлежал - + Balances - + Баланс - + Unconfirmed transactions to watch-only addresses - + Непотвърдени транзакции към наблюдаваните адреси - + Mined balance in watch-only addresses that has not yet matured - + Изкопан баланс в наблюдаваните адреси, който все още не е отлежал - + Total: Общо: - + Your current total balance Текущият ви общ баланс - + Current total balance in watch-only addresses - + настоящ общ баланс на наблюдаваните адреси - + Watch-only: - + Наблюдавани: - + Your current balance in watch-only addresses - + Вашият настоящ общ баланс на наблюдаваните адреси - + Spendable: - + Изразходени: - + Status: Статус: - + Enabled/Disabled Включено/Изключено - + Completion: Завършено: - + Darksend Balance: - Дарксенд баланс: + Darksend баланс: - + 0 DASH 0 DASH - + Amount and Rounds: Количество и цикли: - + 0 DASH / 0 Rounds 0 DASH / 0 Цикъла - + Submitted Denom: Изпратени за Denom: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Деноминираните суми, които сте изпратили към Мастернода. За смесване, другите потребители трябва да изпратят абсолютно същите деноминирани суми. - - - + n/a - Няма + Няма такова - - - - + + + + Darksend - Дарксенд + Darksend - + Recent transactions - + Последни транзакции - + Start/Stop Mixing Пусни/Спри Смесване - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Деноминираните суми, които сте изпратили към Masternode. За смесване, другите потребители трябва да изпратят абсолютно същите деноминирани суми. + + + (Last Message) (Последно съобщение) - + Try to manually submit a Darksend request. - Опитай ръчно изпращане на Дарксенд заявка. + Опитай ръчно изпращане на Darksend заявка. - + Try Mix Опитай смесване - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) - Изчистване на текущия статус на Дарксенд (може да прекъсне Дарксенд по време на миксиране, което може да ви коства пари!) + Изчистване на текущия статус на Darksend (може да прекъсне Darksend по време на миксиране, което може да ви коства пари!) - + Reset Изчистване - <b>Recent transactions</b> - <b>Последни транзакции</b> - - - - - + + + out of sync несинхронизиран - - + + + + Disabled Неактивно - - - + + + Start Darksend Mixing - Пусни Дарксенд смесването + Пусни Darksend смесването - - + + Stop Darksend Mixing - Спри Дарксенд смесването + Спри Darksend смесването - + No inputs detected Не са открити монети + + + + + %n Rounds + %n Цикли%n Цикли + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Открити са непотвърдени деноминирани средства, трябва да се изчака потвърждение за преизчисление . - - - Rounds - Цикли + + + Progress: %1% (inputs have an average of %2 of %n rounds) + В процес: %1% (входовете имат средно от %2 от %n цикли)В процес: %1% (входовете имат средно от %2 от %n цикли) - + + Found enough compatible inputs to anonymize %1 + Намерени са достатъчно съвместими постъпления за анонимизиране %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Няма достатъчно съвместими постъпления за анонимизиране <span style='color:red;'>%1</span>,<br/>ще бъдат анонимизирани <span style='color:red;'>%2</span> вместо + + + Enabled Активирано - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: - Последно Дарксенд съобщение: + Последно Darksend съобщение: - - - Darksend is idle. - Дарксенд бездейства. - - - - Mixing in progress... - В процес на смесване... - - - - Darksend request complete: Your transaction was accepted into the pool! - Дарккойн заявката е завършена: Вашата транзакция е била приета в басейна! - - - - Submitted following entries to masternode: - Изпратени са следните записи към Мастернод: - - - Submitted to masternode, Waiting for more entries - Изпратено към Мастернода, чака за още записи - - - - Found enough users, signing ... - Открити са достатъчно потребители, подписване - - - Found enough users, signing ( waiting. ) - Открити са достатъчно потребители, подписване ( изчаква. ) - - - Found enough users, signing ( waiting.. ) - Открити са достатъчно потребители, подписване ( изчаква.. ) - - - Found enough users, signing ( waiting... ) - Открити са достатъчно потребители, подписване ( изчаква... ) - - - - Transmitting final transaction. - Предава окончателната транзакция. - - - - Finalizing transaction. - Приключване на транзакцията. - - - - Darksend request incomplete: - Дарксенд заявката незавършена: - - - - Will retry... - Ще опита отново... - - - - Darksend request complete: - Дарксенд заявката е завършена: - - - Submitted to masternode, waiting in queue . - Изпратено към Мастернода, чака в опашката . - - - Submitted to masternode, waiting in queue .. - Изпратено към Мастернода, чака в опашката .. - - - Submitted to masternode, waiting in queue ... - Изпратено към Мастернода, чака в опашката ... - - - - Unknown state: - Неизвестно състояние: - - - + N/A N/A - + Darksend was successfully reset. - Дарксенд беше успешно нулиран. + Darksend беше успешно нулиран. - + Darksend requires at least %1 to use. - Дарксенд се нуждае от поне %1 за да започне. + Darksend се нуждае от поне %1 за да започне. - + Wallet is locked and user declined to unlock. Disabling Darksend. - Портфейлът е заключен и потребителя отказва отключване. Дарксенд е деактивиран. + Портфейлът е заключен и потребителя отказва отключване. Darksend е деактивиран. PaymentServer - - - - - - + + + + + + Payment request error Грешка в заявката за плащане - + Cannot start dash: click-to-pay handler - + Не може да стартира dash: кликни за плащане на притежателя - Net manager warning - Предупреждение от мрежовия мениджър - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Текущото ви прокси не поддържа SOCKS5, което е необходимо за извършване на заявка за плащане през прокси. - - - - - + + + URI handling Обработка на URI - + Payment request fetch URL is invalid: %1 Неправилен URL на заявка за плащане: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - Грешка при анализ на URI! Това може да е следствие от неправилен Дарккойн адрес или неправилно зададени URI параметри. - - - + Payment request file handling Обработка на файл със заявка за плащане - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Файлът със заявката за плащане не може да се прочете или обработи! Причината за това може да бъде невалиден файл със заявка за плащане. - - - + Invalid payment address %1 - Невалиден адрес за плащане %1 + Невалиден адрес за плащане %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + Грешка при анализ на URI! Това може да е следствие от неправилен Dash адрес или неправилно зададени URI параметри. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Файлът със заявката за плащане не може да се прочете! Причината за това може да бъде невалиден файл със заявка за плащане. - - - + + + Payment request rejected - + Заявката за плашане отказана - + Payment request network doesn't match client network. - + Заявка за плащане на мрежата не съвпада с клиентската мрежа. - + Payment request has expired. - + Заявката за плащане е изткла. - + Payment request is not initialized. - + Заявката за плащане не е инициализирана. - + Unverified payment requests to custom payment scripts are unsupported. Непотвърдените заявки за плащане към клиентски скриптове за плащане не се поддържат. - + Requested payment amount of %1 is too small (considered dust). Заявената сума за плащане: %1 е твърде малка (се приема за незначителен остатък) - + Refund from %1 Възстановяване от %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Заявка за плащане %1 е твърде голяма (%2 байта, позволени %3 bytes). - + Payment request DoS protection - + Заявката за плащане е DoS защитена - + Error communicating with %1: %2 - Грашка при комуникация с %1: %2 + Грeшка при комуникация с %1: %2 - + Payment request cannot be parsed! - + Заявката за плащане не може да бъде анализирана! - Payment request can not be parsed or processed! - Заявката за плащане не може да бъде анализирана или обработена! - - - + Bad response from server %1 Невалиден отговор от сървъра %1 - + Network request error Грешка в мрежовата заявка - + Payment acknowledged - Плащането е приета + Плащането е приетo PeerTableModel - + Address/Hostname - + Адрес/Име на хост - + User Agent - + Потребителски агент - + Ping Time - + Време пинг QObject - - Dash - Дарккойн - - - - Error: Specified data directory "%1" does not exist. - Грешка: Оказаната папка с данни "%1" не съществува. - - - - - - Dash Core - - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Грешка: Не може да се анализира конфигурационния файл: %1. Използвайте само синтаксис ключ=стойност. - - - - Error reading masternode configuration file: %1 - Грешка при четене на конфигурационния файл за Мастернод: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Грешка: Невалидна комбинация от -regtest и -testnet. - - - - Dash Core didn't yet exit safely... - Ядрото на Дарккойн все още не е приключило ... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Въведете Дарккойн адрес (напр. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Сума + Сума - + Enter a Dash address (e.g. %1) - + Въведете Dash адрес (напр.%1) - + %1 d - + %1 дни - + %1 h - %1 ч + %1 часа - + %1 m - %1 мин + %1 минути - + %1 s - + %1 сек. - + NETWORK - + МРЕЖА - + UNKNOWN - + НЕПОЗНАТ - + None - + няма - + N/A - N/A + Не е налично - + %1 ms - + %1 милисекунди QRImageWidget - + &Save Image... &Запиши изображението... - + &Copy Image &Копирай изображението - + Save QR Code Запази QR Кода - + PNG Image (*.png) PNG Image (*.png) @@ -2485,436 +2168,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Прозорец с инструменти - + &Information Данни - + Masternode Count - Брой Мастернодове + Брой Masternode - + General Главен - + Name Име - + Client name Име на клиента - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A N/A - + Number of connections Брой връзки - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. - Отваря файла за откриване на грешки на Дарккойн от текущата папка. За по-големите файлове това може да отнеме няколко секунди. + Отваря файла за откриване на грешки на Dash от текущата папка. За по-големите файлове това може да отнеме няколко секунди. - + &Open &Отвори - + Startup time - Време за зареждане + Време за стартиране - + Network Мрежа - + Last block time Време на последния блок - + Debug log file Лог-файл за откриване на грешки - + Using OpenSSL version Използване на OpenSSL версия - + Build date Дата на създаване - + Current number of blocks Текущ брой блокове - + Client version Версия на клиента - + Using BerkeleyDB version - + Използва BerkeleyDB версия - + Block chain Регистър на блокове - + &Console &Конзола - + Clear console Изчисти конзолата - + &Network Traffic &Мрежов трафик - + &Clear &Изчисти - + Totals Общо: - + Received - + Получени - + Sent - + Изпратени - + &Peers - + &Пиъри - - - + + + Select a peer to view detailed information. - + Избери пиър за подробна информация. - + Direction - + Направление - + Version - + Версия - + User Agent - + Потребителски агент - + Services - + Услуги - + Starting Height - + Стартираща височина - + Sync Height - + Синхронизирана височина - + Ban Score - + Точки за бан - + Connection Time - + Време на връзката - + Last Send - + Последно изпратени - + Last Receive - + Последно получени - + Bytes Sent - + Изпратени байтове - + Bytes Received - + Получени байтове - + Ping Time - + Време пинг - + + &Wallet Repair + &Поправяне на портфейла + + + + Salvage wallet + Възстановен портфейл + + + + Rescan blockchain files + Повторно сканиране на блокчейн файловете + + + + Recover transactions 1 + Възстановени транзакции 1 + + + + Recover transactions 2 + Възстановени транзакции 2 + + + + Upgrade wallet format + Обновен формат на портфейла + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + Бутоните отдолу ще рестартират портфейла с опция от командния ред за поправка на портфейла,ще фиксира проблеми с неправилни блок-верига файлове или липсващи/остарели транзакции. + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: Опит да се възстановят частни ключове от повреден wallet.dat + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Повторно сканиране на регистъра от блокове за липсващи транзакции в портфейла. + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Възстановява транзакции от блок веригата (запазва meta-data,напр. собственик на акаунта). + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Възстановява транзакции от блок веригата(отпада meta-data). + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + -upgradewallet: Надгражда до последната версия на портфейла при стартиране. (Белажка: това НЕ Е самообновяване на портфейла) + + + + Wallet repair options. + Опции за възстановяване на портфейла. + + + + Rebuild index + Възстановяване на индекса + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -reindex: Възстановява блок индекс веригата от настоящия blk000??.dat файл. + + + In: Вход: - + Out: Изход: - + Welcome to the Dash RPC console. - Добре дошли в Дарккойн RPC (Remote Procedure Call) конзолата. + Добре дошли в Dash RPC (Remote Procedure Call) конзолата. - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Използвайте стрелки надолу и нагореза разглеждане на историятаот команди и <b>Ctrl-L</b> за изчистване на конзолата. - + Type <b>help</b> for an overview of available commands. Напишете <b>help</b>, за да прегледате възможните команди. - + %1 B %1 Б - + %1 KB %1 КБ - + %1 MB %1 МБ - + %1 GB %1 ГБ - + via %1 - + чрез %1 - - + + never - + никога - + Inbound - + Входящи - + Outbound - + Изходящи - + Unknown - + Неизвестни - - + + Fetching... - - - - %1 m - %1 мин - - - %1 h - %1 ч - - - %1 h %2 m - %1 ч %2 мин + Привличане... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Повторна употреба на един от адресите за получаване. При повторно използване на адреси са възможни проблеми със сигурността и личната неприкосновеност. Не използвайте адреса, освен ако не ре-генерирате предишна заявка за плащане. - + R&euse an existing receiving address (not recommended) П&овторно използване на съществуващ адрес за получаване (не се препоръчва) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Възможност да се прикрепи съобщение към заявката за плащане, което да бъде показано при отваряне на заявката. Забележка: съобщението няма да бъде изпратено с плащането по мрежата на Дарккойн. + Възможност да се прикрепи съобщение към заявката за плащане, което да бъде показано при отваряне на заявката. Забележка: съобщението няма да бъде изпратено с плащането по мрежата на Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Съобщение: - - + + An optional label to associate with the new receiving address. - Възможност да се прикрепи етикет към новия адрес за получаване. + Възможност да се прикрепи наименование към новия адрес за получаване. - + Use this form to request payments. All fields are <b>optional</b>. Използвате този формуляр за заявяване на плащания. Всички полета са <b>незадължителни</b>. - + &Label: - &Име: + &Наименование: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Незадължително заявяване на сума. Оставете полето празно или нулево, за да не заявите конкретна сума. - + &Amount: &Сума - + &Request payment &Заявка за плащане - + Clear all fields of the form. Изчисти всички полета от формуляра. - + Clear Изчистване - + Requested payments history История на заявките за плащане - + Show the selected request (does the same as double clicking an entry) Покажи избраната заявка (прави същото като двойно щракане върху запис) - + Show Показване - + Remove the selected entries from the list Премахни избраните позиции от списъка - + Remove Премахване - + Copy label Копирай наименование - + Copy message Копиране на съобщението - + Copy amount Копирай сума @@ -2922,67 +2664,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code QR Код - + Copy &URI Копирай &URI - + Copy &Address &Копирай адрес - + &Save Image... &Запиши изображението... - + Request payment to %1 Заявка за плащане на %1 - + Payment information Данни за плащането - + URI URI - + Address Адрес - + Amount Сума - + Label Наименование - + Message Съобщение - + Resulting URI too long, try to reduce the text for label / message. - Получения URI е твърде дълъг, опитайте да съкратите текста на етикета / съобщението. + Получения URI е твърде дълъг, опитайте да съкратите текста на наименованието / съобщението. - + Error encoding URI into QR Code. Грешка при създаването на QR Code от URI. @@ -2990,37 +2732,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Дата - + Label Наименование - + Message Съобщение - + Amount Сума - + (no label) - (без наименование) + (няма наименование) - + (no message) (няма съобщение) - + (no amount) (липсва сума) @@ -3028,404 +2770,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins - Изпращане + Изпращане на монети - + Coin Control Features Функции за контрол на монетата - + Inputs... Входове... - + automatically selected автоматично избрано - + Insufficient funds! Недостатъчно средства! - + Quantity: Количество: - + Bytes: Байтове: - + Amount: Сума: - + Priority: Приоритет: - + medium среден - + Fee: Такса: - + Dust: - + Незначителен остатък: - + no не - + After Fee: След таксата: - + Change: Ресто: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Ако това е активирано, но адреса за рестото е неверен или празен, рестото ще бъде изпратено към новосъздаден адрес. - + Custom change address Адрес за ресто по избор - + Transaction Fee: - + Такса транзакция: - + Choose... - + Избери... - + collapse fee-settings - + Показване настройки за такса - + Minimize - + Минимизиране - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Ако променената такса е 1000 duffs и транзакцията е само 250 байта, тогава "за килобайт" само плаща такса 250 duffs, тогава"за последно" заплаща 1000 duffs. За транзакции по-големи от килобайт едновременно се заплащат от килобайт. - + per kilobyte - + за килобайт - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Ако променената такса е 1000 duffs и транзакцията е само 250 байта, тогава "за килобайт" само плаща такса 250 duffs, тогава"за последно" заплаща 1000 duffs. За транзакции по-големи от килобайт едновременно се заплащат от килобайт. - + total at least - + сбор на края - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + Разплащането само минималната такса ще продължи толкова дълго,докато транзакцията заема по-малък обем в блоковото пространство. Но имайте предвид, че транзакцията може да се окаже без първоначално потвърждение ако се появи голямо търсене на dash транзакции отколкото мрежата може да обработи. - + (read the tooltip) - + (прочети пояснението) - + Recommended: - + Препоръчано: - + Custom: - + Персонализиран: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + (Смарт таксата не е разпозната все още.Това ще отнеме няколко блока... ) - + Confirmation time: - + Време за потвърждение: - + normal - + нормално - + fast - + бързо - + Send as zero-fee transaction if possible - + Изпрати с нулева такса за транзакция ако е възможно - + (confirmation may take longer) - + (потвърждението може да отнеме повече време) - + Confirm the send action Потвърдете изпращането - + S&end И&зпрати - + Clear all fields of the form. Изчисти всички полета от формуляра. - + Clear &All - &Изчисти + Изчисти &всичко - + Send to multiple recipients at once Изпращане към повече от един получател - + Add &Recipient Добави &получател - + Darksend - Дарксенд + Darksend - + InstantX InstantX - + Balance: Баланс: - + Copy quantity Копирай количеството - + Copy amount Копирай сумата - + Copy fee Копирай таксата - + Copy after fee Копирай след таксата - + Copy bytes Копирай байтовете - + Copy priority Копирай приоритета - - Copy low output - Копирай недостатъчна наличност + + Copy dust + Копирай остатъка - + Copy change Копирай рестото - - - + + + using - , използвайки + използвайки - - + + anonymous funds анонимни средства - + (darksend requires this amount to be rounded up to the nearest %1). - (Дарксенд изисква тази сума да бъде закръглена до най-близката %1). + (darksend изисква тази сума да бъде закръглена до най-близката %1). - + any available funds (not recommended) всякакви налични средства (не се препоръчва) - + and InstantX и InstantX - - - - + + + + %1 to %2 %1 до %2 - + Are you sure you want to send? Наистина ли искате да изпратите? - + are added as transaction fee се добавя като такса за транзакция - + Total Amount %1 (= %2) Пълна сума %1 (= %2) - + or или - + Confirm send coins Потвърди изпращането на монетите - Payment request expired - Заявката за плащане е изткла. + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Такса %1 е по-голяма от %2 за kB се счита за твърде висока такса. + + + + Estimated to begin confirmation within %n block(s). + Очаква се да започне потвърждение в %n блока.Очаква се да започне потвърждение в %n блока. - Invalid payment address %1 - Невалиден адрес за плащане %1 - - - + The recipient address is not valid, please recheck. Невалиден адрес на получателя. - + The amount to pay must be larger than 0. Сумата трябва да е по-голяма от 0. - + The amount exceeds your balance. Сумата надвишава текущия баланс - + The total exceeds your balance when the %1 transaction fee is included. Общият сбор надхвърля вашия баланс, когато се добави %1 такса за операцията. - + Duplicate address found, can only send to each address once per send operation. - Намерен е дублиран адрес, може да се изпраща само по веднъж до всеки адрес в рамките на една операция изпращане. + Намерен е дублиран адрес, може да се изпраща само по веднъж до всеки адрес в рамките на едно изпращане. - + Transaction creation failed! Грешка при създаването на транзакция! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Транзакцията беше отхвърлена! Това може да се случи, ако някои от монетите в портфейла ви, вече са изразходвани, например ако се използва копие от wallet.dat и монетите са изразходвани в копието, но не са отбелязани като изразходвани тук. - + Error: The wallet was unlocked only to anonymize coins. Грешка: Портфейлът е отключен само за анонимизиране на монети. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Плати само минималната такса от %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address - Внимание: Невалиден Дарккойн адрес + Внимание: Невалиден Dash адрес - + Warning: Unknown change address Внимание: Непознат адрес за ресто - + (no label) (без наименование) @@ -3433,102 +3167,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Това е нормално плащане. - + Pay &To: Плати &На: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Адрес, на който ще изпратите плащането (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + Dash адресът да изпрати плащането към - + Choose previously used address Изберете използван преди адрес - + Alt+A Alt+A - + Paste address from clipboard Вмъкни от клипборда - + Alt+P Alt+P - - - + + + Remove this entry Премахване на този запис - + &Label: &Наименование: - + Enter a label for this address to add it to the list of used addresses Въведете наименование за този адрес, за да го добавите в списъка с адреси - - - + + + A&mount: С&ума: - + Message: Съобщение: - - A message that was attached to the darkcoin: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. - Съобщението което беше прикрепено към darkcoin: URI ще бъде запазено с транзакцията за ваше сведение. Забележка: Това съобщение няма да бъде изпратено през Dash мрежата. + + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. + Съобщението което беше прикрепено към dash: URI ще бъде запазено с транзакцията за ваше сведение. Забележка: Това съобщение няма да бъде изпратено през Dash мрежата. - + This is an unverified payment request. Това е непроверена заявка за плащане. - - + + Pay To: Плащане на: - - + + Memo: Бележка: - + This is a verified payment request. Това е валидно искане за плащане. - + Enter a label for this address to add it to your address book Въведете наименование за този адрес, за да го добавите в списъка с адреси @@ -3536,12 +3266,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... - Дарккойн ядрото се изключва... + Dash ядрото се изключва... - + Do not shut down the computer until this window disappears. Не изключвайте компютърът докато не изчезне този прозорец. @@ -3549,185 +3279,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Подписи - Подпиши / Провери съобщение - + &Sign Message &Подпиши - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Можете да подпишете съобщение като доказателство, че притежавате определен адрес. Бъдете внимателни и не подписвайте съобщения, които биха разкрили лична информация без вашето съгласие. - + The Dash address to sign the message with - + Dash адресът да подпише съобщението - - + + Choose previously used address Изберете използван преди адрес - - + + Alt+A Alt+A - + Paste address from clipboard Вмъкни адрес от клипборда - + Alt+P Alt+P - + Enter the message you want to sign here Въведете съобщението тук - + Signature Подпис - + Copy the current signature to the system clipboard - Копиране на текущия подпис + Копиране на текущия подпис в системния клипборд - + Sign the message to prove you own this Dash address - Подпиши съобщението за да докажеш че притежаваш този Дарккойн адрес + Подпиши съобщението за да докажеш че притежаваш този Dash адрес - + Sign &Message Подпиши &съобщение - + Reset all sign message fields - Изчисти полето с подписаните съобщения. + Изчисти всички подписаните съобщения - - + + Clear &All &Изчисти - + &Verify Message &Провери съобщението - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. - Въведете подписания адрес, съобщението (уверете се, че сте копирали редовете, спациите, табовете и другите точно) и подпишете отдолу, за да удостоверите съобщението. Внимавайте да не вмъкнете излишни символи в подписа от това, което е в самото съобщение, за избегнете риска от злонамерна външа намеса. + Въведете подписания адрес, съобщението (уверете се, че сте копирали редовете, спациите, табовете и другите точно) и подпишете отдолу, за да удостоверите съобщението. Внимавайте да не вмъкнете излишни символи в подписа от това, което е в самото съобщение, за да избегнете риска от злонамерна външа намеса. - + The Dash address the message was signed with - + Dash адресът ,с който е подписано съобщението - + Verify the message to ensure it was signed with the specified Dash address - Проверете съобщението, за да сте сигурни че е подписано с определен Дарккойн адрес + Проверете съобщението, за да сте сигурни че е подписано с определен Dash адрес - + Verify &Message Провери &Съобщение - + Reset all verify message fields Изчисти всички проверени съобщения в полето - + Click "Sign Message" to generate signature Натиснете "Подписване на съобщение" за да създадете подпис - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Въведете Дарккойн адрес (напр. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Въведеният адрес е невалиден. - - - - + + + + Please check the address and try again. Моля проверете адреса и опитайте отново. - - + + The entered address does not refer to a key. Въведеният адрес не може да се съпостави с валиден ключ. - + Wallet unlock was cancelled. Отключването на портфейла беше отменено. - + Private key for the entered address is not available. Не е наличен частен ключ за въведеният адрес. - + Message signing failed. Подписването на съобщение беше неуспешно. - + Message signed. Съобщението е подписано. - + The signature could not be decoded. Подписът не може да бъде декодиран. - - + + Please check the signature and try again. Проверете подписа и опитайте отново. - + The signature did not match the message digest. Подписът не отговаря на комбинацията от съобщение и адрес. - + Message verification failed. Проверката на съобщението беше неуспешна. - + Message verified. Съобщението е потвърдено. @@ -3735,27 +3461,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core - Дарккойн Ядро + Dash Ядро - + Version %1 Версия %1 - + The Bitcoin Core developers - Водещи Биткойн разработчици + Водещи Bitcoin разработчици - + The Dash Core developers - Водещи Дарккойн разработчици + Водещи Dash разработчици - + [testnet] [testnet] @@ -3763,7 +3489,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s КБ/с @@ -3771,267 +3497,258 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - - - + Отворен за още %n блокаОтворен за още %n блока - + Open until %1 Подлежи на промяна до %1 - - - - + + + + conflicted конфликтно - + %1/offline (verified via instantx) %1/офлайн(проверено през instantx) - + %1/confirmed (verified via instantx) %1/потвърдени (проверено от instantx) - + %1 confirmations (verified via instantx) %1 потвърждения (проверено от instantx) - + %1/offline %1/офлайн - + %1/unconfirmed %1/непотвърдени - - + + %1 confirmations включена в %1 блока - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/офлайн (InstantX проверка в процес - %2 of %3 подписани) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/потвърдени (InstantX проверка в процес - %2 of %3 подписани ) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 потвърждения (InstantX проверка в процес - %2 of %3 подписвания) - + %1/offline (InstantX verification failed) %1/офлайн (InstantX проверката е неуспешна) - + %1/confirmed (InstantX verification failed) %1/потвърдени (InstantX проверката е неуспешна) - + Status Статус - + , has not been successfully broadcast yet , все още не е изпратено - + , broadcast through %n node(s) - - - - + , излъчено през %n нода, излъчено през %n нода - + Date Дата - + Source Източник - + Generated Издадени - - - + + + From От - + unknown неизвестен - - - + + + To За - + own address собствен адрес - - + + watch-only - + наблюдавани - + label наименование - - - - - + + + + + Credit Кредит - + matures in %n more block(s) - - отлежава след %n блок(а) - отлежава след %n блок(а) - + отлежава след %n блокаотлежава след %n блока - + not accepted не е приет - - - + + + Debit Дебит - + Total debit - + Общо дебит - + Total credit - + Общо кредит - + Transaction fee Такса - + Net amount Нетна сума - - + + Message Съобщение - + Comment Коментар - + Transaction ID - на транзакцията + ID на транзакцията - + Merchant Търговец - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Генерираните монети трябва да отлежат %1 блока преди да могат да се използват. Когато генерирате този блок той бива излъчен в мрежата, за да се добави в регистъра на блокове. Ако добавянето в регистъра е неуспешно, състоянието му ще е "неприет" и няма да можете да използвате тези монети. Това се случва понякога, когато друг възел генерира блок по същото време с вас. - + Debug information Информация за грешки - + Transaction Транзакция - + Inputs Входящи - + Amount Сума - - + + true - true + вярно - - + + false - false + грешно TransactionDescDialog - + Transaction details Транзакция - + This pane shows a detailed description of the transaction Описание на транзакцията @@ -4039,164 +3756,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Дата - + Type Тип - + Address Адрес - - Amount - Сума - - + Open for %n more block(s) - - - - + Отворен за още %n блокаОтворен за още %n блока - + Open until %1 Подлежи на промяна до %1 - + Offline Офлайн - + Unconfirmed Непотвърдено - + Confirming (%1 of %2 recommended confirmations) Потвърждаване (%1 от %2 препоръчвани потвърждения) - + Confirmed (%1 confirmations) Потвърдени (%1 потвърждения) - + Conflicted Конфликтно - + Immature (%1 confirmations, will be available after %2) Неотлежал (%1 потвърждения, ще бъдат на разположение след %2) - + This block was not received by any other nodes and will probably not be accepted! Блокът не е получен от останалите участници и най-вероятно няма да бъде одобрен. - + Generated but not accepted - Генерирана, но отхвърлена от мрежата + Генерирана, но отхвърлена - + Received with Получени с - + Received from Получен от - + Received via Darksend Получени с Darksend - + Sent to Изпратени на - + Payment to yourself Плащане към себе си - + Mined Емитирани - + Darksend Denominate Darksend деноминация - + Darksend Collateral Payment Darksend обезпечава плащането - + Darksend Make Collateral Inputs Darksend направи обезпечение на постъпленията - + Darksend Create Denominations Darksend направени деноминации - + Darksent Darksent - + + watch-only + наблюдавани + + + (n/a) (n/a) - + Transaction status. Hover over this field to show number of confirmations. Състояние на транзакцията. Задръжте върху това поле за да видите броя потвърждения. - + Date and time that the transaction was received. Дата и час на получаване на транзакцията. - + Type of transaction. Вид транзакция. - + Whether or not a watch-only address is involved in this transaction. - + Дали има или не наблюдаван/watch-only адрес участващ в тази транзакция. - + Destination address of transaction. Адрес на получател на транзакцията. - + Amount removed from or added to balance. Сума извадена или добавена към баланса. @@ -4204,207 +3919,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Всички - + Today Днес - + This week Тази седмица - + This month Този месец - + Last month Предния месец - + This year Тази година - + Range... От - до... - + + Most Common + Най-често + + + Received with Получени - + Sent to Изпратени на - + Darksent Darksent - + Darksend Make Collateral Inputs Darksend направи обезпечение на постъпленията - + Darksend Create Denominations Darksend създава деноминации - + Darksend Denominate Darksend деноминация - + Darksend Collateral Payment Darksend обезпечава плащането - + To yourself - Собствени + За себе си - + Mined Емитирани - + Other Други - + Enter address or label to search Търсене по адрес или наименование - + Min amount Минимална сума - + Copy address Копирай адрес - + Copy label Копирай наименование - + Copy amount Копирай сума - + Copy transaction ID Копирай транзакция с ID - + Edit label Редактирай наименование - + Show transaction details Подробности за транзакцията - + Export Transaction History Изнасяне историята на транзакциите - + Comma separated file (*.csv) CSV файл (*.csv) - + Confirmed Потвърдени - + Watch-only - + Наблюдавани - + Date Дата - + Type Тип - + Label Наименование - + Address Адрес - Amount - Сума - - - + ID ИД - + Exporting Failed Грешка при изнасянето - + There was an error trying to save the transaction history to %1. Възникна грешка при опит за записване историята на транзакциите в %1. - + Exporting Successful Изнасянето е успешно - + The transaction history was successfully saved to %1. Направените транзакции са запазени до %1. - + Range: От: - + to до @@ -4412,15 +4128,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Единица за показване на количеството.Клик за избиране на друга единица. WalletFrame - + No wallet has been loaded. Няма зареден портфейл. @@ -4428,56 +4144,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins Изпращане - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - InstantX не поддържа изпращане на толкова големи суми. Транзакциите са ограничени до %n DASH.InstantX не поддържа изпращане на толкова големи суми. Транзакциите са ограничени до %n DASH. + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX не поддържа изпращане на толкова големи суми. Транзакциите са ограничени до %1 DASH. WalletView - + &Export &Изнеси - + Export the data in the current tab to a file Запишете данните от текущия раздел във файл - + Backup Wallet Запазване на портфейла - + Wallet Data (*.dat) Данните за портфейла(*.dat) - + Backup Failed Неуспешно запазване на портфейла - + There was an error trying to save the wallet data to %1. Възникна грешка при опит за записване данните на портфейла в %1. - + Backup Successful Успешно запазване на портфейла - + The wallet data was successfully saved to %1. Базата на портфейла беше запазена успешно в %1. @@ -4485,8 +4203,503 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Свързва се с посочения адрес и винаги слуша за него. Използвайте [хост]:порт за изписване при IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Не може да се заключи дата директорията %s. Dash ядрото вече работи. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend използва всички деноминирани наличности за да изпрати сумата, може би ще е необходимо да бъдат анонимизирани още монети. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Влиза в регресивен тестов режим, който използва специална верига в която блоковете могат да бъдат намерени мигновено. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Грешка: Очакването на входящи връзки е неуспешно (върната грешка %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Изпълни командата когато се получи съответното предупреждение или се появи друг проблем с мрежата (%s в cmd е подменено от съобщение) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Изпълнете командата когато транзакцията в портфейла се променя (%s в cmd е подменено с TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Изпълнете командата когато има промяна в най-добрият блок (%s в cmd е подменена от block hash) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Намерени са непотвърдени деноминирани средства, трябва да изчакате потвърждаването им за да продължите + + + + In this mode -genproclimit controls how many blocks are generated immediately. + В този режим -genproclimit се контролира колко блока са генерирани моментално. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX изисква средства с поне 6 потвърждения, може да се наложи да почакате няколко минути и да опитате отново. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Име за създаване на URL за KeePass входа , който съхранява паролата за портфейла + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Заявка за адреси на пиъри чрез DNS справка, ако адресите са недостатъчно (по-подразбиране: 1 освен ако -свързан) + + + + Set external address:port to get to this masternode (example: address:port) + Задаване на външен адрес:порт на този masternode (пример: адрес:порт) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Определя максималния размер на висок приоритет/ниска такса за транзакция в байтове (по подразбиране: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Задаване броя на нишките потвърждаващи скрипта (%u до %d, 0 = автоматично, <0 = да се оставят толкова ядра свободни, по подразбиране: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Това е предварителна тест версия - използвайте я на ваша отговорност - не използвайте за копане или за търговски приложения. + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Не може да се свърже с %s на този компютър. Dash ядрото най-вероятно вече работи. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Не са намерени достатъчно Darksend деноминирани средства за тази транзакция. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Не са намерени достатъчно Darksend неденоминирани средства за тази транзакция, които не са равни на 1000 DASH. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Не са намерени достатъчно Darksend неденоминирани средства за тази транзакция. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Внимание: -paytxfee е с много голяма зададена стойност! Това е транзакционната такса, която ще платите ако направите транзакция. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Внимание! Изглежда няма пълно съгласуване в мрежата! Някой копачи изглежда изпитват проблеми. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Внимание: Не е намерена пълна съвместимост с останалите в мрежата ! Може би се нуждаете от обновяване , или някой от другите нодове се нуждае от обновяване . + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Внимание: грешка при четене на wallet.dat! Всички ключове са прочетени коректно, но записи в данните за транзакциите или в адресната книга може би липсват или са грешни. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Внимание: wallet.dat е развален, данните са спасени! Оригиналния wallet.dat е запазен като wallet.{timestamp}.bak в %s; ако твоят баланс или транзакции са неверни трябва да възстановите от резервното копие. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Трябва да посочите masternodeprivkey в конфигурацията. Моля прочетете документацията за помощ. + + + + (default: 1) + (по подразбиране 1) + + + + Accept command line and JSON-RPC commands + Приемай команден ред и JSON-RPC команди + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Приемай връзки отвън (по подразбиране: 1, ако няма -proxy или -connect) + + + + Add a node to connect to and attempt to keep the connection open + Добави възел, към който да се свърже и поддържай връзката отворена + + + + Allow DNS lookups for -addnode, -seednode and -connect + Разреши DNS справка за -addnode, -seednode и -connect + + + + Already have that input. + Вече има такъв вход. + + + + Attempt to recover private keys from a corrupt wallet.dat + Опит да се възстановят частни ключове от повреден wallet.dat + + + + Block creation options: + Опции за създаване на блок: + + + + Can't denominate: no compatible inputs left. + Не може да бъде деноминирано: няма останали съвместими входящи средства. + + + + Cannot downgrade wallet + Връщане към по-стара версия на портфейла е невъзможно + + + + Cannot resolve -bind address: '%s' + Не може да установи -bind адрес: '%s' + + + + Cannot resolve -externalip address: '%s' + Не може да установи -externalip адрес: '%s' + + + + Cannot write default address + Не може да напише адреса по подразбиране + + + + Collateral not valid. + Обезпечението невалидно. + + + + Connect only to the specified node(s) + Свързване само към определена възлова точка(и) + + + + Connect to a node to retrieve peer addresses, and disconnect + Свържи се с възел за зараждане на адреси на пиъри, след това прекъсни връзката + + + + Connection options: + Настройки на връзката: + + + + Corrupted block database detected + Открита е повредена блок база данни + + + + Darksend is disabled. + Darksend е изключен. + + + + Darksend options: + Опции на Darksend: + + + + Debugging/Testing options: + Опции за Откриване на грешки/Тестване: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Открий собствения IP адрес (по подразбиране: 1, когато слуша и няма -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Не зареждай портфейла и деактивирай RPC повикванията на портфейла + + + + Do you want to rebuild the block database now? + Искате ли да възстановяване блок базата данни сега? + + + + Done loading + Зареждането е завършено + + + + Entries are full. + Записите са пълни + + + + Error initializing block database + Грешка при инициализация на блок базата данни + + + + Error initializing wallet database environment %s! + Грешка при инициализиране на средата на базата данни на портфейла %s! + + + + Error loading block database + Грешка при зареждане на блок базата данни + + + + Error loading wallet.dat + Грешка при зареждане на wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Грешка при зареждане на wallet.dat: портфейлът е повреден + + + + Error opening block database + Грешка при отваряне на блок базата данни + + + + Error reading from database, shutting down. + Грешка при четене от базата данни, изключване. + + + + Error recovering public key. + Грешка при възстановяване на публичния ключ. + + + + Error + Грешка + + + + Error: Disk space is low! + Грешка: Мястото на твърдия диск е малко! + + + + Error: Wallet locked, unable to create transaction! + Грешка: Портфейлът е заключен, транзакцията е невъзможна! + + + + Error: You already have pending entries in the Darksend pool + Грешка: Вече имате чакащи вписвания в Darksend басейна + + + + Failed to listen on any port. Use -listen=0 if you want this. + Неуспешно "слушане" на всеки порт. Използвайте -listen=0 ако искате това. + + + + Failed to read block + Неуспешно четене на блок + + + + If <category> is not supplied, output all debugging information. + Ако <category> не е предоставена, изведи цялата информация за отстраняването на грешки. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1 =запазва tx meta data напр.акаунта на собственика и информация за искането за плащане, 2 = отпада tx meta data) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + Позволява JSON-RPC връзки от определен източник. Важи за <IP> са един единствен IP (например 1.2.3.4), мрежа / мрежова маска (напр. 1.2.3.4/255.255.255.0) или мрежа / CIDR (напр. 1.2.3.4/24). Тази опция може да бъде променяна многократно + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + Възникна грешка при настройване на RPC адрес %s порт %u за слушане: %s + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + Свързва се с посочения адрес и добави в whitelist свързаните към него пиъри. Използвайте [хост]:порт за изписване при IPv6 + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + Свързват с даден адрес, за да слушат за JSON-RPC връзки. Използвайте [host]: port нотация за IPv6. Тази опция може да бъде променяна многократно (по подразбиране: свързват с всички интерфейси) + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + Променете автоматичното финализиране гласуването на бюджет. Режим = Auto: Гласувайте само за точно финализиран съвпадащ с моят генериран бюджет. (string,, по подразбиране: auto) + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + Непрекъснат лимит на безплатните транзакции до <n>*1000 байта в минута (по подразбиране:%u) + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + Създаване на нови файлове с достъп по подразбиране , вместо umask 077 (в сила само при изключена функционалност на портфейла) + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + Изтриване на всички транзакции на портфейла и възстановява само тези части на блок веригата чрез -rescan при стартиране + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + Изключване на свързаните с Darksend и Мастернод функции (0-1, по подразбиране: %u) + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + Разпространява се под MIT софтуерен лиценз,вижте придружаващият файл COPYING или<http://www.opensource.org/licenses/mit-license.php>. + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Включен instantx,покажи потвърждения за заключени транзакции (bool, по подразбиране: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + Включено автоматично използване на darksend за средствата в този портфейл (0-1, по подразбиране: %u) + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + Грешка: Открит е неподдържан аргумент -socks .настройка SOCKS версия вече не е възможна, само SOCKS5 прокси се поддържа. + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + Такси (в DASH/Kb) по-малки от това се считат за нулева такса за прилагане (по подразбиране: %s) + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + Такси (в DASH/Kb) по-малки от това се считат за нулева такса при създаване на транзакция (по подразбиране: %s) + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + Изчиствай активността по базата от паметта към лог на диска на всеки <n> мегабайта (по подразбиране: %u) + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + Как цялостната проверка на блок от -checkblocks е (0-4, по подразбиране: %u) + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + Ако paytxfee не е зададен,включва достатъчно такса, така транзакциите започват потвърждение средно в рамките n блокове(по подразбиране: %u) + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + Невалидна сума за -maxtxfee=<amount>: '%s' (трябва да бъде най-малко от %s за да се избегне забиване на транзакциите) + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + Запиши в лога приоритета на транзакцията и таксата за КБ при добив на блокове (по подразбиране: %u) + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + Поддържай пълен списък с транзакциите, използван от getrawtransaction rpc повикването (по подразбиране: %u) + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + Максимален размер на данните в данни съдържащите транзакции , които можем да предадем или изкопаем (по подразбиране: %u) + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + Максимална крайна такса използвана в единична транзакция, ако настроите твърде малка няма да бъдят възможни големи транзакции (по подразбиране: %s) + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + Брой секунди до възтановяване на връзката за зле държащите се пиъри (по подразбиране %u) + + + + Output debugging information (default: %u, supplying <category> is optional) + Изходяща информация за грешки (по подразбиране: %u, задаването на <category> е опция) + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + Осигуряване на ликвидност Darksend от рядко смесване монети непрекъснато в съответствие (0-100, по подразбиране: %u, 1=много чести, високи такси, 100=твърде редки, ниски такси) + + + + Require high priority for relaying free or low-fee transactions (default:%u) + Определя максималния приоритет за свободно предаване или ниска такса за транзакция (по подразбиране:%u) + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + Задай брой заявки, когато се използва генериране (-1 =всички ядра, по подразбиране: %d) + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + Покажи N потвърждения при успешно заключена транзакция (0-9999, по подразбиране: %u) + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + Този продукт включва софтуер, разработен от проекта OpenSSL за използване в OpenSSL Toolkit <https://www.openssl.org/> и криптографски софтуер, написан от Eric Young и UPnP софтуер, написан от Thomas Bernard. + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4497,1355 +4710,913 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, трябва да зададете rpcpassword в конфигурационния файл: -%s -Препоръчително е да използвате следната произволна парола: -rpcuser=darkcoinrpc -rpcpassword=%s -(не е нужно да запомняте тази парола) -Потребителя и паролата НЕ ТРЯБВА да са еднакви. -Ако файла не съществува , създайте го с права за само за четене. -Препоръчително е да създадете сигнал за уведомяване за да бъдете осведомени при проблем; -Пример: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com + За използване на dashd, или the -server опция към dash-qt, трябва да зададете rpcpassword в конфигурационния файл: %s Препоръчително е да използвате следната произволна парола: rpcuser=dashrpc rpcpassword=%s (не е нужно да запомняте тази парола) Потребителя и паролата НЕ ТРЯБВА да са еднакви. Ако файла не съществува , създайте го с права за само за четене. Препоръчително е да създадете сигнал за уведомяване за да бъдете осведомени при проблем; Пример: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Разрешени шифри (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + Използва отделен SOCKS5 прокси, за достигне на пиъри чрез Tor скрити услуги (по подразбиране: %s) - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Възникна грешка при настройване на RPC порт %u за очакване на IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + Внимание: -maxtxfee е с много голяма зададена стойност! Това е транзакционната такса, която ще платите ако направите единична транзакция. - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Възникна грешка при настройване на RPC порт %u за очакване на IPv6, връщане към IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + Внимание: Моля проверете дали датата и часът на вашият компютър са верни! Ако часовникът ви не е сверен, Dash Core няма да работи правилно. - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Свързва се с посочения адрес и винаги слуша за него. Използвайте [хост]:порт за изписване при IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + Whitelist пиъри свързани от дадената мрежома маска или IP адрес. Може да бъде определян многократно. - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Не може да се заключи дата директорията %s. Dash ядрото вече работи. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + Whitelisted не могат да бъдат DoS забранени и техните транзакции ще бъдат винаги предадени, дори ако вече са в mempool, полезно напр. за gateway - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Непрекъснат лимит на безплатните транзакции до <n>*1000 байта в минута (default:15) + + (default: %s) + (по подразбиране: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend използва всички деноминирани наличности за да изпрати сумата, може би ще е необходимо да бъдат анонимизирани още монети. + + <category> can be: + + <category> може да бъде: + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Изключване на свързаните с Дарксенд и Мастернод функции (0-1, по подразбиране: 0) + + Accept public REST requests (default: %u) + Приема публични REST заявки (по подразбиране: %u) - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Включен instantx,покажи потвърждения за заключени транзакции (bool, default: true) + + Acceptable ciphers (default: %s) + Приемливи шифри (по подразбиране: %s) - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Включено автоматично използване на darksend за средствата в този портфейл (0-1, default: 0) + + Always query for peer addresses via DNS lookup (default: %u) + Винаги пускай заявка за адреси на пиъри през DNS справката (по подразбиране: %u) - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Влиза в регресивен тестов режим, който използва специална верига в която блоковете могат да бъдат намерени мигновено.Това е предназначено за тестване на предишни инструменти и разработване на приложението. + + Cannot resolve -whitebind address: '%s' + Не може да установи -whitebind адрес: '%s' - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Влиза в регресивен тестов режим, който използва специална верига в която блоковете могат да бъдат намерени мигновено. + + Connect through SOCKS5 proxy + Свързване през SOCKS5 прокси - - Error: Listening for incoming connections failed (listen returned error %s) - Грешка: Очакването на входящи връзки е неуспешно (върната грешка %s) + + Connect to KeePassHttp on port <port> (default: %u) + Свързване към KeePassHttp през порт <port> (по подразбиране: %u) - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Грешка: Транзакцията е отхвърлена! Това може да се случи, ако някои от монетите в портфейла са вече изразходвани, например ако се използва копие на wallet.dat където монетите са изразходвани, но не са изразходвани в настоящия портфейл. + + Copyright (C) 2009-%i The Bitcoin Core Developers + Запазени права (C) 2009-%i Bitcoin Core разработчици - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Грешка: Тази транзакция изисква минимална такса не по-малко от %s, поради размера на сумата, сложността си или употребата на наскоро получени средства! + + Copyright (C) 2014-%i The Dash Core Developers + Запазени права (C) 2014-%i Dash Core разработчиците - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Грешка: Портфейлът е отключен само за анонимизация,не може да бъде извършена транзакция. + + Could not parse -rpcbind value %s as network address + Не успя да се анализира -rpcbind стойност %s като мрежов адрес - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Изпълни командата когато се получи съответното предупреждение или се появи друг проблем с мрежата (%s в cmd е подменено от съобщение) + + Darksend is idle. + Darksend бездейства. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Изпълнете командата когато транзакцията в портфейла се променя (%s в cmd е подменено с TxID) + + Darksend request complete: + Darksend заявката е завършена: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Изпълнете командата когато има промяна в най-добрият блок (%s в cmd е подменена от block hash) + + Darksend request incomplete: + Darksend заявката незавършена: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Такси по-малки от тази се считат за нулеви (за извършване на трнзакция) (по подразбиране: + + Disable safemode, override a real safe mode event (default: %u) + Деактивирай безопасен режим, замени събитието за истинския безопасен режим (по подразбиране: %u) - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Изчиствай активността по базата от паметта към лог на диска на всеки <n> мегабайта (по подразбиране: 100) + + Enable the client to act as a masternode (0-1, default: %u) + Активиране на клиента да работи като masternode (0-1, по подразбиране: %u) - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Намерени са непотвърдени деноминирани средства, трябва да изчакате потвърждаването им за да продължите + + Error connecting to Masternode. + Грешка при свързване с Masternode. - - How thorough the block verification of -checkblocks is (0-4, default: 3) - How thorough the block verification of -checkblocks is (0-4, default: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Грешка при зареждане на wallet.dat: портфейлът изисква по-нова версия на Dash Core - - In this mode -genproclimit controls how many blocks are generated immediately. - В този режим -genproclimit се контролира колко блока са генерирани моментално. + + Error: A fatal internal error occured, see debug.log for details + Грешка: Възникна сериозна вътрешна грешка, виж debug.log за подробности - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX изисква средства с поне 6 потвърждения, може да се наложи да почакате няколко минути и да опитате отново. + + Error: Unsupported argument -tor found, use -onion. + Грешка:Открит е неподдържан аргумент -tor, моля използвай -onion. - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Очаквай JSON-RPC входящи връзки на <port> (по подразбиране: 9998 или за тестовата мрежа: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + Такси (в DASH/Kb) добавена към направената транзакция(по подразбиране: %s) - - Name to construct url for KeePass entry that stores the wallet passphrase - Име за създаване на URL за KeePass входа , който съхранява паролата за портфейла + + Finalizing transaction. + Приключване на транзакцията. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Брой секунди до възтановяване на връзката за зле държащите се пиъри (по подразбиране:86400) + + Force safe mode (default: %u) + Принудителен безопасен режим (по подразбиране: %u) - - Output debugging information (default: 0, supplying <category> is optional) - Изходяща информация за грешки (по подразбиране: 0, задаването на <category> е опция) + + Found enough users, signing ( waiting %s ) + Открити са достатъчно потребители, подписване ( изчаква %s ) - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) -Осигуряване на ликвидност Darksend от рядко смесване монети непрекъснато в съответствие (0-100, по подразбиране: 0, 1 = много чести, високи такси, 100 = твърде редки, ниски такси) + + Found enough users, signing ... + Открити са достатъчно потребители, подписва... - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Заявка за адреси на пиъри чрез DNS справка, ако адресите са недостатъчно (по-подразбиране: 1 освен ако -свързан) + + Generate coins (default: %u) + Генериране на монети (по подразбиране: %u) - - Set external address:port to get to this masternode (example: address:port) - Задаване на външен адрес:порт на този masternode (пример: адрес:порт) + + How many blocks to check at startup (default: %u, 0 = all) + Колко блока да проверява при стартиране (по подразбиране: %u, 0 = всички) - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Определя максималния размер на висок приоритет/ниска такса за транзакция в байтове (по подразбиране: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + Игнориране на masternodes с по-ниска версия от (пример: 70050; по подразбиране: %u) - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Задаване броя на нишките потвърждаващи скрипта (%u до %d, 0 = автоматично, <0 = да се оставят толкова ядра свободни, по подразбиране: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Задаване лимит на процесорите, когато се използва генериране (-1 = неограничено, по подразбиране: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Покажи N потвърждения при успешно заключена транзакция (0-9999, по подразбиране: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Това е предварителна тест версия - използвайте я на ваша отговорност - не използвайте за копане или за търговски приложения. - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Не може да се свърже с %s на този компютър. Dash ядрото най-вероятно вече работи. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Не са намерени достатъчно Дарксенд деноминирани средства за тази транзакция. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Не са намерени достатъчно Дарксенд неденоминирани средства за тази транзакция, които не са равни на 1000 DASH. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Не са намерени достатъчно Дарксенд неденоминирани средства за тази транзакция. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Използва отделен SOCKS5 прокси, за достигне на пиъри чрез Tor скрити услуги (по подразбиране: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Внимание: -paytxfee е с много голяма зададена стойност! Това е транзакционната такса, която ще платите ако направите транзакция. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Внимание: Моля проверете дали датата и часът на вашият компютър са верни! Ако часовникът ви не е сверен, Дарккойн няма да работи правилно. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Внимание! Изглежда няма пълно съгласуване в мрежата! Някой копачи изглежда изпитват проблеми. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Внимание: Не е намерена пълна съвместимост с останалите в мрежата ! Може би се нуждаете от обновяване , или някой от другите нодове се нуждае от обновяване . - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Внимание: грешка при четене на wallet.dat! Всички ключове са прочетени коректно, но записи в данните за транзакциите или в адресната книга може би липсват или са грешни. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Внимание: wallet.dat е развален, данните са спасени! Оригиналния wallet.dat е запазен като wallet.{timestamp}.bak в %s; ако твоят баланс или транзакции са неверни трябва да възстановите от резервното копие. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Трябва да зададете rpcpassword=<password> в конфигурационния файл: -%s -Ако файлът не съществува, създайте го с атрибут само за четене от собственика. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Трябва да посочите masternodeprivkey в конфигурацията. Моля прочетете документацията за помощ. - - - - (default: 1) - (по подразбиране 1) - - - - (default: wallet.dat) - (по подразбиране wallet.dat) - - - - <category> can be: - <category> може да бъде: - - - - Accept command line and JSON-RPC commands - Приемай команден ред и JSON-RPC команди - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Приемай връзки отвън (по подразбиране: 1, ако няма -proxy или -connect) - - - - Add a node to connect to and attempt to keep the connection open - Добави възел, към който да се свърже и поддържай връзката отворена - - - - Allow DNS lookups for -addnode, -seednode and -connect - Разреши DNS справка за -addnode, -seednode и -connect - - - - Allow JSON-RPC connections from specified IP address - Разреши връзките JSON-RPC от въведен IP адрес - - - - Already have that input. - Вече има такъв вход. - - - - Always query for peer addresses via DNS lookup (default: 0) - Винаги пускай заявка за адреси на пиъри през DNS справката (по подразбиране: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Опит да се възстановят частни ключове от повреден wallet.dat - - - - Block creation options: - Опции за създаване на блок: - - - - Can't denominate: no compatible inputs left. - Не може да бъде деноминирано: няма останали съвместими входящи средства. - - - - Cannot downgrade wallet - Връщане към по-стара версия на портфейла е невъзможно - - - - Cannot resolve -bind address: '%s' - Не може да установи -bind адрес: '%s' - - - - Cannot resolve -externalip address: '%s' - Не може да установи -externalip адрес: '%s' - - - - Cannot write default address - Не може да напише адреса по подразбиране - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Изчисти списъка с транзакциите на портфейла (диагностичен инструмент; предполага -rescan) - - - - Collateral is not valid. - Обезпечението е невалидно. - - - - Collateral not valid. - Обезпечението невалидно. - - - - Connect only to the specified node(s) - Свързване само към определена възлова точка(и) - - - - Connect through SOCKS proxy - Свързване през SOCKS прокси - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Свързване към JSON-RPC през <port> (по подразбиране: 9998 или за тест мрежата: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Свързване към KeePassHttp през порт <port> (по подразбиране: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Свържи се с възел за зараждане на адреси на пиъри, след това прекъсни връзката - - - - Connection options: - Настройки на връзката: - - - - Corrupted block database detected - Открита е повредена блок база данни - - - - Dash Core Daemon - Dash ядро демон - - - - Dash Core RPC client version - Dash ядро RPC клиент версия - - - - Darksend is disabled. - Darksend е изключен. - - - - Darksend options: - Опции на Дарксенд: - - - - Debugging/Testing options: - Опции за Откриване на грешки/Тестване: - - - - Disable safemode, override a real safe mode event (default: 0) - Деактивирай безопасен режим, замени събитието за истинския безопасен режим (по подразбиране: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Открий собствения IP адрес (по подразбиране: 1, когато слуша и няма -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Не зареждай портфейла и деактивирай RPC повикванията на портфейла - - - - Do you want to rebuild the block database now? - Искате ли да възстановяване блок базата данни сега? - - - - Done loading - Зареждането е завършено - - - - Downgrading and trying again. - Понижете и опитайте отново. - - - - Enable the client to act as a masternode (0-1, default: 0) - Активиране на клиента да работи като мастернод (0-1, по подразбиране: 0) - - - - Entries are full. - Записите са пълни - - - - Error connecting to masternode. - Грешка при свързване с Мастернод. - - - - Error initializing block database - Грешка при инициализация на блок базата данни - - - - Error initializing wallet database environment %s! - Грешка при инициализиране на средата на базата данни на портфейла %s! - - - - Error loading block database - Грешка при зареждане на блок базата данни - - - - Error loading wallet.dat - Грешка при зареждане на wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Грешка при зареждане на wallet.dat: портфейлът е повреден - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Грешка при зареждане на wallet.dat: портфейлът изисква по-нова версия на Дарккойн - - - - Error opening block database - Грешка при отваряне на блок базата данни - - - - Error reading from database, shutting down. - Грешка при четене от базата данни, изключване. - - - - Error recovering public key. - Грешка при възстановяване на публичния ключ - - - - Error - Грешка - - - - Error: Disk space is low! - Грешка: Мястото на харддиска е малко! - - - - Error: Wallet locked, unable to create transaction! - Грешка: Портфейлът е заключен, транзакцията е невъзможна! - - - - Error: You already have pending entries in the Darksend pool - Грешка: Вече имате чакащи вписвания в Darksend басейна - - - - Error: system error: - Грешка: системна грешка: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Неуспешно "слушане" на всеки порт. Използвайте -listen=0 ако искате това. - - - - Failed to read block info - Неуспешно четене на блок данни - - - - Failed to read block - Неуспешно четене на блок - - - - Failed to sync block index - Неуспешно синхронизиране на блок индекса - - - - Failed to write block index - Неуспешен запис в блок индекса - - - - Failed to write block info - Неуспешен запис на блок данни - - - - Failed to write block - Неуспешен запис на блок - - - - Failed to write file info - Неуспешен запис на информационния файл - - - - Failed to write to coin database - Неуспешен запис в базата данни на монетата - - - - Failed to write transaction index - Неуспешен запис в индекса на транзакцията - - - - Failed to write undo data - Неуспешен запис при връщане на данни - - - - Fee per kB to add to transactions you send - Такса за кБ добавяна към транзакцията която изпращате - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Такси по-малки от това се считат за нулева такса (за прилагане) (по подразбиране:) - - - - Force safe mode (default: 0) - Принудителен безопасен режим (по подразбиране: 0) - - - - Generate coins (default: 0) - Генериране на монети (по подразбиране: 0) - - - - Get help for a command - Получете помощ за команда - - - - How many blocks to check at startup (default: 288, 0 = all) - Колко блока да проверява при стартиране (по подразбиране: 288, 0 = всички) - - - - If <category> is not supplied, output all debugging information. - Ако <category> не е предоставена, изведи цялата информация за отстраняването на грешки. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Игнориране на masternodes с по-ниска версия от (пример: 70050; по подразбиране: 0) - - - + Importing... Внасяне... - + Imports blocks from external blk000??.dat file Внасяне на блокове от външен blk000??.dat файл - + + Include IP addresses in debug output (default: %u) + Прикрепва IP адреси към debug записа (по подразбиране: %u) + + + Incompatible mode. Несъвместим режим. - + Incompatible version. Несъвместима версия. - + Incorrect or no genesis block found. Wrong datadir for network? Намерен е неправилен или не създаден блок. Грешна data директория за мрежата? - + Information Информация - + Initialization sanity check failed. Dash Core is shutting down. Инициализационната проверка не успешна. Dash ядрото се изключва. - + Input is not valid. Въвеждането е невалидно. - + InstantX options: InstantX опции: - + Insufficient funds Недостатъчно средства - + Insufficient funds. Недостатъчно средства. - + Invalid -onion address: '%s' Невалиден -onion адрес: '%s' - + Invalid -proxy address: '%s' Невалиден -proxy address: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Невалидна сума за -maxtxfee=<amount>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Невалидна сума за -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Невалидна сума за -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Невалидна сума за -paytxfee=<amount>: '%s' (трябва да бъде най-малко %s) + + + Invalid amount for -paytxfee=<amount>: '%s' Невалидна сума за -paytxfee=<amount>: '%s' - - Invalid amount - Невалидна сума + + Last successful Darksend action was too recent. + Последното успешно Darksend действие беше твърде скоро. - + + Limit size of signature cache to <n> entries (default: %u) + Ограничение на размера на кеша за подпис до <n> реда (по подразбиране: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + Очаквай JSON-RPC входящи връзки на <port> (по подразбиране:%u или за тестовата мрежа: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + Слушане за входящи връзки на <port> (по подразбиране:%u или за тестовата мрежа: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Заключване на masternodes от конфигурационния файл(по подразбиране: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Поддържай най-много <n> връзки към пиърите (по подразбиране: %u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + Максимален размер на буфера при получаване, <n>*1000 байта (по подразбиране: %u) + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + Максимален размер на буфера при изпращане, <n>*1000 байта (по подразбиране: %u) + + + + Mixing in progress... + В процес на смесване... + + + + Need to specify a port with -whitebind: '%s' + Нужно е определяне на порта с -whitebind: '%s' + + + + No Masternodes detected. + Не са открити Masternodes. + + + + No compatible Masternode found. + Не e намерен съвместим Masternode. + + + + Not in the Masternode list. + Не е в Мasternode списъка. + + + + Number of automatic wallet backups (default: 10) + Брой на автоматичните резервни копия (по подразбиране: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + Приема само блок регистъра съвпадащ с вградените контролни точки (по подразбиране: %u) + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Свързване само към точки от мрежата <net> (IPv4, IPv6 или onion) + + + + Prepend debug output with timestamp (default: %u) + Прикрепва справката за грешки към времевия запис(по подразбиране: %u) + + + + Run a thread to flush wallet periodically (default: %u) + Стартирай нишка за почистване на портфейла периодично (по подразбиране: %u) + + + + Send transactions as zero-fee transactions if possible (default: %u) + Изпрати с нулева такса за транзакция ако е възможно (по подразбиране: %u) + + + + Server certificate file (default: %s) + Сертификационен файл на сървъра (По подразбиране: %s) + + + + Server private key (default: %s) + Частен ключ за сървъра (по подразбиране %s) + + + + Session timed out, please resubmit. + Времето за подпис изтече, моля подпишете отново. + + + + Set key pool size to <n> (default: %u) + Задайте максимален брой на генерираните ключове до <n> (по подразбиране: %u) + + + + Set minimum block size in bytes (default: %u) + Задайте минимален размер на блок-а в байтове (подразбиране: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Задай брой заявки обслужващи процеса RPC повикванията (по подразбиране: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + Определете флага DB_PRIVATE в средата база от данни на портфейла (по подразбиране: %u) + + + + Specify configuration file (default: %s) + Посочете конфигурационен файл (по подразбиране: %s) + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + Определете таймаут за свързване в милисекунди (минимум: 1, подразбиране: %d) + + + + Specify masternode configuration file (default: %s) + Посочете конфигурационен файл (по подразбиране: %s) + + + + Specify pid file (default: %s) + Посочете pid-файла (по подразбиране: %s) + + + + Spend unconfirmed change when sending transactions (default: %u) + Изхарчете непотвърденото ресто при изпращане на транзакциите (по подразбиране: %u) + + + + Stop running after importing blocks from disk (default: %u) + Спри работата след импортиране на блоковете от диска (по подразбиране: %u) + + + + Submitted following entries to masternode: %u / %d + Изпратени са следните записи към masternode: %u / %d + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + Изпратено към masternode, чака за още записи ( %u / %d ) %s + + + + Submitted to masternode, waiting in queue %s + Изпратено към Мастернода, чака в опашката %s + + + + This is not a Masternode. + Това не е Masternode. + + + + Threshold for disconnecting misbehaving peers (default: %u) + Праг на прекъсване на връзката при непорядъчно държащи се пиъри (по подразбиране: %u) + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + Използвай KeePass 2 интеграция чрез плъгина KeePassHttp (по подразбиране: %u) + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + Използвай N отделни Masternode за анонимизиране на средствата (2-8, по подразбиране: %u) + + + + Use UPnP to map the listening port (default: %u) + Използвай UPnP за определяне на порта за слушане (по подразбиране: %u) + + + + Wallet needed to be rewritten: restart Dash Core to complete + Портфейлът трябва да бъде презаписан: рестартирайте Dash за да завършите + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + Внимание: Неподдържан аргумен -benchmark е игнориран, използвайте -debug=bench. + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + Внимание: Аргументът -debugnet е невалиден, използвайте -debug=net . + + + + Will retry... + Ще опита отново... + + + Invalid masternodeprivkey. Please see documenation. - Невалиден частен ключ на Мастернод. Моля вижте документацията. + Невалиден частен ключ на Masternode. Моля вижте документацията. - + + Invalid netmask specified in -whitelist: '%s' + Невалидна мрежова маска в -whitelist: '%s' + + + Invalid private key. Невалиден личен ключ. - + Invalid script detected. Открит е невалиден скрипт. - + KeePassHttp id for the established association KeePassHttp id за осъществяване на връзка - + KeePassHttp key for AES encrypted communication with KeePass KeePassHttp ключ за AES криптирана връзка с KeePass - - Keep N dash anonymized (default: 0) - Поддържай N Дарккойн монети анонимизирани (по подразбиране: 0) + + Keep N DASH anonymized (default: %u) + Поддържай N Dash анонимизирани (по подразбиране: %u) - - Keep at most <n> unconnectable blocks in memory (default: %u) - Запази поне <n> неосъществени транзакции в паметта (по подразбиране: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Пази поне <n> неосъществени транзакции в паметта (по подразбиране: %u) - + Last Darksend was too recent. - Последния Дарксенд беше твърде скоро. + Последния Derksend беше твърде скоро. - - Last successful darksend action was too recent. - Последното успешно Дарксенд действие бе твърде скоро. - - - - Limit size of signature cache to <n> entries (default: 50000) - Ограничение на размера на кеша за подпис до <n> реда (по подразбиране: 50000) - - - - List commands - Вписване на команди - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Слушане за входящи връзки на <port> (по подразбиране: 9999 или за тестовата мрежа: 19999) - - - + Loading addresses... Зареждане на адреси... - + Loading block index... Зареждане на блок индекса... - - Loading masternode cache... - + + Loading budget cache... + Зареждане на бюджетния кеш... - + + Loading masternode cache... + Зареждане на masternode кеш... + + + Loading wallet... (%3.2f %%) Зареждане на портфейла... (%3.2f %%) - + Loading wallet... Зареждане на портфейла... - - Log transaction priority and fee per kB when mining blocks (default: 0) - - - - - Maintain a full transaction index (default: 0) - Поддържай пълен списък с транзакциите (по подразбиране: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Поддържай най-много <n> връзки към пиърите (по подразбиране: 125) - - - + Masternode options: - Мастернод опции: + Masternode опции: - + Masternode queue is full. - Опашката с задачи на Мастернода е пълна. + Опашката с задачи на Masternode е пълна. - + Masternode: - Мастернод: + Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Максимален размер на буфера при получаване, <n>*1000 байта (по подразбиране: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Максимален размер на буфера при изпращане, <n>*1000 байта (по подразбиране: 1000) - - - + Missing input transaction information. Липсва входяща информация за транзакцията. - - No compatible masternode found. - Не са намерени съвместими Мастернод: - - - + No funds detected in need of denominating. Не са открити суми нуждаещи се от деноминиране. - - No masternodes detected. - Не са открити Мастернодове. - - - + No matching denominations found for mixing. Няма съвпадащи деноминации за миксирането. - + + Node relay options: + Сменящи опции на node: + + + Non-standard public key detected. Засечен е нестандартен публичен ключ. - + Not compatible with existing transactions. Несъвместим със съществуващите транзакции. - + Not enough file descriptors available. Няма достатъчно налични файлови описания. - - Not in the masternode list. - Не е в списъка на Мастернодове - - - - Only accept block chain matching built-in checkpoints (default: 1) - Приема само блок регистъра съвпадащ с вградените контролни точки (по подразбиране: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Свързване само към точки от мрежата <net> (IPv4, IPv6 or Tor) - - - + Options: Опции: - + Password for JSON-RPC connections Парола за JSON-RPC връзките - - Prepend debug output with timestamp (default: 1) - Прикрепва справката за грешки към времевия запис(по подразбиране: 1) - - - - Print block on startup, if found in block index - Показвай блока при стартиране, ако е намерен в блок индекса - - - - Print block tree on startup (default: 0) - Разпечатай блоковото дърво при стартиране (по подразбиране: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) RPC SSL опции: (виж Bitcoin Wiki за SSL инструкции за настройка) - - RPC client options: - Опции на RPC клиента: - - - + RPC server options: Опции на RPC сървъра: - + + RPC support for HTTP persistent connections (default: %d) + RPC поддръжка за HTTP постоянни връзки (по подразбиране: %d) + + + Randomly drop 1 of every <n> network messages Произволно спира 1 от всеки <n> мрежови съобщения - + Randomly fuzz 1 of every <n> network messages Произволно проверява 1 на всеки <n> мрежови съобщения - + Rebuild block chain index from current blk000??.dat files Възстановяване индекса на блок регистъра от настоящия blk000??.dat файл - - Rescan the block chain for missing wallet transactions - Повторно сканиране на регистъра на блокове за липсващи портфейлни транзакции + + Relay and mine data carrier transactions (default: %u) + Смени и изкопай носещите данни транзакции (по подразбиране: %u) - + + Relay non-P2SH multisig (default: %u) + Смяна на не-P2SH многоподписани (по подразбиране: %u) + + + + Rescan the block chain for missing wallet transactions + Повторно сканиране на регистъра на блокове за липсващи транзакции от портфейла + + + Rescanning... Повторно сканиране... - - Run a thread to flush wallet periodically (default: 1) - Стартирай нишка за почистване на портфейла периодично (по подразбиране: 1) - - - + Run in the background as a daemon and accept commands Стартира във фонов режим като демон и приема команди - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - SSL опции: (виж Bitcoin Wiki за SSL инструкции за настройка) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Изберете SOCKS версия за -proxy (4 или 5, по подразбиране: 5) - - - - Send command to Dash Core - Изпрати команда до Дарккойн ядрото - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Изпрати команди до възел функциониращ на <ip> (По подразбиране: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Изпрати информацията за грешки към конзолата, вместо файла debug.log - - Server certificate file (default: server.cert) - Сертификатен файл на сървъра (По подразбиране:server.cert) - - - - Server private key (default: server.pem) - Частен ключ за сървъра (default: server.pem) - - - + Session not complete! Незавършена сесия! - - Session timed out (30 seconds), please resubmit. - Изтекла сесия (30 секунди), моля изпратете отново. - - - + Set database cache size in megabytes (%d to %d, default: %d) Определи размера на кеша на базата от данни в мегабайти (%d до %d, по подразбиране: %d) - - Set key pool size to <n> (default: 100) - Задайте максимален брой на генерираните ключове до <n> (по подразбиране: 100) - - - + Set maximum block size in bytes (default: %d) Определи максималния размер на блока в байтове (по подразбиране: %d) - - Set minimum block size in bytes (default: 0) - Задайте минимален размер на блок-а в байтове (подразбиране: 0) - - - + Set the masternode private key - Задаване на личен ключ на Мастенода + Задаване на личен ключ на Masternode - - Set the number of threads to service RPC calls (default: 4) - Задай брой заявки обслужващи процеса RPC повикванията (по подразбиране: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Определете флага DB_PRIVATE в средата база от данни на портфейла (по подразбиране: 1) - - - + Show all debugging options (usage: --help -help-debug) Покажи всички опции за откриване на грешки (синтаксис: --help -help-debug) - - Show benchmark information (default: 0) - Покажи бенчмарк информация (по подразбиране: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Свий debug.log файла при стартиране на клиента (по подразбиране: 1, когато няма -debug) - + Signing failed. Подписването неуспешно. - + Signing timed out, please resubmit. Времето за подпис изтече, моля подпишете отново. - + Signing transaction failed Подписването на транзакцията се провали - - Specify configuration file (default: dash.conf) - Посочете конфигурационен файл (по подразбиране: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Определете таймаут за свързване в милисекунди (подразбиране: 5000) - - - + Specify data directory Определете директория за данните - - Specify masternode configuration file (default: masternode.conf) - Определяне на конфигурационния файл на Мастернода (по подразбиране: masternode.conf) - - - - Specify pid file (default: dashd.pid) - - - - + Specify wallet file (within data directory) Посочете файла с портфейла (в папката с данни) - + Specify your own public address Въведете Ваш публичен адрес - - Spend unconfirmed change when sending transactions (default: 1) - - - - - Start Dash Core Daemon - Стартиране на Dash Core демона - - - - System error: - Системна грешка: - - - + This help message Това помощно съобщение - + + This is experimental software. + Това е експериментален софтуер. + + + This is intended for regression testing tools and app development. Това е предназначено за инструментите за регресивно тестване и разработка на приложението. - - This is not a masternode. - Това не е Мастернод. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Праг на прекъсване на връзката при непорядъчно държащи се пиъри (по подразбиране:100) - - - - To use the %s option - - - - + Transaction amount too small Сумата на транзакцията е твърде малка - + Transaction amounts must be positive Сумите на транзакциите трябва да са положителни - + Transaction created successfully. Транзакцията създадена успешно. - + Transaction fees are too high. Таксите за транзакция са твърде високи. - + Transaction not valid. Транзакцията е невалидна. - + + Transaction too large for fee policy + Транзакцията е твърде голяма за таксовите политики. + + + Transaction too large Транзакцията е твърде голяма - + + Transmitting final transaction. + Предава окончателната транзакция. + + + Unable to bind to %s on this computer (bind returned error %s) Не може да се свърже с %s на този компютър (връща грешка %s) - - Unable to sign masternode payment winner, wrong key? - Неуспешно подписване на плащането към masternode победителя. Грешен ключ? - - - + Unable to sign spork message, wrong key? Неуспешно подписване на spork-съобщение. Грешен ключ? - - Unknown -socks proxy version requested: %i - Заявка за неизвестна версия на -socks прокси: %i - - - + Unknown network specified in -onlynet: '%s' Неизвестна мрежа определена от -onlynet: '%s' - + + Unknown state: id = %u + Неизвестно състояние: id = %u + + + Upgrade wallet to latest format Обновяване на портфейла до най-новия формат - - Usage (deprecated, use dash-cli): - - - - - Usage: - Използване: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Използвай KeePass 2 интеграция чрез плъгина KeePassHttp (по подразбиране: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Използвай N отделни Мастернода за анонимизиране на средствата (2-8, по подразбиране: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Използвайте OpenSSL (https) за JSON-RPC връзките - - Use UPnP to map the listening port (default: 0) - Използвай UPnP за определяне на порта за слушане (по подразбиране: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Използвай UPnP за определяне на порта за слушане (по подразбиране: 1 когато слуша) - + Use the test network Използвайте тестовата мрежа - + Username for JSON-RPC connections Потребителско име за JSON-RPC връзките - + Value more than Darksend pool maximum allows. Стойност повече от максимално позволената в Darksend басейна. - + Verifying blocks... Проверка на блоковете... - + Verifying wallet... Проверка на портфейла... - - Wait for RPC server to start - Изчакайте стартирането на RPC сървърът - - - + Wallet %s resides outside data directory %s Портфейла %s е разположен извън папката с данни %s - + Wallet is locked. Портфейлът е заключен. - - Wallet needed to be rewritten: restart Dash to complete - Портфейлът трябва да бъде презаписан: рестартирайте Даккойн за да завършите - - - + Wallet options: Настройки на портфейла: - + Warning Предупреждение - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Внимание: Аргументът -debugnet е невалиден, използвайте -debug=net - - - + Warning: This version is obsolete, upgrade required! Внимание: Използвате остаряла версия, необходимо е обновление! - + You need to rebuild the database using -reindex to change -txindex Необходимо е повторно изграждане на базата данни използвайки -reindex, за да промените -txindex - + + Your entries added successfully. + Вашите записи са добавени успешно. + + + + Your transaction was accepted into the pool! + Вашата транзакция е била приета в басейна! + + + Zapping all transactions from wallet... Премахване на всички транзакции от портфейла ... - + on startup при стартиране - - version - версия - - - + wallet.dat corrupt, salvage failed wallet.dat е повреден, възстановяването неуспешно diff --git a/src/qt/locale/dash_de.ts b/src/qt/locale/dash_de.ts index bc3e834fd..956ba006e 100644 --- a/src/qt/locale/dash_de.ts +++ b/src/qt/locale/dash_de.ts @@ -1,206 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Über Dash Core - - - - <b>Dash Core</b> version - <b>Dash Core</b> Version - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Copyright &copy; 2009-2014 Die "Bitcoin Core" Entwickler. -Copyright &copy; 2014-YYYY Die "Dash Core" Entwickler. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Dies ist experimentelle Software welche unter der MIT/X11-Lizens veröffentlicht wurde. - -Die Softwarelizenz können Sie unter der beiliegenden Datei "COPYING" einsehen oder im Web unter der Adresse: -http://www.opensource.org/licenses/mit-license.php. - -Dieses Produkt enthält zudem folgende Dritt-Software: -- OpenSSL-Projekt: OpenSSL-Toolkit (https://www.openssl.org) -- Kryptographische Bibliotheken: Eric Young (eay@cryptsoft.com) -- Thomas Bernard: UPnP-Software - - - Copyright - Urheberrecht - - - The Bitcoin Core developers - Die "Bitcoin Core"-Entwickler - - - The Dash Core developers - Die "Dash Core"-Entwickler - - - (%1-bit) - (%1-Bit) - - + AddressBookPage - Double-click to edit address or label - Doppelklick zum Bearbeiten der Adresse oder der Bezeichnung - - - + Right-click to edit address or label - + Rechts-Klick um Adresse oder Bezeichnung zu bearbeiten - + Create a new address Eine neue Adresse erstellen - + &New &Neu - + Copy the currently selected address to the system clipboard Ausgewählte Adresse in die Zwischenablage kopieren - + &Copy &Kopieren - + Delete the currently selected address from the list Ausgewählte Adresse aus der Liste entfernen - + &Delete &Löschen - + Export the data in the current tab to a file Daten der aktuellen Ansicht in eine Datei exportieren - + &Export &Exportieren - + C&lose &Schließen - + Choose the address to send coins to Wählen Sie die Adresse aus, an die Sie Dash überweisen möchten - + Choose the address to receive coins with Wählen Sie die Adresse aus, über die Sie Dash empfangen wollen - + C&hoose &Auswählen - + Sending addresses Zahlungsadressen - + Receiving addresses Empfangsadressen - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Dies sind ihre Dash-Adressen zum Tätigen von Überweisungen. Bitte prüfen Sie den Betrag und die Empfangsadresse, bevor Sie Dash überweisen. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Dies sind ihre Dash-Adressen zum Empfangen von Zahlungen. Es wird empfohlen für jede Transaktion eine neue Empfangsadresse zu verwenden. - + &Copy Address &Adresse kopieren - + Copy &Label &Bezeichnung kopieren - + &Edit &Editieren - + Export Address List Addressliste exportieren - + Comma separated file (*.csv) Kommagetrennte-Datei (*.csv) - + Exporting Failed Exportieren fehlgeschlagen - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Beim Speichern der Adressliste nach %1 ist ein Fehler aufgetreten. + Beim Speichern der Adressliste nach %1 ist ein Fehler aufgetreten. Bitte noch einmal versuchen AddressTableModel - + Label Bezeichnung - + Address Adresse - + (no label) (keine Bezeichnung) @@ -208,154 +143,150 @@ Dieses Produkt enthält zudem folgende Dritt-Software: AskPassphraseDialog - + Passphrase Dialog Passphrasendialog - + Enter passphrase Passphrase eingeben - + New passphrase Neue Passphrase - + Repeat new passphrase Neue Passphrase wiederholen - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Verhindert das einfache Überweisen von Geld, falls das Systemkonto kompromittiert wurde. Bietet keine wirkliche Sicherheit. - + For anonymization only Nur zur Anonymisierung - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Geben Sie die neue Passphrase für die Wallet ein.<br>Bitte benutzen Sie eine Passphrase bestehend aus <b>10 oder mehr zufälligen Zeichen</b> oder <b>8 oder mehr Wörtern</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Geben Sie die neue Passphrase für die Wallet ein.<br>Bitte benutzen Sie eine Passphrase bestehend aus <b>10 oder mehr zufälligen Zeichen</b> oder <b>8 oder mehr Wörtern</b>. - + Encrypt wallet Wallet verschlüsseln - + This operation needs your wallet passphrase to unlock the wallet. Dieser Vorgang benötigt ihre Passphrase, um die Wallet zu entsperren. - + Unlock wallet Wallet entsperren - + This operation needs your wallet passphrase to decrypt the wallet. Dieser Vorgang benötigt ihre Passphrase, um die Wallet zu entschlüsseln. - + Decrypt wallet Wallet entschlüsseln - + Change passphrase Passphrase ändern - + Enter the old and new passphrase to the wallet. Geben Sie die alte und neue Wallet-Passphrase ein. - + Confirm wallet encryption Wallet-Verschlüsselung bestätigen - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! Warnung: Wenn Sie ihre Wallet verschlüsseln und ihre Passphrase verlieren werden Sie <b>alle ihre Dash verlieren</b>! - + Are you sure you wish to encrypt your wallet? Sind Sie sich sicher, dass Sie ihre Wallet verschlüsseln möchten? - - + + Wallet encrypted Wallet verschlüsselt - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. Dash wird jetzt beendet, um den Verschlüsselungsprozess abzuschließen. Bitte beachten Sie, dass die Wallet-Verschlüsselung nicht vollständig vor Diebstahl ihrer Dash durch Schadsoftware schützt, die ihren Computer befällt. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. WICHTIG: Alle vorherigen Wallet-Sicherungen sollten durch die neu erzeugte, verschlüsselte Wallet ersetzt werden. Aus Sicherheitsgründen werden vorherige Sicherungen der unverschlüsselten Wallet nutzlos, sobald Sie die neue, verschlüsselte Wallet verwenden. - - - - + + + + Wallet encryption failed Wallet-Verschlüsselung fehlgeschlagen - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Die Wallet-Verschlüsselung ist aufgrund eines internen Fehlers fehlgeschlagen. Ihre Wallet wurde nicht verschlüsselt. - - + + The supplied passphrases do not match. Die eingegebenen Passphrasen stimmen nicht überein. - + Wallet unlock failed Wallet-Entsperrung fehlgeschlagen - - - + + + The passphrase entered for the wallet decryption was incorrect. Die eingegebene Passphrase zur Wallet-Entschlüsselung war nicht korrekt. - + Wallet decryption failed Wallet-Entschlüsselung fehlgeschlagen - + Wallet passphrase was successfully changed. Die Wallet-Passphrase wurde erfolgreich geändert. - - + + Warning: The Caps Lock key is on! Warnung: Die Feststelltaste ist aktiviert! @@ -363,437 +294,425 @@ Dieses Produkt enthält zudem folgende Dritt-Software: BitcoinGUI - + + Dash Core Dash Core - + Wallet Wallet - + Node Knoten - [testnet] - [Testnetz] - - - + &Overview &Übersicht - + Show general overview of wallet Allgemeine Wallet-Übersicht anzeigen - + &Send &Überweisen - + Send coins to a Dash address Dash an eine Dash-Adresse überweisen - + &Receive &Empfangen - + Request payments (generates QR codes and dash: URIs) Zahlungen anfordern (erzeugt QR-Codes und "dash:"-URIs) - + &Transactions &Transaktionen - + Browse transaction history Transaktionsverlauf durchsehen - + E&xit &Beenden - + Quit application Anwendung beenden - + &About Dash Core &Über Dash Core - Show information about Dash - Informationen über Dash anzeigen - - - + Show information about Dash Core - + Informationen über Dash Core anzeigen - - + + About &Qt Über &Qt - + Show information about Qt Informationen über Qt anzeigen - + &Options... &Konfiguration... - + Modify configuration options for Dash Die Konfiguration des Clients bearbeiten - + &Show / Hide &Anzeigen / Verstecken - + Show or hide the main Window Das Hauptfenster anzeigen oder verstecken - + &Encrypt Wallet... Wallet &verschlüsseln... - + Encrypt the private keys that belong to your wallet Verschlüsselt die zu ihrer Wallet gehörenden privaten Schlüssel - + &Backup Wallet... Wallet &sichern... - + Backup wallet to another location Eine Wallet-Sicherungskopie erstellen und abspeichern - + &Change Passphrase... Passphrase &ändern... - + Change the passphrase used for wallet encryption Ändert die Passphrase, die für die Wallet-Verschlüsselung benutzt wird - + &Unlock Wallet... Wallet &entsperren - + Unlock wallet Wallet entsperren - + &Lock Wallet Wallet &sperren - + Sign &message... Nachricht s&ignieren... - + Sign messages with your Dash addresses to prove you own them Nachrichten signieren, um den Besitz ihrer Dash-Adressen zu beweisen - + &Verify message... Nachricht &verifizieren... - + Verify messages to ensure they were signed with specified Dash addresses Nachrichten verifizieren, um sicherzustellen, dass diese mit den angegebenen Dash-Adressen signiert wurden - + &Information &Information - + Show diagnostic information Diagnoseinformation anzeigen - + &Debug console &Debugkonsole - + Open debugging console Debugkonsole öffnen - + &Network Monitor &Netzwerkmonitor - + Show network monitor Netzwerkmonitor anzeigen - + + &Peers list + &Gegenstellen-Liste + + + + Show peers info + Informationen zu Gegenstellen anzeigen + + + + Wallet &Repair + Wallet-&Reparatur + + + + Show wallet repair options + Optionen zur Wallet-Reparatur anzeigen + + + Open &Configuration File &Konfigurationsdatei öffnen - + Open configuration file Konfigurationsdatei öffnen - + + Show Automatic &Backups + Automatische &Sicherheitskopien anzeigen + + + + Show automatically created wallet backups + Automatisch erzeugte Wallet-Sicherheitskopien anzeigen + + + &Sending addresses... &Zahlungsadressen... - + Show the list of used sending addresses and labels Liste verwendeter Zahlungsadressen und Bezeichnungen anzeigen - + &Receiving addresses... &Empfangsadressen... - + Show the list of used receiving addresses and labels Liste verwendeter Empfangsadressen und Bezeichnungen anzeigen - + Open &URI... &URI öffnen... - + Open a dash: URI or payment request Eine "dash:"-URI oder Zahlungsanforderung öffnen - + &Command-line options &Kommandozeilenoptionen - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Dash Core Client - + Processed %n blocks of transaction history. - - - - + %n Block des Transaktionsverlaufs verarbeitet.%n Blöcke des Transaktionsverlaufs verarbeitet. + Show the Dash Core help message to get a list with possible Dash command-line options - Zeige den "Dash Core"-Hilfetext, um eine Liste mit möglichen Kommandozeilenoptionen zu erhalten + Zeige den "Dash Core"-Hilfetext, um eine Liste mit möglichen Kommandozeilenoptionen zu erhalten - + &File &Datei - + &Settings &Einstellungen - + &Tools &Werkzeuge - + &Help &Hilfe - + Tabs toolbar Registerkartenleiste - - Dash client - Dash-Client - - + %n active connection(s) to Dash network - - %n aktive Verbindung zum Dash-Netzwerk - %n aktive Verbindungen zum Dash-Netzwerk - + %n aktive Verbindung zum Dash-Netzwerk%n aktive Verbindungen zum Dash-Netzwerk - + Synchronizing with network... Synchronisiere mit Netzwerk... - + Importing blocks from disk... Importiere Blöcke von Datenträger... - + Reindexing blocks on disk... Reindiziere Blöcke auf Datenträger... - + No block source available... Keine Blockquelle verfügbar... - Processed %1 blocks of transaction history. - %1 Blöcke des Transaktionsverlaufs verarbeitet. - - - + Up to date Auf aktuellem Stand - + %n hour(s) - - %n Stunde - %n Stunden - + %n Stunde%n Stunden - + %n day(s) - - %n Tag - %n Tage - + %n Tag%n Tage - - + + %n week(s) - - %n Woche - %n Wochen - + %n Woche%n Wochen - + %1 and %2 %1 und %2 - + %n year(s) - - %n Jahr - %n Jahre - + %n Jahr%n Jahre - + %1 behind %1 im Rückstand - + Catching up... Hole auf... - + Last received block was generated %1 ago. Der letzte empfangene Block ist %1 alt. - + Transactions after this will not yet be visible. Transaktionen hiernach werden noch nicht angezeigt. - - Dash - Dash - - - + Error Fehler - + Warning Warnung - + Information Hinweis - + Sent transaction Gesendete Transaktion - + Incoming transaction Eingehende Transaktion - + Date: %1 Amount: %2 Type: %3 @@ -805,30 +724,25 @@ Typ: %3 Adresse: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> Wallet ist <b>verschlüsselt</b> und aktuell <b>entsperrt</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Wallet ist <b>verschlüsselt</b> und aktuell nur zum Anonymisieren <b>entsperrt</b> - + Wallet is <b>encrypted</b> and currently <b>locked</b> Wallet ist <b>verschlüsselt</b> und aktuell <b>gesperrt</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Ein schwerer Fehler ist aufgetreten. Dash kann nicht mehr sicher ausgeführt werden und wird beendet. - ClientModel - + Network Alert Netzwerkalarm @@ -836,333 +750,302 @@ Adresse: %4 CoinControlDialog - Coin Control Address Selection - "Coin Control"-Adressauswahl - - - + Quantity: Anzahl: - + Bytes: Byte: - + Amount: Betrag: - + Priority: Priorität: - + Fee: Gebühr: - Low Output: - Zu geringer Ausgabebetrag: - - - + Coin Selection - + "Coin Control"-Auswahl - + Dust: - + "Dust" - + After Fee: Abzüglich Gebühr: - + Change: Wechselgeld: - + (un)select all Alles (de)selektieren - + Tree mode Baumansicht - + List mode Listenansicht - + (1 locked) (1 gesperrt) - + Amount Betrag - + Received with label - + Empfangen über Bezeichner - + Received with address - + Empfangen über Adresse - Label - Bezeichnung - - - Address - Adresse - - - + Darksend Rounds Darksend Runden - + Date Datum - + Confirmations Bestätigungen - + Confirmed Bestätigt - + Priority Priorität - + Copy address Adresse kopieren - + Copy label Bezeichnung kopieren - - + + Copy amount Betrag kopieren - + Copy transaction ID Transaktions-ID kopieren - + Lock unspent Nicht ausgegebenen Betrag sperren - + Unlock unspent Nicht ausgegebenen Betrag entsperren - + Copy quantity Anzahl kopieren - + Copy fee Gebühr kopieren - + Copy after fee Abzüglich Gebühr kopieren - + Copy bytes Byte kopieren - + Copy priority Priorität kopieren - + Copy dust - + "Dust" Betrag kopieren - Copy low output - Zu geringen Ausgabebetrag kopieren - - - + Copy change Wechselgeld kopieren - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Nicht-anonymisierter Input ausgewählt. <b>Darksend wird deaktiviert.</b><br><br>Sollten Sie trotzdem Darksend verwenden wollen, müssen Sie zuerst alle nicht-anonymisierten Inputs entmarkieren und das Ankreuzfeld "Darksend" erneut auswählen. + + + highest am höchsten - + higher höher - + high hoch - + medium-high mittel-hoch - + Can vary +/- %1 satoshi(s) per input. - + Kann um +/- 1 duff(s) pro Eingabe variieren. - + n/a k.A. - - + + medium mittel - + low-medium niedrig-mittel - + low niedrig - + lower niedriger - + lowest am niedrigsten - + (%1 locked) (%1 gesperrt) - + none keine - Dust - "Dust" - - - + yes ja - - + + no nein - + This label turns red, if the transaction size is greater than 1000 bytes. Diese Bezeichnung wird rot, wenn die Transaktion größer als 1000 Byte ist. - - + + This means a fee of at least %1 per kB is required. Das bedeutet, dass eine Gebühr von mindestens %1 pro kB erforderlich ist. - + Can vary +/- 1 byte per input. Kann um +/- 1 Byte pro Eingabe variieren. - + Transactions with higher priority are more likely to get included into a block. Transaktionen mit höherer Priorität haben eine größere Chance in einen Block aufgenommen zu werden. - + This label turns red, if the priority is smaller than "medium". Diese Bezeichnung wird rot, wenn die Priorität niedriger als "mittel" ist. - + This label turns red, if any recipient receives an amount smaller than %1. Diese Bezeichnung wird rot, wenn irgendein Empfänger einen Betrag kleiner als %1 erhält. - This means a fee of at least %1 is required. - Das bedeutet, dass eine Gebühr von mindestens %1 erforderlich ist. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Beträge kleiner als das 0,546-fache der niedrigsten Vermittlungsgebühr werden als "Dust" angezeigt. - - - This label turns red, if the change is smaller than %1. - Diese Bezeichnung wird rot, wenn das Wechselgeld weniger als %1 ist. - - - - + + (no label) (keine Bezeichnung) - + change from %1 (%2) Wechselgeld von %1 (%2) - + (change) (Wechselgeld) @@ -1170,84 +1053,84 @@ Adresse: %4 DarksendConfig - + Configure Darksend Darksend konfigurieren - + Basic Privacy Einfacher Datenschutz - + High Privacy Hoher Datenschutz - + Maximum Privacy Maximaler Datenschutz - + Please select a privacy level. Bitten wählen Sie eine Datenschutz-Stufe. - + Use 2 separate masternodes to mix funds up to 1000 DASH Benutze 2 separate Masternodes um bis zu 1000 DASH zu mixen - + Use 8 separate masternodes to mix funds up to 1000 DASH Benutze 8 separate Masternodes um bis zu 1000 DASH zu mixen - + Use 16 separate masternodes Benutze 16 separate Masternodes - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Diese Option ist am Schnellsten und kostet ungefähr 0,025 DASH, um 1000 DASH zu anonymisieren - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Diese Option ist einigermaßen schnell und kostet ungefähr 0,05 DASH, um 1000 DASH zu anonymisieren - + 0.1 DASH per 1000 DASH you anonymize. 0,1 DASH pro 1000 zu anonymisierende Dash. - + This is the slowest and most secure option. Using maximum anonymity will cost Dies ist die langsamste und sicherste Option. Maximale Anonymität kostet - - - + + + Darksend Configuration Darksend-Konfiguration - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend wurde erfolgreich auf einfachen Datenschutz (%1 und 2 Runden) gesetzt. Sie können dies jederzeit im Konfigurationsfenster von Dash ändern. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend wurde erfolgreich auf hohen Datenschutz (%1 und 8 Runden) gesetzt. Sie können dies jederzeit im Konfigurationsfenster von Dash ändern. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend wurde erfolgreich auf maximalen Datenschutz (%1 und 16 Runden) gesetzt. Sie können dies jederzeit im Konfigurationsfenster von Dash ändern. @@ -1255,67 +1138,67 @@ Adresse: %4 EditAddressDialog - + Edit Address Adresse bearbeiten - + &Label &Bezeichnung - + The label associated with this address list entry Bezeichnung, die dem Adresslisteneintrag zugeordnet ist. - + &Address &Adresse - + The address associated with this address list entry. This can only be modified for sending addresses. Adresse, die dem Adresslisteneintrag zugeordnet ist. Diese kann nur bei Zahlungsadressen verändert werden. - + New receiving address Neue Empfangsadresse - + New sending address Neue Zahlungsadresse - + Edit receiving address Empfangsadresse bearbeiten - + Edit sending address Zahlungsadresse bearbeiten - + The entered address "%1" is not a valid Dash address. Die eingegebene Adresse "%1" ist keine gültige Dash-Adresse. - + The entered address "%1" is already in the address book. Die eingegebene Adresse "%1" befindet sich bereits im Adressbuch. - + Could not unlock wallet. Wallet konnte nicht entsperrt werden. - + New key generation failed. Erzeugung eines neuen Schlüssels fehlgeschlagen. @@ -1323,27 +1206,27 @@ Adresse: %4 FreespaceChecker - + A new data directory will be created. Es wird ein neues Datenverzeichnis angelegt. - + name Name - + Directory already exists. Add %1 if you intend to create a new directory here. Verzeichnis existiert bereits. Fügen Sie %1 an, wenn Sie beabsichtigen hier ein neues Verzeichnis anzulegen. - + Path already exists, and is not a directory. Pfad existiert bereits und ist kein Verzeichnis. - + Cannot create data directory here. Datenverzeichnis kann hier nicht angelegt werden. @@ -1351,72 +1234,68 @@ Adresse: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Kommandozeilenoptionen - - - + Dash Core Dash Core - + version Version - - + + (%1-bit) - (%1-Bit) + (%1-Bit) - + About Dash Core - Über Dash Core + Über Dash Core - + Command-line options - + Kommandozeilenoptionen - + Usage: Benutzung: - + command-line options Kommandozeilenoptionen - + UI options UI-Optionen - + Choose data directory on startup (default: 0) Datenverzeichnis beim Starten auswählen (Standard: 0) - + Set language, for example "de_DE" (default: system locale) Sprache festlegen, z.B. "de_DE" (Standard: Systemstandard) - + Start minimized Minimiert starten - + Set SSL root certificates for payment request (default: -system-) SSL-Wurzelzertifikate für Zahlungsanforderungen festlegen (Standard: Systemstandard) - + Show splash screen on startup (default: 1) Startbildschirm beim Starten anzeigen (Standard: 1) @@ -1424,107 +1303,85 @@ Adresse: %4 Intro - + Welcome Willkommen - + Welcome to Dash Core. Willkommen zu Dash Core. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Da dies das erste Mal ist, dass Sie Dash Core starten, legen Sie jetzt bitte fest, an welchem Ort die Daten gespeichert werden sollen. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. Dash Core wird jetzt die Blockchain laden und lokal speichern. Dafür sind mindestens %1GB freier Speicherplatz erforderlich. Der Speicherbedarf wird mit der Zeit anwachsen. Das Wallet wird ebenfalls in diesem Verzeichnis gespeichert. - + Use the default data directory Standard-Datenverzeichnis verwenden - + Use a custom data directory: Ein benutzerdefiniertes Datenverzeichnis verwenden: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Fehler: Angegebenes Datenverzeichnis "%1" kann nicht angelegt werden. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Fehler: Angegebenes Datenverzeichnis "%1" kann nicht angelegt werden. - + Error Fehler - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 GB freier Speicherplatz verfügbar - GB of free space available - GB freier Speicherplatz verfügbar - - - (of %1GB needed) - (von benötigten %1GB) + + (of %1 GB needed) + (von benötigten %1 GB) OpenURIDialog - + Open URI URI öffnen - + Open payment request from URI or file Zahlungsanforderung über URI oder aus Datei öffnen - + URI: URI: - + Select payment request file Zahlungsanforderungsdatei auswählen - + Select payment request file to open Zu öffnende Zahlungsanforderungsdatei auswählen @@ -1532,313 +1389,281 @@ Adresse: %4 OptionsDialog - + Options Konfiguration - + &Main &Allgemein - + Automatically start Dash after logging in to the system. Dash nach der Anmeldung am System automatisch starten. - + &Start Dash on system login &Starte Dash automatisch nach Systemanmeldung - + Size of &database cache Größe des &Datenbankcaches - + MB MB - + Number of script &verification threads Anzahl an Skript-&Verifizierungs-Threads - + (0 = auto, <0 = leave that many cores free) (0 = automatisch, <0 = so viele Kerne frei lassen) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Diese Einstellung setzt fest, durch wie viele Masternodes ein Input anonymisiert wird. Eine höhere Anzahl bedeutet höhere Anonymität, verursacht allerdings auch höhere Gebühren.</p></body></html> - + Darksend rounds to use Darksend Runden - + This amount acts as a threshold to turn off Darksend once it's reached. Beim Erreichen dieses Betrages wird Darksend ausgeschaltet. - + Amount of Dash to keep anonymized Anzahl anonymisierter Dash - + W&allet W&allet - + Accept connections from outside - + Eingehende Verbindungen annehmen - + Allow incoming connections - + Eingehende Verbindungen erlauben - + Connect to the Dash network through a SOCKS5 proxy. - + Über einen SOCKS5-Proxy mit dem Dash-Netzwerk verbinden. - + &Connect through SOCKS5 proxy (default proxy): - + Über einen SOCKS5-Proxy &verbinden (Standardproxy): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Optionale Transaktionsgebühr pro kB, die sicherstellt, dass ihre Transaktionen schnell bearbeitet werden. Die meisten Transaktionen sind 1 kB groß. - - - Pay transaction &fee - Transaktions&gebühr bezahlen - - - + Expert Erweiterte Wallet-Optionen - + Whether to show coin control features or not. Legt fest, ob die "Coin Control"-Funktionen angezeigt werden. - + Enable coin &control features "&Coin Control"-Funktionen aktivieren - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Wenn Sie das Ausgeben von unbestätigtem Wechselgeld deaktivieren, kann das Wechselgeld einer Transaktion nicht verwendet werden, bis es mindestens eine Bestätigung erhalten hat. Dies wirkt sich auf die Berechnung des Kontostands aus. - + &Spend unconfirmed change &Unbestätigtes Wechselgeld darf ausgegeben werden - + &Network &Netzwerk - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Automatisch den Dash-Clientport auf dem Router öffnen. Dies funktioniert nur, wenn Ihr Router UPnP unterstützt und dies aktiviert ist. - + Map port using &UPnP Portweiterleitung via &UPnP - Connect to the Dash network through a SOCKS proxy. - Über einen SOCKS5-Proxy mit dem Dash-Netzwerk verbinden. - - - &Connect through SOCKS proxy (default proxy): - Über einen SOCKS-Proxy &verbinden (Standardproxy): - - - + Proxy &IP: Proxy-&IP: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) IP-Adresse des Proxies (z.B. IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Port: - + Port of the proxy (e.g. 9050) Port des Proxies (z.B. 9050) - SOCKS &Version: - SOCKS-&Version: - - - SOCKS version of the proxy (e.g. 5) - SOCKS-Version des Proxies (z.B. 5) - - - + &Window &Programmfenster - + Show only a tray icon after minimizing the window. Nur ein Symbol im Infobereich anzeigen, nachdem das Programmfenster minimiert wurde. - + &Minimize to the tray instead of the taskbar In den Infobereich anstatt in die Taskleiste &minimieren - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Minimiert die Anwendung anstatt sie zu beenden wenn das Fenster geschlossen wird. Wenn dies aktiviert ist, müssen Sie das Programm über "Beenden" im Menü schließen. - + M&inimize on close Beim Schließen m&inimieren - + &Display Anzei&ge - + User Interface &language: &Sprache der Benutzeroberfläche: - + The user interface language can be set here. This setting will take effect after restarting Dash. Legt die Sprache der Benutzeroberfläche fest. Diese Einstellung wird erst nach einem Neustart von Dash aktiv. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Fehlt eine Sprache oder ist unvollständig übersetzt? Hier können Sie helfen: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Design/Thema der Benutzeroberfläche: - + &Unit to show amounts in: &Einheit der Beträge: - + Choose the default subdivision unit to show in the interface and when sending coins. Wählen Sie die standardmäßige Untereinheit, die in der Benutzeroberfläche und beim Überweisen von Dash angezeigt werden soll. - Whether to show Dash addresses in the transaction list or not. - Zeige Dash Adressen in der Transaktionsliste. - - - &Display addresses in transaction list - Adressen im Transaktionsverlauf &anzeigen - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. Externe URLs (z.B. ein Block-Explorer), die im Kontextmenü des Transaktionsverlaufs eingefügt werden. In der URL wird %s durch den Transaktionshash ersetzt. Bei Angabe mehrerer URLs müssen diese durch "|" voneinander getrennt werden. - + Third party transaction URLs Externe Transaktions-URLs - + Active command-line options that override above options: Aktive Kommandozeilenoptionen, die obige Konfiguration überschreiben: - + Reset all client options to default. Setzt die Clientkonfiguration auf Standardwerte zurück. - + &Reset Options Konfiguration &zurücksetzen - + &OK &OK - + &Cancel A&bbrechen - + default Standard - + none keine - + Confirm options reset Zurücksetzen der Konfiguration bestätigen - - + + Client restart required to activate changes. Clientneustart nötig, um die Änderungen zu aktivieren. - + Client will be shutdown, do you want to proceed? Client wird beendet, wollen Sie fortfahren? - + This change would require a client restart. Diese Änderung würde einen Clientneustart benötigen. - + The supplied proxy address is invalid. Die eingegebene Proxyadresse ist ungültig. @@ -1846,368 +1671,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Formular - Wallet - Wallet - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. Die angezeigten Informationen sind möglicherweise nicht mehr aktuell. Ihre Wallet wird automatisch synchronisiert, nachdem eine Verbindung zum Dash-Netzwerk hergestellt wurde. Dieser Prozess ist jedoch derzeit noch nicht abgeschlossen. - + Available: Verfügbar: - + Your current spendable balance Ihr aktuell verfügbarer Kontostand - + Pending: Ausstehend: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Betrag aus unbestätigten Transaktionen, der noch nicht im aktuell verfügbaren Kontostand enthalten ist - + Immature: Unreif: - + Mined balance that has not yet matured Erarbeiteter Betrag der noch nicht gereift ist - + Balances - + Kontostände - + Unconfirmed transactions to watch-only addresses - + Unbestätigte Transaktionen zu beobachteten Adressen - + Mined balance in watch-only addresses that has not yet matured - + Erarbeiteter Betrag der beobachteten Adressen der noch nicht gereift ist - + Total: Gesamtbetrag: - + Your current total balance Aktueller Gesamtbetrag aus obigen Kategorien - + Current total balance in watch-only addresses - + Kontostand der beobachteten Adressen - + Watch-only: - + Beobachtet: - + Your current balance in watch-only addresses - + Aktueller Kontostand der beobachteten Adressen - + Spendable: - + Verfügbar: - + Status: Status: - + Enabled/Disabled Aktiviert/Deaktiviert - + Completion: Vollendet: - + Darksend Balance: Darksend Kontostand: - + 0 DASH 0 DASH - + Amount and Rounds: Betrag und Runden: - + 0 DASH / 0 Rounds 0 DASH / 0 Runden - + Submitted Denom: Gesendete Stückelung des Betrages: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Die gestückelten Beträge, die Sie zu dem Masternode gesendet haben. Zum Erfolgreichen Mixen müssen andere Benutzer exakt gleich gestückelte Beträge senden. - - - + n/a k.A. - - - - + + + + Darksend Darksend - + Recent transactions - + Letzte Transaktionen - + Start/Stop Mixing Starte/Stoppe das Mixen - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Die gestückelten Beträge, die Sie zu dem Masternode gesendet haben.<br> Zum Erfolgreichen Mixen müssen andere Benutzer exakt gleich gestückelte Beträge senden. + + + (Last Message) (Letzte Nachricht) - + Try to manually submit a Darksend request. Versuche eine Darksendanfrage manuell abzusetzen. - + Try Mix Versuche zu Mixen - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Aktuellen Darksend Status zurücksetzen (wenn der Prozess des Mixens bereits begonnen hat kann es passieren, dass Darksend unterbrochen wird. Bereits gezahlte Gebühren werden einbehalten!) - + Reset Zurücksetzen - <b>Recent transactions</b> - <b>Letzte Transaktionen</b> - - - - - + + + out of sync nicht synchron - - + + + + Disabled Deaktiviert - - - + + + Start Darksend Mixing Starte Darksend Mixen - - + + Stop Darksend Mixing Stoppe Darksend Mixen - + No inputs detected Keine Inputs gefunden + + + + + %n Rounds + %n Runde%n Runden + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Unbestätigte für Darksend vorbereitete Ausgabebeträge gefunden, warte bis sie bestätigt sind bevor neu berechnet wird. - - - Rounds - Runden + + + Progress: %1% (inputs have an average of %2 of %n rounds) + Fortschritt: %1% (Inputs haben durchschnittlich %2 von %n Runde)Fortschritt: %1% (Inputs haben durchschnittlich %2 von %n Runden) - + + Found enough compatible inputs to anonymize %1 + Genug kompatible Inputs zum Anonymisieren von %1 gefunden + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Nicht genug kompatible Inputs zum Anonymisieren von <span style='color:red;'>%1</span> gefunden,<br/><span style='color:red;'>%2</span> wird stattdessen anonymisiert + + + Enabled Aktiviert - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Letzter Darksend Status: - - - Darksend is idle. - Darksend ist untätig. - - - - Mixing in progress... - Am Mixen... - - - - Darksend request complete: Your transaction was accepted into the pool! - Darksend-Anfrage vollständig: Ihre Transaktion wurde im Pool akzeptiert! - - - - Submitted following entries to masternode: - Folgende Einträge wurden an Masternode gesendet: - - - Submitted to masternode, Waiting for more entries - An Masternode gesendet, warte auf weitere Einträge... - - - - Found enough users, signing ... - Genug Partner gefunden, signiere ... - - - Found enough users, signing ( waiting. ) - Genug Partner gefunden, signiere ... ( warte . ) - - - Found enough users, signing ( waiting.. ) - Genug Partner gefunden, signiere ... ( warte .. ) - - - Found enough users, signing ( waiting... ) - Genug Partner gefunden, signiere ... ( warte ... ) - - - - Transmitting final transaction. - Übertrage fertige Transaktion. - - - - Finalizing transaction. - Füge Transaktion zusammen. - - - - Darksend request incomplete: - Darksend-Anfrage unvollständig: - - - - Will retry... - Versuche erneut... - - - - Darksend request complete: - Darksend-Anfrage vollständig: - - - Submitted to masternode, waiting in queue . - An Masternode übermittelt, wartet in Warteschlange . - - - Submitted to masternode, waiting in queue .. - An Masternode übermittelt, wartet in Warteschlange .. - - - Submitted to masternode, waiting in queue ... - An Masternode übermittelt, wartet in Warteschlange ... - - - - Unknown state: - Unbekannter Status: - - - + N/A k.A. - + Darksend was successfully reset. Darksend wurde erfolgreich zurückgesetzt. - + Darksend requires at least %1 to use. Zur Benutzung von Darksend benötigt man mindestens %1 - + Wallet is locked and user declined to unlock. Disabling Darksend. Das Wallet ist gesperrt und der Benutzer hat abgelehnt, es zu entsperren. Darksend wird deaktiviert. @@ -2215,141 +1946,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Fehlerhafte Zahlungsanforderung - + Cannot start dash: click-to-pay handler Dash kann nicht gestartet werden: click-to-pay handler - Net manager warning - Netzwerkmanager-Warnung - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Ihr aktiver Proxy unterstützt kein SOCKS5, dies wird jedoch für Zahlungsanforderungen über einen Proxy benötigt. - - - - - + + + URI handling URI-Verarbeitung - + Payment request fetch URL is invalid: %1 Abruf-URL der Zahlungsanforderung ist ungültig: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - URI konnte nicht erfolgreich verarbeitet werden. Höchstwahrscheinlich ist dies entweder keine gültige Dash-Adresse oder die URI-Parameter sind falsch gesetzt. - - - + Payment request file handling Zahlungsanforderungsdatei-Verarbeitung - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Zahlungsanforderungsdatei kann nicht gelesen oder verarbeitet werden! Dies kann durch eine ungültige Zahlungsanforderungsdatei verursacht werden. - - - + Invalid payment address %1 - Ungültige Zahlungsadresse %1 + Ungültige Zahlungsadresse %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + URI konnte nicht erfolgreich verarbeitet werden. Höchstwahrscheinlich ist dies entweder keine gültige Dash-Adresse oder die URI-Parameter sind falsch gesetzt. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Zahlungsanforderungsdatei kann nicht gelesen werden! Dies kann durch eine ungültige Zahlungsanforderungsdatei verursacht werden. - - - + + + Payment request rejected - + Zahlungsanforderung abgelehnt - + Payment request network doesn't match client network. - + Netzwerk der Zahlungsanforderung passt nicht zum Client-Netzwerk. - + Payment request has expired. - + Zahlungsanforderung ist abgelaufen - + Payment request is not initialized. - + Zahlungsanforderung ist nicht initialisiert. - + Unverified payment requests to custom payment scripts are unsupported. Unverifizierte Zahlungsanforderungen an benutzerdefinierte Zahlungsskripte werden nicht unterstützt. - + Requested payment amount of %1 is too small (considered dust). Angeforderter Zahlungsbetrag in Höhe von %1 ist zu niedrig und wurde als "Dust" eingestuft. - + Refund from %1 Rücküberweisung von %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Zahlungsanforderung %1 ist zu groß (%2 Bytes, erlaubt sind %3 Bytes). - + Payment request DoS protection - + Überlastungs-Schutz Zahlungsanforderung - + Error communicating with %1: %2 Kommunikationsfehler mit %1: %2 - + Payment request cannot be parsed! - + Zahlungsanforderung kann nicht analysiert werden! - Payment request can not be parsed or processed! - Zahlungsanforderung kann nicht analysiert oder verarbeitet werden! - - - + Bad response from server %1 Fehlerhafte Antwort vom Server: %1 - + Network request error fehlerhafte Netzwerkanfrage - + Payment acknowledged Zahlung bestätigt @@ -2357,140 +2068,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Adresse/Rechnername - + User Agent - + Benutzerprogramm - + Ping Time - + Ping-Antwort-Zeit QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Fehler: Angegebenes Datenverzeichnis "%1" existiert nicht. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Fehler: Konfigurationsdatei kann nicht analysiert werden: %1. Bitte nur "Schlüssel=Wert"-Syntax verwenden. - - - - Error reading masternode configuration file: %1 - Fehler beim Lesen der Masternode-Konfigurations-Datei: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Fehler: Ungültige Kombination von -regtest und -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core wurde noch nicht sicher beendet. - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Dash-Adresse eingeben. -(z.B. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Betrag + Betrag - + Enter a Dash address (e.g. %1) - + Dash-Adresse eingeben (z.B. %1) - + %1 d - + %1 T - + %1 h - %1 h + %1 St. - + %1 m - %1 m + %1 Min. - + %1 s - + %1 S - + NETWORK - + NETZWERK - + UNKNOWN - + UNBEKANNT - + None - + Keine - + N/A - k.A. + k.A. - + %1 ms - + %1 Ms QRImageWidget - + &Save Image... Grafik &speichern... - + &Copy Image Grafik &kopieren - + Save QR Code QR-Code speichern - + PNG Image (*.png) PNG-Grafik (*.png) @@ -2498,436 +2167,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Werkzeuge - + &Information &Information - + Masternode Count Anzahl Masternodes - + General Allgemein - + Name Name - + Client name Clientname - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A k.A. - + Number of connections Anzahl Verbindungen - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Öffnet die Dash-Debugprotokolldatei aus dem aktuellen Datenverzeichnis. Dies kann bei großen Protokolldateien einige Sekunden dauern. - + &Open &Öffnen - + Startup time Startzeit - + Network Netzwerk - + Last block time Letzte Blockzeit - + Debug log file Debugprotokolldatei - + Using OpenSSL version Verwendete OpenSSL-Version - + Build date Erstellungsdatum - + Current number of blocks Aktuelle Anzahl Blöcke - + Client version Clientversion - + Using BerkeleyDB version - + Verwendete BerkeleyDB-Version - + Block chain Blockkette - + &Console &Konsole - + Clear console Konsole zurücksetzen - + &Network Traffic &Netzwerkauslastung - + &Clear &Zurücksetzen - + Totals Summen - + Received - + Empfangen - + Sent - + Überwiesen - + &Peers - + &Gegenstellen - - - + + + Select a peer to view detailed information. - + Gegenstelle auswählen, um Detailinformationen zu sehen. - + Direction - + Richtung - + Version - + Version - + User Agent - + Benutzerprogramm - + Services - + Dienste - + Starting Height - + Ausgangs-Blocknummer - + Sync Height - + Synchronisierte Blocknummer - + Ban Score - + Ausschluss-Punktzahl - + Connection Time - + Verbindungszeit - + Last Send - + Letzte Überweisung - + Last Receive - + Letzter Empfang - + Bytes Sent - + Bytes gesendet: - + Bytes Received - + Bytes empfangen - + Ping Time - + Ping-Antwort-Zeit - + + &Wallet Repair + &Wallet-Reparatur + + + + Salvage wallet + Wallet Datenwiederherstellungen + + + + Rescan blockchain files + Dateien der Blockkette erneut durchsuchen + + + + Recover transactions 1 + Transaktion wiederherstellen 1 + + + + Recover transactions 2 + Transaktion wiederherstellen 2 + + + + Upgrade wallet format + Wallet-Format aktualisieren + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + Diese Buttons starten die Wallet mit Kommandozeilen-Parametern zur Reparatur von etwaigen Fehlern. + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: versucht private Schlüssel aus einer beschädigten wallet.dat wiederherzustellen + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Blockkette erneut nach fehlenden Wallet-Transaktionen durchsuchen + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Transaktion wiederherstellen (Metadaten, z.B. Kontoinhaber, behalten) + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Transaktion wiederherstellen (Metadaten verwerfen) + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + Wallet-Format aktualisieren. (dies ist KEINE Aktualisierung des Wallet) + + + + Wallet repair options. + Optionen zur Wallet-Reparatur. + + + + Rebuild index + Index neu aufbauen + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -reindex: Blockkettenindex aus aktuellen Dateien blk000??.dat wieder aufbauen + + + In: eingehend: - + Out: ausgehend: - + Welcome to the Dash RPC console. Willkommen in der Dash RPC-Console. - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Pfeiltaste hoch und runter, um den Verlauf durchzublättern und <b>Strg-L</b>, um die Konsole zurückzusetzen. - + Type <b>help</b> for an overview of available commands. Bitte <b>help</b> eingeben, um eine Übersicht verfügbarer Befehle zu erhalten. - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + über %1 - - + + never - + niemals - + Inbound - + Eingehend - + Outbound - + Ausgehend - + Unknown - + Unbekannt - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + Am Abrufen... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Eine der bereits verwendeten Empfangsadressen wiederverwenden. Addressen wiederzuverwenden birgt Sicherheits- und Datenschutzrisiken. Außer zum Neuerstellen einer bereits erzeugten Zahlungsanforderung sollten Sie dies nicht nutzen. - + R&euse an existing receiving address (not recommended) Vorhandene Empfangsadresse &wiederverwenden (nicht empfohlen) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Eine optionale Nachricht, die an die Zahlungsanforderung angehängt wird. Sie wird angezeigt, wenn die Anforderung geöffnet wird. Hinweis: Diese Nachricht wird nicht mit der Zahlung über das Dash-Netzwerk gesendet. + Eine optionale Nachricht, die an die Zahlungsanforderung angehängt wird. Sie wird angezeigt, wenn die Anforderung geöffnet wird. Hinweis: Diese Nachricht wird nicht mit der Zahlung über das Dash-Netzwerk gesendet. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Nachricht: - - + + An optional label to associate with the new receiving address. Eine optionale Bezeichnung, die der neuen Empfangsadresse zugeordnet wird. - + Use this form to request payments. All fields are <b>optional</b>. Verwenden Sie dieses Formular, um Zahlungen anzufordern. Alle Felder sind <b>optional</b>. - + &Label: &Bezeichnung: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Ein optional angeforderte Betrag. Lassen Sie dieses Feld leer oder setzen Sie es auf 0, um keinen spezifischen Betrag anzufordern. - + &Amount: &Betrag: - + &Request payment &Zahlung anfordern - + Clear all fields of the form. Alle Formularfelder zurücksetzen. - + Clear Zurücksetzen - + Requested payments history Verlauf der angeforderten Zahlungen - + Show the selected request (does the same as double clicking an entry) Ausgewählte Zahlungsanforderungen anzeigen (entspricht einem Doppelklick auf einen Eintrag) - + Show Anzeigen - + Remove the selected entries from the list Ausgewählte Einträge aus der Liste entfernen - + Remove Entfernen - + Copy label Bezeichnung kopieren - + Copy message Nachricht kopieren - + Copy amount Betrag kopieren @@ -2935,67 +2663,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code QR-Code - + Copy &URI &URI kopieren - + Copy &Address &Addresse kopieren - + &Save Image... Grafik &speichern... - + Request payment to %1 Zahlung anfordern an %1 - + Payment information Zahlungsinformationen - + URI URI - + Address Adresse - + Amount Betrag - + Label Bezeichnung - + Message Nachricht - + Resulting URI too long, try to reduce the text for label / message. Resultierende URI ist zu lang, bitte den Text für Bezeichnung/Nachricht kürzen. - + Error encoding URI into QR Code. Beim Enkodieren der URI in den QR-Code ist ein Fehler aufgetreten. @@ -3003,37 +2731,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Datum - + Label Bezeichnung - + Message Nachricht - + Amount Betrag - + (no label) (keine Bezeichnung) - + (no message) (keine Nachricht) - + (no amount) (kein Betrag) @@ -3041,413 +2769,397 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Dash überweisen - + Coin Control Features "Coin Control"-Funktionen - + Inputs... Inputs... - + automatically selected automatisch ausgewählt - + Insufficient funds! Unzureichender Kontostand! - + Quantity: Anzahl: - + Bytes: Byte: - + Amount: Betrag: - + Priority: Priorität: - + medium mittel - + Fee: Gebühr: - Low Output: - Zu geringer Ausgabebetrag: - - - + Dust: - + "Dust" - + no nein - + After Fee: Abzüglich Gebühr: - + Change: Wechselgeld: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Wenn dies aktivert, und die Wechselgeld-Adresse leer oder ungültig ist, wird das Wechselgeld einer neu erzeugten Adresse gutgeschrieben. - + Custom change address Benutzerdefinierte Wechselgeld-Adresse - + Transaction Fee: - + Transaktionsgebühr: - + Choose... - + Auswählen... - + collapse fee-settings - + Gebühreneinstellungen reduzieren - + Minimize - + Minimieren - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Wenn die benutzerdefinierten Gebühren auf 1000 duffs gesetzt sind und eine Transaktion hat nur 250 Bytes, dann kostet "pro Kilobyte" nur 250 duffs Gebühren, während "mindestens" 1000 duffs kostet. Transaktionen größer als 1 Kilobyte werden immer pro Kilobyte bezahlt. - + per kilobyte - + pro Kilobyte - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Wenn die benutzerdefinierten Gebühren auf 1000 duffs gesetzt sind und eine Transaktion hat nur 250 Bytes, dann kostet "pro Kilobyte" nur 250 duffs Gebühren, während "mindestens" 1000 duffs kostet. Transaktionen größer als 1 Kilobyte werden immer pro Kilobyte bezahlt. - + total at least - + mindestens - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + Nur die minimalen Gebühren zu zahlen ist völlig ausreichend so lange in einem neuen Block der Blockkette noch genug Platz für neue Transaktionen ist. Bitte beachten Sie dass wenn dies in der Zukunft nicht mehr der Fall sein sollte Ihre Transaktion eventuell niemals in einen neuen Block aufgenommen werden wird, also niemals bestätigt wird. - + (read the tooltip) - + (Kurzinfo lesen) - + Recommended: - + Empfohlen: - + Custom: - + Benutzerdefiniert: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + ("Intelligente" Gebühren sind noch nicht initialisiert. Dies dauert normalerweise ein paar Blöcke...) - + Confirmation time: - + Bestätigungszeit: - + normal - + normal - + fast - + schnell - + Send as zero-fee transaction if possible - + Wenn möglich als gebührenfreie Transaktion versenden - + (confirmation may take longer) - + (Bestätigung könnte länger dauern) - + Confirm the send action Überweisung bestätigen - + S&end &Überweisen - + Clear all fields of the form. Alle Formularfelder zurücksetzen. - + Clear &All &Zurücksetzen - + Send to multiple recipients at once An mehrere Empfänger auf einmal überweisen - + Add &Recipient Empfänger &hinzufügen - + Darksend Darksend - + InstantX InstantX - + Balance: Kontostand: - + Copy quantity Anzahl kopieren - + Copy amount Betrag kopieren - + Copy fee Gebühr kopieren - + Copy after fee Abzüglich Gebühr kopieren - + Copy bytes Byte kopieren - + Copy priority Priorität kopieren - Copy low output - Zu geringen Ausgabebetrag kopieren - - - + Copy dust - + "Dust" Betrag kopieren - + Copy change Wechselgeld kopieren - - - + + + using mittels - - + + anonymous funds anonymisierte Coins - + (darksend requires this amount to be rounded up to the nearest %1). (Darksend verlangt, dass dieser Betrag auf den nächsten %1 aufgerundet wird) - + any available funds (not recommended) beliebiger verfügbarer Coins (nicht empfohlen) - + and InstantX und InstantX - - - - + + + + %1 to %2 %1 an %2 - + Are you sure you want to send? Wollen Sie die Überweisung ausführen? - + are added as transaction fee werden als Transaktionsgebühr hinzugefügt - + Total Amount %1 (= %2) Gesamtbetrag %1 (= %2) - + or oder - + Confirm send coins Überweisung bestätigen - Payment request expired - Zahlungsanforderung abgelaufen + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Gebühren %1 x höher als %2 pro Kilobyte sind wahnsinnig überhöht. + + + + Estimated to begin confirmation within %n block(s). + Geschätzter Beginn der Bestätigung in %n Block.Geschätzter Beginn der Bestätigung in %n Blocks. - Invalid payment address %1 - Ungültige Zahlungsadresse %1 - - - + The recipient address is not valid, please recheck. Die Zahlungsadresse ist ungültig, bitte nochmals überprüfen. - + The amount to pay must be larger than 0. Der zu zahlende Betrag muss größer als 0 sein. - + The amount exceeds your balance. Der angegebene Betrag übersteigt ihren Kontostand. - + The total exceeds your balance when the %1 transaction fee is included. Der angegebene Betrag übersteigt aufgrund der Transaktionsgebühr in Höhe von %1 ihren Kontostand. - + Duplicate address found, can only send to each address once per send operation. Doppelte Zahlungsadresse gefunden, pro Überweisung kann an jede Adresse nur einmalig etwas überwiesen werden. - + Transaction creation failed! Transaktionserstellung fehlgeschlagen! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Die Transaktion wurde abgelehnt! Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden. Beispielsweise weil Sie eine Kopie ihrer wallet.dat nutzten und die Dash dort ausgegeben haben. Diese Ausgaben sind in diesem Fall in der derzeit aktiven Wallet nicht vermerkt. - + Error: The wallet was unlocked only to anonymize coins. Fehler: das Wallet wurde nur zum Anonymisieren entsperrt. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Nur die minimalen Gebühren von %1 zahlen - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Warnung: ungültige Dash-Adresse - + Warning: Unknown change address Warnung: Unbekannte Wechselgeld-Adresse - + (no label) (keine Bezeichnung) @@ -3455,102 +3167,98 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden SendCoinsEntry - + This is a normal payment. Dies ist eine normale Überweisung. - + Pay &To: E&mpfänger: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Die Adresse an die die Zahlung überwiesen werden soll (z.B. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg). - - - + The Dash address to send the payment to - + Dash-Adresse, an die überwiesen werden soll - + Choose previously used address Bereits verwendete Adresse auswählen - + Alt+A Alt+A - + Paste address from clipboard Adresse aus der Zwischenablage einfügen - + Alt+P Alt+P - - - + + + Remove this entry Diesen Eintrag entfernen - + &Label: &Bezeichnung: - + Enter a label for this address to add it to the list of used addresses Adressbezeichnung eingeben, die dann zusammen mit der Adresse der Liste bereits verwendeter Adressen hinzugefügt wird. - - - + + + A&mount: Betra&g: - + Message: Nachricht: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Eine an die "dash:"-URI angefügte Nachricht, die zusammen mit der Transaktion gespeichert wird. Hinweis: Diese Nachricht wird nicht über das Dash-Netzwerk gesendet. - + This is an unverified payment request. Dies is eine unverifizierte Zahlungsanforderung. - - + + Pay To: Empfänger: - - + + Memo: Memo: - + This is a verified payment request. Dies is eine verifizierte Zahlungsanforderung. - + Enter a label for this address to add it to your address book Adressbezeichnung eingeben (diese wird zusammen mit der Adresse dem Adressbuch hinzugefügt) @@ -3558,12 +3266,12 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden ShutdownWindow - + Dash Core is shutting down... Dash-Core wird herunter gefahren... - + Do not shut down the computer until this window disappears. Fahren Sie den Computer nicht herunter, bevor dieses Fenster verschwindet. @@ -3571,194 +3279,181 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Signaturen - eine Nachricht signieren / verifizieren - + &Sign Message Nachricht &signieren - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Sie können Nachrichten mit ihren Adressen signieren, um den Besitz dieser Adressen zu beweisen. Bitte nutzen Sie diese Funktion mit Vorsicht und nehmen Sie sich vor Phishingangriffen in Acht. Signieren Sie nur Nachrichten, mit denen Sie vollständig einverstanden sind. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Die Adresse mit der die Nachricht signiert wird (z.B. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg). - - - + The Dash address to sign the message with - + Dash-Adresse, mit der die Nachricht signiert werden soll - - + + Choose previously used address Bereits verwendete Adresse auswählen - - + + Alt+A Alt+A - + Paste address from clipboard Adresse aus der Zwischenablage einfügen - + Alt+P Alt+P - + Enter the message you want to sign here Zu signierende Nachricht hier eingeben - + Signature Signatur - + Copy the current signature to the system clipboard Aktuelle Signatur in die Zwischenablage kopieren - + Sign the message to prove you own this Dash address Die Nachricht signieren, um den Besitz dieser Dash-Adresse zu belegen - + Sign &Message &Nachricht signieren - + Reset all sign message fields Alle "Nachricht signieren"-Felder zurücksetzen - - + + Clear &All &Zurücksetzen - + &Verify Message Nachricht &verifizieren - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Geben Sie die signierende Adresse, Nachricht (achten Sie darauf Zeilenumbrüche, Leerzeichen, Tabulatoren usw. exakt zu kopieren) und Signatur unten ein, um die Nachricht zu verifizieren. Vorsicht, interpretieren Sie nicht mehr in die Signatur hinein, als in der signierten Nachricht selber enthalten ist, um nicht von einem Man-in-the-middle-Angriff hinters Licht geführt zu werden. - + The Dash address the message was signed with - + Dash-Adresse, mit der die Nachricht signiert worden ist - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Die Adresse mit der die Nachricht signiert wurde (z.B. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg). - - - + Verify the message to ensure it was signed with the specified Dash address Die Nachricht verifizieren, um sicherzustellen, dass diese mit der angegebenen Dash-Adresse signiert wurde - + Verify &Message &Nachricht verifizieren - + Reset all verify message fields Alle "Nachricht verifizieren"-Felder zurücksetzen - + Click "Sign Message" to generate signature Auf "Nachricht signieren" klicken, um die Signatur zu erzeugen - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Dash-Adresse eingeben. -(z.B. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Die eingegebene Adresse ist ungültig. - - - - + + + + Please check the address and try again. Bitte überprüfen Sie die Adresse und versuchen Sie es erneut. - - + + The entered address does not refer to a key. Die eingegebene Adresse verweist nicht auf einen Schlüssel. - + Wallet unlock was cancelled. Wallet-Entsperrung wurde abgebrochen. - + Private key for the entered address is not available. Privater Schlüssel zur eingegebenen Adresse ist nicht verfügbar. - + Message signing failed. Signierung der Nachricht fehlgeschlagen. - + Message signed. Nachricht signiert. - + The signature could not be decoded. Die Signatur konnte nicht dekodiert werden. - - + + Please check the signature and try again. Bitte überprüfen Sie die Signatur und versuchen Sie es erneut. - + The signature did not match the message digest. Die Signatur entspricht nicht dem "Message Digest". - + Message verification failed. Verifikation der Nachricht fehlgeschlagen. - + Message verified. Nachricht verifiziert. @@ -3766,27 +3461,27 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden SplashScreen - + Dash Core Dash Core - + Version %1 Version %1 - + The Bitcoin Core developers Die "Bitcoin Core"-Entwickler - + The Dash Core developers Die "Dash Core"-Entwickler - + [testnet] [Testnetz] @@ -3794,7 +3489,7 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden TrafficGraphWidget - + KB/s KB/s @@ -3802,254 +3497,245 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden TransactionDesc - + Open for %n more block(s) - - Geöffnet für %1 weiteren Block - Geöffnet für %n weitere Blöcke - + Geöffnet für %n weiteren BlockGeöffnet für %n weitere Blöcke - + Open until %1 Offen bis %1 - - - - + + + + conflicted in Konflikt stehend - + %1/offline (verified via instantx) %1/offline (Überprüft durch InstantX) - + %1/confirmed (verified via instantx) %1/bestätigt (Überprüft durch InstantX) - + %1 confirmations (verified via instantx) %1 Bestätigungen (Überprüft durch InstantX) - + %1/offline %1/offline - + %1/unconfirmed %1/unbestätigt - - + + %1 confirmations %1 Bestätigungen - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/offline (Überprüfung durch InstantX - %2 von %3 Signaturen) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/bestätigt (Überprüfung durch InstantX - %2 von %3 Signaturen) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 Bestätigungen (Überprüfung durch InstantX - %2 von %3 Signaturen) - + %1/offline (InstantX verification failed) %1/offline (Überprüfung durch InstantX fehlgeschlagen) - + %1/confirmed (InstantX verification failed) %1/bestätigt (Überprüfung durch InstantX fehlgeschlagen) - + Status Status - + , has not been successfully broadcast yet , wurde noch nicht erfolgreich übertragen - + , broadcast through %n node(s) - - , über %n Knoten übertragen - , über %n Knoten übertragen - + , über %n Knoten übertragen, über %n Knoten übertragen - + Date Datum - + Source Quelle - + Generated Erzeugt - - - + + + From Von - + unknown unbekannt - - - + + + To An - + own address eigene Adresse - - + + watch-only - + beobachtet - + label Bezeichnung - - - - - + + + + + Credit Gutschrift - + matures in %n more block(s) - - reift noch %n weiteren Block - reift noch %n weitere Blöcke - + reift noch %n Blockreift noch %n weitere Blöcke - + not accepted nicht angenommen - - - + + + Debit Belastung - + Total debit - + Gesamtbelastung - + Total credit - + Gesamtgutschrift - + Transaction fee Transaktionsgebühr - + Net amount Nettobetrag - - + + Message Nachricht - + Comment Kommentar - + Transaction ID Transaktions-ID - + Merchant Händler - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Erzeugte Dash müssen %1 Blöcke lang reifen, bevor sie ausgegeben werden können. Als Sie diesen Block erzeugten, wurde er an das Netzwerk übertragen, um ihn der Blockkette hinzuzufügen. Falls dies fehlschlägt wird der Status in "nicht angenommen" geändert und Sie werden keine Dash gutgeschrieben bekommen. Das kann gelegentlich passieren, wenn ein anderer Knoten einen Block fast zeitgleich erzeugt. - + Debug information Debuginformationen - + Transaction Transaktion - + Inputs Eingaben - + Amount Betrag - - + + true wahr - - + + false falsch @@ -4057,12 +3743,12 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden TransactionDescDialog - + Transaction details Transaktionsdetails - + This pane shows a detailed description of the transaction Dieser Bereich zeigt eine detaillierte Beschreibung der Transaktion an @@ -4070,169 +3756,162 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden TransactionTableModel - + Date Datum - + Type Typ - + Address Adresse - - Amount - Betrag - - + Open for %n more block(s) - - Geöffnet für %n weiteren Block - Geöffnet für %n weitere Blöcke - + Geöffnet für %n weiteren BlockGeöffnet für %n weitere Blöcke - + Open until %1 Offen bis %1 - + Offline Offline - + Unconfirmed Unbestätigt - + Confirming (%1 of %2 recommended confirmations) Wird bestätigt (%1 von %2 empfohlenen Bestätigungen) - + Confirmed (%1 confirmations) Bestätigt (%1 Bestätigungen) - + Conflicted in Konflikt stehend - + Immature (%1 confirmations, will be available after %2) Unreif (%1 Bestätigungen, wird verfügbar sein nach %2) - + This block was not received by any other nodes and will probably not be accepted! Dieser Block wurde von keinem anderen Knoten empfangen und wird wahrscheinlich nicht angenommen werden! - + Generated but not accepted Erzeugt, jedoch nicht angenommen - + Received with Empfangen über - + Received from Empfangen von - + Received via Darksend über/durch Darksend empfangen - + Sent to Überwiesen an - + Payment to yourself Eigenüberweisung - + Mined Erarbeitet - + Darksend Denominate Darksend Stückelung - + Darksend Collateral Payment Darksend Sicherheits-Zahlung - + Darksend Make Collateral Inputs Darksend Sicherheits-Eingänge machen - + Darksend Create Denominations Darksend Stückelungs-Gebühr - + Darksent Darksend - + watch-only - + beobachtet - + (n/a) (k.A.) - + Transaction status. Hover over this field to show number of confirmations. Transaktionsstatus, fahren Sie mit der Maus über dieses Feld, um die Anzahl der Bestätigungen zu sehen. - + Date and time that the transaction was received. Datum und Uhrzeit zu der die Transaktion empfangen wurde. - + Type of transaction. Art der Transaktion - + Whether or not a watch-only address is involved in this transaction. - + Zeigt ob eine beobachtete Adresse in dieser Transaktion beteiligt ist. - + Destination address of transaction. Zieladresse der Transaktion - + Amount removed from or added to balance. Der Betrag, der dem Kontostand abgezogen oder hinzugefügt wurde. @@ -4240,207 +3919,208 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden TransactionView - - + + All Alle - + Today Heute - + This week Diese Woche - + This month Diesen Monat - + Last month Letzten Monat - + This year Dieses Jahr - + Range... Zeitraum... - + + Most Common + Gängigste + + + Received with Empfangen über - + Sent to Überwiesen an - + Darksent Darksend - + Darksend Make Collateral Inputs Darksend Sicherheits-Eingänge machen - + Darksend Create Denominations Darksend Stückelungs-Gebühr - + Darksend Denominate Darksend Stückelung - + Darksend Collateral Payment Darksend Sicherheits-Zahlung - + To yourself Eigenüberweisung - + Mined Erarbeitet - + Other Andere - + Enter address or label to search Zu suchende Adresse oder Bezeichnung eingeben - + Min amount Minimaler Betrag - + Copy address Adresse kopieren - + Copy label Bezeichnung kopieren - + Copy amount Betrag kopieren - + Copy transaction ID Transaktions-ID kopieren - + Edit label Bezeichnung bearbeiten - + Show transaction details Transaktionsdetails anzeigen - + Export Transaction History Transaktionsverlauf exportieren - + Comma separated file (*.csv) Kommagetrennte-Datei (*.csv) - + Confirmed Bestätigt - + Watch-only - + Beobachtet - + Date Datum - + Type Typ - + Label Bezeichnung - + Address Adresse - Amount - Betrag - - - + ID ID - + Exporting Failed Exportieren fehlgeschlagen - + There was an error trying to save the transaction history to %1. Beim Speichern des Transaktionsverlaufs nach %1 ist ein Fehler aufgetreten. - + Exporting Successful Exportieren erfolgreich - + The transaction history was successfully saved to %1. Speichern des Transaktionsverlaufs nach %1 war erfolgreich. - + Range: Zeitraum: - + to bis @@ -4448,15 +4128,15 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Angezeigte Einheit. Anklicken, um andere Einheit zu wählen. WalletFrame - + No wallet has been loaded. Es wurde keine Wallet geladen. @@ -4464,59 +4144,58 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden WalletModel - - + + + Send Coins Dash überweisen - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX unterstützt das Versenden von Beträgen dieser Höhe noch nicht. Transaktionen sind zur Zeit auf maximal %n DASH begrenzt. - InstantX unterstützt das Versenden von Beträgen dieser Höhe noch nicht. Transaktionen sind zur Zeit auf maximal %n DASH begrenzt. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX unterstützt das Versenden von Beträgen dieser Höhe noch nicht. Transaktionen sind zur Zeit auf maximal %n DASH begrenzt. WalletView - + &Export E&xportieren - + Export the data in the current tab to a file Daten der aktuellen Ansicht in eine Datei exportieren - + Backup Wallet Wallet sichern - + Wallet Data (*.dat) Wallet-Daten (*.dat) - + Backup Failed Sicherung fehlgeschlagen - + There was an error trying to save the wallet data to %1. Beim Speichern der Wallet-Daten nach %1 ist ein Fehler aufgetreten. - + Backup Successful Sicherung erfolgreich - + The wallet data was successfully saved to %1. Speichern der Wallet-Daten nach %1 war erfolgreich. @@ -4524,8 +4203,503 @@ Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + An die angegebene Adresse binden und immer abhören. Für IPv6 "[Host]:Port"-Schreibweise verwenden + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Das Programm kann das Daten-Verzeichnis %s nicht als "in Verwendung" markieren. Wahrscheinlich läuft das Programm bereits. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend benutzt exakt gestückelte Beträge zum Versenden, Sie müssen dafür möglicherweise noch mehr Dash anonymisieren. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Regressionstest-Modus aktivieren, der eine spezielle Blockkette nutzt, in der Blöcke sofort gelöst werden können. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Fehler: Abhören nach eingehenden Verbindungen fehlgeschlagen (Fehler %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Befehl ausführen wenn ein relevanter Alarm empfangen wird oder wir einen wirklich langen Fork entdecken (%s im Befehl wird durch die Nachricht ersetzt) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Befehl ausführen wenn sich eine Wallet-Transaktion verändert (%s im Befehl wird durch die TxID ersetzt) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Befehl ausführen wenn der beste Block wechselt (%s im Befehl wird durch den Hash des Blocks ersetzt) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Unbestätigte für Darksend vorbereitete Ausgabebeträge gefunden, warte bis sie bestätigt sind bevor weitergemacht wird. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + In diesem Modus legt -genproclimit fest, wie viele Blöcke sofort erzeugt werden. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX benötigt Zahlungseingänge mit mindestens 6 Bestätigungen, warten Sie also ein paar Minuten und versuchen Sie es dann erneut. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Name, um eine URL für den KeyPass-Eintrag zu erzeugen, der die Wallet-Passphrase speichert. + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Abfrage der Peer-Adressen über DNS, falls es wenige Adressen gibt (Standard: 1, außer wenn -connect konfiguriert wurde) + + + + Set external address:port to get to this masternode (example: address:port) + Setze externe Adresse und Port, um diesen Masternode zu erreichen (Beispiel: Adresse:Port) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Maximale Größe in Byte von Transaktionen hoher Priorität/mit niedrigen Gebühren festlegen (Standard: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Maximale Anzahl an Skript-Verifizierungs-Threads festlegen (%u bis %d, 0 = automatisch, <0 = so viele Kerne frei lassen, Standard: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Dies ist eine Vorab-Testversion - Verwendung auf eigene Gefahr - nicht für Mining- oder Handelsanwendungen nutzen! + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Dash Core den Prozess %s auf dem Computer nicht an sich binden. Wahrscheinlich läuft das Programm bereits. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Für diese Transaktion konnten nicht genug mit Darksend gestückelte Beträge gefunden werden. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Für diese Transaktion konnten nicht genug nicht mit Darksend gestückelte Beträge gefunden werden, die ungleich 1000 DASH sind. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Für diese Transaktion konnten nicht genug nicht mit Darksend gestückelte Beträge gefunden werden. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Warnung: -paytxfee ist auf einen sehr hohen Wert festgelegt! Dies ist die Gebühr die beim Senden einer Transaktion fällig wird. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Warnung: Das Netzwerk scheint nicht vollständig übereinzustimmen! Einige Miner scheinen Probleme zu haben. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Warnung: Wir scheinen nicht vollständig mit unseren Gegenstellen übereinzustimmen! Sie oder die anderen Knoten müssen unter Umständen ihre Client-Software aktualisieren. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Warnung: Lesen von wallet.dat fehlgeschlagen! Alle Schlüssel wurden korrekt gelesen, Transaktionsdaten bzw. Adressbucheinträge fehlen aber möglicherweise oder sind inkorrekt. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Warnung: wallet.dat beschädigt, Datenrettung erfolgreich! Original wallet.dat wurde als wallet.{Zeitstempel}.dat in %s gespeichert. Falls ihr Kontostand oder Transaktionen nicht korrekt sind, sollten Sie dem vorangegangenen Zustand durch die Datensicherung wiederherstellen. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Es muss ein Masternode-Geheimschlüssel (masternodeprivkey) in der Konfiguration angegeben werden. Für weitere Informationen siehe Dokumentation. + + + + (default: 1) + (Standard: 1) + + + + Accept command line and JSON-RPC commands + Kommandozeilen- und JSON-RPC-Befehle annehmen + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Eingehende Verbindungen annehmen (Standard: 1, wenn nicht -proxy oder -connect) + + + + Add a node to connect to and attempt to keep the connection open + Mit dem angegebenen Knoten verbinden und versuchen die Verbindung aufrecht zu erhalten + + + + Allow DNS lookups for -addnode, -seednode and -connect + Erlaube DNS-Abfragen für -addnode, -seednode und -connect + + + + Already have that input. + Haben diesen Eintrag bereits. + + + + Attempt to recover private keys from a corrupt wallet.dat + Versuchen, private Schlüssel aus einer beschädigten wallet.dat wiederherzustellen + + + + Block creation options: + Blockerzeugungsoptionen: + + + + Can't denominate: no compatible inputs left. + Kann nicht zerstückeln: keine kompatiblen Eingänge übrig. + + + + Cannot downgrade wallet + Wallet kann nicht auf eine ältere Version herabgestuft werden + + + + Cannot resolve -bind address: '%s' + Kann Adresse in -bind nicht auflösen: '%s' + + + + Cannot resolve -externalip address: '%s' + Kann Adresse in -externalip nicht auflösen: '%s' + + + + Cannot write default address + Standardadresse kann nicht geschrieben werden + + + + Collateral not valid. + Sicherheitszahlung nicht gültig. + + + + Connect only to the specified node(s) + Mit nur dem oder den angegebenen Knoten verbinden + + + + Connect to a node to retrieve peer addresses, and disconnect + Mit dem angegebenen Knoten verbinden, um Adressen von Gegenstellen abzufragen, danach trennen + + + + Connection options: + Verbindungsoptionen: + + + + Corrupted block database detected + Beschädigte Blockdatenbank erkannt + + + + Darksend is disabled. + Darksend ist deaktiviert. + + + + Darksend options: + Darksend Optionen: + + + + Debugging/Testing options: + Debugging-/Testoptionen: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Eigene IP-Adresse erkennen (Standard: 1, wenn abgehört wird und nicht -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Die Wallet nicht laden und Wallet-RPC-Aufrufe deaktivieren + + + + Do you want to rebuild the block database now? + Möchten Sie die Blockdatenbank jetzt neu aufbauen? + + + + Done loading + Laden abgeschlossen + + + + Entries are full. + Warteschlange ist voll. + + + + Error initializing block database + Fehler beim Initialisieren der Blockdatenbank + + + + Error initializing wallet database environment %s! + Fehler beim Initialisieren der Wallet-Datenbankumgebung %s! + + + + Error loading block database + Fehler beim Laden der Blockdatenbank + + + + Error loading wallet.dat + Fehler beim Laden von wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Fehler beim Laden von wallet.dat: Wallet beschädigt + + + + Error opening block database + Fehler beim Öffnen der Blockdatenbank + + + + Error reading from database, shutting down. + Fehler beim Lesen der Datenbank, Anwendung wird heruntergefahren. + + + + Error recovering public key. + Fehler bei der Wiederherstellung des öffentlichen Schlüssels. + + + + Error + Fehler + + + + Error: Disk space is low! + Fehler: Zu wenig freier Speicherplatz auf dem Datenträger! + + + + Error: Wallet locked, unable to create transaction! + Fehler: Wallet gesperrt, Transaktion kann nicht erstellt werden! + + + + Error: You already have pending entries in the Darksend pool + Fehler: Es sind bereits anstehende Einträge im Darksend-Pool + + + + Failed to listen on any port. Use -listen=0 if you want this. + Fehler, es konnte kein Port abgehört werden. Wenn dies so gewünscht wird -listen=0 verwenden. + + + + Failed to read block + Lesen des Blocks fehlgeschlagen + + + + If <category> is not supplied, output all debugging information. + Wenn <category> nicht angegeben wird, jegliche Debugginginformationen ausgeben. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1 = Transaktions-Metadaten wie z.B. Kontoinhaber behalten, 2 = Metadaten verwerfen) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + JSON-RPC Verbindungen von einer bestimmten Quelle zulassen. Für <ip> sind einzelne IPs (z.B. 1.2.3.4), Netzwerk/Netzmasken (z.B. 1.2.3.4/255.255.255.0) oder Netzwerk/CIDR (z.B. 1.2.3.4/24) erlaubt. Diese Option kann mehrmals eingetragen werden. + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + Beim Einrichten der RPC-Adresse %s, Port %u zum Abhören von %s ist ein Fehler aufgetreten + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + An die angegebene Adresse binden und Gegenstellen in die Liste der erlaubten Gegenstellen aufnehmen. Für IPv6 "[Host]:Port"-Schreibweise verwenden + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + Für JSON-RPC Verbindugen an die angegebene Adresse binden. Für IPv6 "[Host]:Port"-Schreibweise verwenden. Diese Option kann mehrmals eingetragen werden. (Standard: an alle verbinden) + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + Wahlverhalten für Abschlussbudget ändern. mode=auto: nur wählen, wenn Abschlussbudget genau meinem generierten Budget entspricht. (Standard: auto) + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + Anzahl der freien Transaktionen auf <n> * 1000 Byte pro Minute begrenzen (Standard: %u) + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + Neue Dateien mit den System-Standardberechtigungen (anstatt 077) erzeugen (nur bei deaktiviertem Wallet möglich) + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + Lösche alle Wallet-Transaktionen stelle nur diese mittels -rescan beim nächsten Start des Wallets wieder her. + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + Deaktiviere alle Masternode- und Darksend-spezifischen Funktionen (0-1, Standard: %u) + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + Unter MIT Software Lizenz zur Verfügung gestellt, siehe beigefügte Datei COPYING oder <http://www.opensource.org/licenses/mit-license.php>. + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Aktiviere InstantX, zeige Bestätigungen für gesperrte Transaktionen an (bool, Standard: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + Aktiviere Darksend automatisch (0-1, Standard: %u) + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + Fehler: Parameter -socks wird nicht mehr unterstützt. Setzen der SOCKS-Version ist nicht mehr möglich, es werden nur noch SOCKS5 Proxies unterstützt. + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + Niedrigere Gebühren (in DASH pro Kb) als diese werden bei der Vermittlung als gebührenfrei angesehen (Standard: %s) + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + Niedrigere Gebühren (in DASH pro Kb) als diese werden bei der Transaktionserzeugung als gebührenfrei angesehen (Standard: %s) + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + Datenbankaktivitäten vom Arbeitsspeicher-Pool alle <n> Megabyte auf den Datenträger schreiben (Standard: %u) + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + Legt fest, wie gründlich die Blockverifikation von -checkblocks ist (0-4, Standard: %u) + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + Falls paytxfee nicht gesetzt wurde automatisch genug Transaktionsgebühren hinzufügen, um die Transaktion durchschnittlich innerhalb n Blöcken zu bestätigen (Standard: %u) + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + Ungültiger Betrag für -maxtxfee=<amount>: '%s' (Betrag muss mindestens minrelay von %s Gebühren sein um "hängende" Transaktionen zu vermeiden) + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + Transaktionspriorität und Gebühr pro kB beim Erzeugen von Blöcken protokollieren (Standard: %u) + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + Einen vollständigen Transaktionsindex für den getrawtransaction RPC-Aufruf führen (Standard: %u) + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + Maximale Datengröße für von uns weitergegebenen Übermittlungstransaktionen (Standard: %u) + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + Maximale Gesamtgebühren für eine einzelne Transaktion. Sind diese Gebühren zu gering könnten große Transaktionen evtl. abgebrochen werden (Standard: %s) + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + Anzahl Sekunden, während denen sich nicht konform verhaltenden Gegenstellen die Wiederverbindung verweigert wird (Standard: %u) + + + + Output debugging information (default: %u, supplying <category> is optional) + Debugging-Informationen ausgeben (Standard: %u, <category> anzugeben ist optional) + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + Durch diese Einstellung können Sie dem Darksend-Netzwerk zusätzliche Liquidität zur Verfügung stellen in dem Sie von Zeit zu Zeit bereits anonymisierte Dash wieder dem Mixing-Prozess zuführen. (0-100, 0=aus, 1=sehr oft, 100=sehr selten (wenig Gebühren). Standard: %u) + + + + Require high priority for relaying free or low-fee transactions (default:%u) + Verlange hohe Priorität für die Vermittlung von kostenlosen oder mit niedrigen Gebühren versehenen Transaktionen (Standard: %u) + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + Legt ein Prozessor-/CPU-Kernlimit fest, wenn CPU-Mining aktiviert ist (-1 = unbegrenzt, Standard: %d) + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + Anzahl Bestätigungen für eine erfolgreich gesperrte Transaktion (0-9999, voreingestellt: %u) + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + Dieses Produkt enthält vom OpenSSL-Projekt entwickelte Software zur Benutzung des OpenSSL Toolkit <https://www.openssl.org/>, kryptographische Software geschrieben von Eric Young und UPnP Software geschrieben von Thomas Bernard. + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4536,7 +4710,7 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, Sie müssen ein rpcpasswort in dieser Konfigurationsdatei angeben: + Um dashd (oder dash-qt mit dem -server Parameter) zu benutzen müssen Sie ein rpcpasswort in dieser Konfigurationsdatei angeben: %s Es wird empfohlen das folgende Zufallspasswort zu verwenden: rpcuser=dashrpc @@ -4548,1342 +4722,910 @@ Es wird ebenfalls empfohlen alertnotify anzugeben, um im Problemfall benachricht zum Beispiel: alertnotify=echo %%s | mail -s \"Dash Alert\" admin@foo.com - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Zulässige Chiffren (Standard: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + Separaten SOCKS5-Proxy verwenden, um Gegenstellen über versteckte Tor-Dienste zu erreichen (Standard: %s) - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Beim Einrichten des RPC-Ports %u zum Abhören von IPv4 ist ein Fehler aufgetreten: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + Warnung: -maxtxfee ist auf einen sehr hohen Wert gesetzt! Diese Gebühr könnte schon beim Senden einer einzelnen Transaktion fällig werden. - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Beim Einrichten des RPC-Ports %u zum Abhören von IPv6 ist ein Fehler aufgetreten, es wird auf IPv4 zurückgegriffen: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + Warnung: Bitte überprüfen Sie die Datums- und Uhrzeiteinstellungen ihres Computers, da Dash Core ansonsten nicht ordnungsgemäß funktionieren wird! - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - An die angegebene Adresse binden und immer abhören. Für IPv6 "[Host]:Port"-Schreibweise verwenden + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + Erlaube Gegenstellen mit dieser Netzmaske oder IP-Adresse. Diese Option kann mehrmals eingetragen werden. - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Das Programm kann das Daten-Verzeichnis %s nicht als "in Verwendung" markieren. Wahrscheinlich läuft das Programm bereits. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + Erlaubte Gegenstellen können nicht wegen DoS ausgeschlossen werden und ihre Transaktionen werden immer weitergeleitet, sogar wenn sie schon im Memory-Pool sind. Dies ist z.B. für Gateways nützlich. - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Anzahl der freien Transaktionen auf <n> * 1000 Byte pro Minute begrenzen (Standard: 15) + + (default: %s) + (Standard: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend benutzt exakt gestückelte Beträge zum Versenden, Sie müssen dafür möglicherweise noch mehr Dash anonymisieren. + + <category> can be: + + <category> kann sein: + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Deaktiviere alle Masternode- und Darksend-spezifischen Funktionen (0-1, Standard: 0) + + Accept public REST requests (default: %u) + Akzeptiere öffentliche REST-Anforderungen (Standard: %u) - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Aktiviere InstantX, zeige Bestätigungen für gesperrte Transaktionen an (bool, Standard: true) + + Acceptable ciphers (default: %s) + Akzeptierte Verschlüsselungen (Standard: %s) - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Aktiviere Darksend automatisch (0-1, Standard: 0) + + Always query for peer addresses via DNS lookup (default: %u) + Peer-Adressen immer über DNS abfragen (Standard: %u) - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Regressionstest-Modus aktivieren, der eine spezielle Blockkette nutzt, in der Blöcke sofort gelöst werden können. Dies ist für Regressionstest-Tools und Anwendungsentwicklung gedacht. + + Cannot resolve -whitebind address: '%s' + Kann Adresse via -whitebind nicht auflösen: '%s' - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Regressionstest-Modus aktivieren, der eine spezielle Blockkette nutzt, in der Blöcke sofort gelöst werden können. + + Connect through SOCKS5 proxy + Über einen SOCKS5-Proxy verbinden - - Error: Listening for incoming connections failed (listen returned error %s) - Fehler: Abhören nach eingehenden Verbindungen fehlgeschlagen (Fehler %s) + + Connect to KeePassHttp on port <port> (default: %u) + Mit KeePassHttp auf <port> verbinden (Standard: %u) - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Fehler: Die Transaktion wurde abgelehnt! Dies kann passieren, wenn einige Dash aus ihrer Wallet bereits ausgegeben wurden. Beispielsweise weil Sie eine Kopie ihrer wallet.dat genutzt, die Bitcoins dort ausgegeben haben und dies daher in der derzeit aktiven Wallet nicht vermerkt ist. + + Copyright (C) 2009-%i The Bitcoin Core Developers + Copyright (C) 2009-%i Die "Bitcoin Core"-Entwickler - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Fehler: Diese Transaktion benötigt aufgrund ihres Betrags, ihrer Komplexität oder der Nutzung erst kürzlich erhaltener Zahlungen eine Transaktionsgebühr in Höhe von mindestens %s! + + Copyright (C) 2014-%i The Dash Core Developers + Copyright (C) 2014-%i Die "Dash Core"-Entwickler - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Fehler: das Wallet ist nur zum Anonymisieren entsperrt, erzeugen von Transaktionen nicht möglichen. + + Could not parse -rpcbind value %s as network address + -rpcbind Wert %s konnte nicht als Netzwerkadresse erkannt werden - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Befehl ausführen wenn ein relevanter Alarm empfangen wird oder wir einen wirklich langen Fork entdecken (%s im Befehl wird durch die Nachricht ersetzt) + + Darksend is idle. + Darksend ist untätig. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Befehl ausführen wenn sich eine Wallet-Transaktion verändert (%s im Befehl wird durch die TxID ersetzt) + + Darksend request complete: + Darksend-Anfrage vollständig: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Befehl ausführen wenn der beste Block wechselt (%s im Befehl wird durch den Hash des Blocks ersetzt) + + Darksend request incomplete: + Darksend-Anfrage unvollständig: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Niedrigere Gebühren als diese werden als gebührenfrei angesehen (bei der Transaktionserstellung) (Standard: + + Disable safemode, override a real safe mode event (default: %u) + Sicherheitsmodus deaktivieren, überschreibt ein echtes Sicherheitsmodusereignis (Standard: %u) - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Datenbankaktivitäten vom Arbeitsspeicher-Pool alle <n> Megabyte auf den Datenträger schreiben (Standard: 100) + + Enable the client to act as a masternode (0-1, default: %u) + Masternode-Modus aktivieren. (0=aus, 1=an; Voreinstellung: %u) - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Unbestätigte für Darksend vorbereitete Ausgabebeträge gefunden, warte bis sie bestätigt sind bevor weitergemacht wird. + + Error connecting to Masternode. + Fehler bei der Verbindung zum Masternode. - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Legt fest, wie gründlich die Blockverifikation von -checkblocks ist (0-4, Standard: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Fehler beim Laden von wallet.dat: Wallet benötigt neuere Version von Dash Core - - In this mode -genproclimit controls how many blocks are generated immediately. - In diesem Modus legt -genproclimit fest, wie viele Blöcke sofort erzeugt werden. + + Error: A fatal internal error occured, see debug.log for details + Fehler: ein interner Fehler ist aufgetreten, Details sind in der Datei debug.log - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX benötigt Zahlungseingänge mit mindestens 6 Bestätigungen, warten Sie also ein paar Minuten und versuchen Sie es dann erneut. + + Error: Unsupported argument -tor found, use -onion. + Fehler: Paramter -tor wird nicht unterstützt, bitte -onion benutzen. - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - <port>nach JSON-RPC-Verbindungen abhören (Standard: 9998 oder Testnetz: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + Gebühren (in DASH pro Kb), die gesendeten Transaktionen hinzugefügt werden (Standard: %s) - - Name to construct url for KeePass entry that stores the wallet passphrase - Name, um eine URL für den KeyPass-Eintrag zu erzeugen, der die Wallet-Passphrase speichert. + + Finalizing transaction. + Füge Transaktion zusammen. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Anzahl Sekunden, während denen sich nicht konform verhaltenden Gegenstellen die Wiederverbindung verweigert wird (Standard: 86400) + + Force safe mode (default: %u) + Sicherheitsmodus erzwingen (Standard: %u) - - Output debugging information (default: 0, supplying <category> is optional) - Debugginginformationen ausgeben (Standard: 0, <category> anzugeben ist optional) + + Found enough users, signing ( waiting %s ) + Genug Partner gefunden, signiere ( warte %s ) - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Durch diese Einstellung können Sie dem Darksend-Netzwerk zusätzliche Liquidität zur Verfügung stellen in dem Sie von Zeit zu Zeit bereits anonymisierte Dash wieder dem Mixing-Prozess zuführen. (0-100) [0=aus, 1=sehr oft, 100=sehr selten] Voreinstellung: 0 + + Found enough users, signing ... + Genug Partner gefunden, signiere ... - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Abfrage der Peer-Adressen über DNS, falls es wenige Adressen gibt (Standard: 1, außer wenn -connect konfiguriert wurde) + + Generate coins (default: %u) + Coins erzeugen (Standard: %u) - - Set external address:port to get to this masternode (example: address:port) - Setze externe Adresse und Port, um diesen Masternode zu erreichen (Beispiel: Adresse:Port) + + How many blocks to check at startup (default: %u, 0 = all) + Wieviele Blöcke beim Starten geprüft werden sollen (Standard: %u, 0 = alle) - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Maximale Größe in Byte von Transaktionen hoher Priorität/mit niedrigen Gebühren festlegen (Standard: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + Masternodes mit einer Version welche älter ist als X ignorieren (z.B. Version 70050, Standard: %u) - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Maximale Anzahl an Skript-Verifizierungs-Threads festlegen (%u bis %d, 0 = automatisch, <0 = so viele Kerne frei lassen, Standard: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Legt ein Prozessor-/CPU-Kernlimit fest, wenn CPU-Mining aktiviert ist (-1 = unbegrenzt, Standard: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Anzahl Bestätigungen für eine erfolgreich gesperrte Transaktion (0-9999, voreingestellt: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Dies ist eine Vorab-Testversion - Verwendung auf eigene Gefahr - nicht für Mining- oder Handelsanwendungen nutzen! - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Dash Core den Prozess %s auf dem Computer nicht an sich binden. Wahrscheinlich läuft das Programm bereits. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Für diese Transaktion konnten nicht genug mit Darksend gestückelte Beträge gefunden werden. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Für diese Transaktion konnten nicht genug nicht mit Darksend gestückelte Beträge gefunden werden, die ungleich 1000 DASH sind. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Für diese Transaktion konnten nicht genug nicht mit Darksend gestückelte Beträge gefunden werden. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Separaten SOCKS5-Proxy verwenden, um Gegenstellen über versteckte Tor-Dienste zu erreichen (Standard: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Warnung: -paytxfee ist auf einen sehr hohen Wert festgelegt! Dies ist die Gebühr die beim Senden einer Transaktion fällig wird. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Warnung: Bitte überprüfen Sie die Datums- und Uhrzeiteinstellungen ihres Computers, da Dash ansonsten nicht ordnungsgemäß funktionieren wird! - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Warnung: Das Netzwerk scheint nicht vollständig übereinzustimmen! Einige Miner scheinen Probleme zu haben. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Warnung: Wir scheinen nicht vollständig mit unseren Gegenstellen übereinzustimmen! Sie oder die anderen Knoten müssen unter Umständen ihre Client-Software aktualisieren. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Warnung: Lesen von wallet.dat fehlgeschlagen! Alle Schlüssel wurden korrekt gelesen, Transaktionsdaten bzw. Adressbucheinträge fehlen aber möglicherweise oder sind inkorrekt. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Warnung: wallet.dat beschädigt, Datenrettung erfolgreich! Original wallet.dat wurde als wallet.{Zeitstempel}.dat in %s gespeichert. Falls ihr Kontostand oder Transaktionen nicht korrekt sind, sollten Sie dem vorangegangenen Zustand durch die Datensicherung wiederherstellen. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Sie müssen den Wert rpcpassword=<passwort> in der Konfigurationsdatei angeben: -%s -Falls die Konfigurationsdatei nicht existiert, erzeugen Sie diese bitte mit Leserechten nur für den Dateibesitzer. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Es muss ein Masternode-Geheimschlüssel (masternodeprivkey) in der Konfiguration angegeben werden. Für weitere Informationen siehe Dokumentation. - - - - (default: 1) - (Standard: 1) - - - - (default: wallet.dat) - (Standard: wallet.dat) - - - - <category> can be: - <category> kann sein: - - - - Accept command line and JSON-RPC commands - Kommandozeilen- und JSON-RPC-Befehle annehmen - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Eingehende Verbindungen annehmen (Standard: 1, wenn nicht -proxy oder -connect) - - - - Add a node to connect to and attempt to keep the connection open - Mit dem angegebenen Knoten verbinden und versuchen die Verbindung aufrecht zu erhalten - - - - Allow DNS lookups for -addnode, -seednode and -connect - Erlaube DNS-Abfragen für -addnode, -seednode und -connect - - - - Allow JSON-RPC connections from specified IP address - JSON-RPC-Verbindungen von der angegebenen IP-Adresse erlauben - - - - Already have that input. - Haben diesen Eintrag bereits. - - - - Always query for peer addresses via DNS lookup (default: 0) - Peer-Adressen immer über DNS abfragen (Standard: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Versuchen, private Schlüssel aus einer beschädigten wallet.dat wiederherzustellen - - - - Block creation options: - Blockerzeugungsoptionen: - - - - Can't denominate: no compatible inputs left. - Kann nicht zerstückeln: keine kompatiblen Eingänge übrig. - - - - Cannot downgrade wallet - Wallet kann nicht auf eine ältere Version herabgestuft werden - - - - Cannot resolve -bind address: '%s' - Kann Adresse in -bind nicht auflösen: '%s' - - - - Cannot resolve -externalip address: '%s' - Kann Adresse in -externalip nicht auflösen: '%s' - - - - Cannot write default address - Standardadresse kann nicht geschrieben werden - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Liste der Wallet-Transaktionen zurücksetzen (Diagnosetool; beinhaltet -rescan) - - - - Collateral is not valid. - Sicherheitszahlung ist nicht gültig. - - - - Collateral not valid. - Sicherheitszahlung nicht gültig. - - - - Connect only to the specified node(s) - Mit nur dem oder den angegebenen Knoten verbinden - - - - Connect through SOCKS proxy - Über einen SOCKS-Proxy verbinden - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Mit JSON-RPC auf <port> verbinden (Standard: 9998 oder Testnetz: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Mit KeePassHttp auf <port> verbinden (Standard: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Mit dem angegebenen Knoten verbinden, um Adressen von Gegenstellen abzufragen, danach trennen - - - - Connection options: - Verbindungsoptionen: - - - - Corrupted block database detected - Beschädigte Blockdatenbank erkannt - - - - Dash Core Daemon - Dash-Core Daemon - - - - Dash Core RPC client version - Dash-Core RPC-client Version - - - - Darksend is disabled. - Darksend ist deaktiviert. - - - - Darksend options: - Darksend Optionen: - - - - Debugging/Testing options: - Debugging-/Testoptionen: - - - - Disable safemode, override a real safe mode event (default: 0) - Sicherheitsmodus deaktivieren, übergeht ein echtes Sicherheitsmodusereignis (Standard: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Eigene IP-Adresse erkennen (Standard: 1, wenn abgehört wird und nicht -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Die Wallet nicht laden und Wallet-RPC-Aufrufe deaktivieren - - - - Do you want to rebuild the block database now? - Möchten Sie die Blockdatenbank jetzt neu aufbauen? - - - - Done loading - Laden abgeschlossen - - - - Downgrading and trying again. - Gehe auf ältere Version zurück und versuche es erneut. - - - - Enable the client to act as a masternode (0-1, default: 0) - Masternode-Modus aktivieren. (0=aus, 1=an; Voreinstellung: 0) - - - - Entries are full. - Warteschlange ist voll. - - - - Error connecting to masternode. - Fehler bei der Verbindung zur Masternode. - - - - Error initializing block database - Fehler beim Initialisieren der Blockdatenbank - - - - Error initializing wallet database environment %s! - Fehler beim Initialisieren der Wallet-Datenbankumgebung %s! - - - - Error loading block database - Fehler beim Laden der Blockdatenbank - - - - Error loading wallet.dat - Fehler beim Laden von wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Fehler beim Laden von wallet.dat: Wallet beschädigt - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Fehler beim Laden von wallet.dat: Wallet benötigt neuere Version von Dash - - - - Error opening block database - Fehler beim Öffnen der Blockdatenbank - - - - Error reading from database, shutting down. - Fehler beim Lesen der Datenbank, Anwendung wird heruntergefahren. - - - - Error recovering public key. - Fehler bei der Wiederherstellung des öffentlichen Schlüssels. - - - - Error - Fehler - - - - Error: Disk space is low! - Fehler: Zu wenig freier Speicherplatz auf dem Datenträger! - - - - Error: Wallet locked, unable to create transaction! - Fehler: Wallet gesperrt, Transaktion kann nicht erstellt werden! - - - - Error: You already have pending entries in the Darksend pool - Fehler: Es sind bereits anstehende Einträge im Darksend-Pool - - - - Error: system error: - Fehler: Systemfehler: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Fehler, es konnte kein Port abgehört werden. Wenn dies so gewünscht wird -listen=0 verwenden. - - - - Failed to read block info - Lesen der Blockinformationen fehlgeschlagen - - - - Failed to read block - Lesen des Blocks fehlgeschlagen - - - - Failed to sync block index - Synchronisation des Blockindex fehlgeschlagen - - - - Failed to write block index - Schreiben des Blockindex fehlgeschlagen - - - - Failed to write block info - Schreiben der Blockinformationen fehlgeschlagen - - - - Failed to write block - Schreiben des Blocks fehlgeschlagen - - - - Failed to write file info - Schreiben der Dateiinformationen fehlgeschlagen - - - - Failed to write to coin database - Schreiben in die Münzendatenbank fehlgeschlagen - - - - Failed to write transaction index - Schreiben des Transaktionsindex fehlgeschlagen - - - - Failed to write undo data - Schreiben der Rücksetzdaten fehlgeschlagen - - - - Fee per kB to add to transactions you send - Gebühr pro kB, die gesendeten Transaktionen hinzugefügt wird - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Niedrigere Gebühren als diese werden als gebührenfrei angesehen (bei der Vermittlung) (Standard: - - - - Force safe mode (default: 0) - Sicherheitsmodus erzwingen (Standard: 0) - - - - Generate coins (default: 0) - Bitcoins erzeugen (Standard: 0) - - - - Get help for a command - Hilfe zu einem Befehl erhalten - - - - How many blocks to check at startup (default: 288, 0 = all) - Wieviele Blöcke beim Starten geprüft werden sollen (Standard: 288, 0 = alle) - - - - If <category> is not supplied, output all debugging information. - Wenn <category> nicht angegeben wird, jegliche Debugginginformationen ausgeben. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Masternodes mit einer Version welche älter ist als X ignorieren (z.B. Version 70050, Voreinstellung: 0) - - - + Importing... Importiere... - + Imports blocks from external blk000??.dat file Blöcke aus externer Datei blk000??.dat importieren - + + Include IP addresses in debug output (default: %u) + IP-Adressen in die Debug-Ausgabe mit aufnehmen (Standard: %u) + + + Incompatible mode. Inkompatibler Modus. - + Incompatible version. Inkompatible Version. - + Incorrect or no genesis block found. Wrong datadir for network? Fehlerhafter oder kein Genesis-Block gefunden. Falsches Datenverzeichnis für das Netzwerk? - + Information Hinweis - + Initialization sanity check failed. Dash Core is shutting down. Fehler beim Initialisieren (Plausibilitätsprüfung fehlgeschlagen). Dash Core wird heruntergefahren. - + Input is not valid. Eintrag ist nicht gültig. - + InstantX options: InstantX Optionen: - + Insufficient funds Unzureichender Kontostand - + Insufficient funds. Unzureichender Kontostand. - + Invalid -onion address: '%s' Ungültige "-onion"-Adresse: '%s' - + Invalid -proxy address: '%s' Ungültige Adresse in -proxy: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Ungültiger Betrag für -maxtxfee=<amount>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Ungültiger Betrag für -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Ungültiger Betrag für -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Ungültiger Betrag für -paytxfee=<amount>: '%s' (Betrag muss mindestens %s sein) + + + Invalid amount for -paytxfee=<amount>: '%s' Ungültiger Betrag für -paytxfee=<amount>: '%s' - - Invalid amount - Ungültiger Betrag + + Last successful Darksend action was too recent. + Die letzte erfolgreiche Darksend-Transaktion ist noch zu neu. - + + Limit size of signature cache to <n> entries (default: %u) + Größe des Signaturcaches auf <n> Einträge begrenzen (Standard: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + <port>nach JSON-RPC-Verbindungen abhören (Standard: %u oder Testnetz: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + <port> nach Verbindungen abhören (Standard: %u oder Testnetz: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Masternodes über Masternode-Konfiguration sperren (Standard: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Maximal <n> Verbindungen zu Gegenstellen aufrechterhalten (Standard: %u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + Maximale Größe des Empfangspuffers pro Verbindung, <n> * 1000 Byte (Standard: %u) + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + Maximale Größe des Sendepuffers pro Verbindung, <n> * 1000 Byte (Standard: %u) + + + + Mixing in progress... + Am Mixen... + + + + Need to specify a port with -whitebind: '%s' + Für -whitebind muss eine Portnummer angegeben werden: '%s' + + + + No Masternodes detected. + Keine Masternodes gefunden. + + + + No compatible Masternode found. + Kein kompatibler Masternode gefunden. + + + + Not in the Masternode list. + Nicht in der Masternode-Liste. + + + + Number of automatic wallet backups (default: 10) + Anzahl automatischer Wallet-Sicherungskopien (Standard: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + Blockkette nur als gültig ansehen, wenn sie mit den integrierten Prüfpunkten übereinstimmt (Standard: %u) + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Verbinde nur zu Knoten des Netztyps <net> (ipv4, ipv6 oder onion) + + + + Prepend debug output with timestamp (default: %u) + Debugausgaben einen Zeitstempel voranstellen (Standard: %u) + + + + Run a thread to flush wallet periodically (default: %u) + Einen Thread starten, der periodisch die Wallet auf den Datenträger sichert (Standard: %u) + + + + Send transactions as zero-fee transactions if possible (default: %u) + Wenn möglich als gebührenfreie Transaktion versenden (Standard: %u) + + + + Server certificate file (default: %s) + Datei mit Serverzertifikat (Standard: %s) + + + + Server private key (default: %s) + Privater Serverschlüssel (Standard: %s) + + + + Session timed out, please resubmit. + Zeitüberschreitung der Sitzung, bitte erneut abschicken. + + + + Set key pool size to <n> (default: %u) + Größe des Schlüsselpools festlegen auf <n> (Standard: %u) + + + + Set minimum block size in bytes (default: %u) + Minimale Blockgröße in Bytes festlegen (Standard: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Maximale Anzahl an Threads zur Verarbeitung von RPC-Anfragen festlegen (Standard: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + DB_PRIVATE-Flag in der Wallet-Datenbankumgebung setzen (Standard: %u) + + + + Specify configuration file (default: %s) + Konfigurationsdatei festlegen (Standard: %s) + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + Verbindungzeitüberschreitung in Millisekunden festlegen (Minimum: 1, Standard: %d) + + + + Specify masternode configuration file (default: %s) + Konfigurationsdatei der Masternode-Einstellungen angeben (Standard: %s) + + + + Specify pid file (default: %s) + pid-Datei angeben (Standard: %s) + + + + Spend unconfirmed change when sending transactions (default: %u) + Unbestätigtes Wechselgeld beim Senden von Transaktionen ausgeben (Standard: %u) + + + + Stop running after importing blocks from disk (default: %u) + Nach dem Import von Blöcken von der Festplatte Programm beenden (Standard: %u) + + + + Submitted following entries to masternode: %u / %d + Folgende Einträge wurden an Masternode gesendet: %u / %d + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + An Masternode gesendet, warte auf weitere Einträge ( %u / %d ) %s + + + + Submitted to masternode, waiting in queue %s + An Masternode übermittelt, wartet in Warteschlange %s + + + + This is not a Masternode. + Dies ist kein Masternode. + + + + Threshold for disconnecting misbehaving peers (default: %u) + Schwellenwert, um Verbindungen zu sich nicht konform verhaltenden Gegenstellen zu beenden (Standard: %u) + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + "KeePass 2"-Integration mit KeePassHttp-plugin (Standard: %u) + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + N unterschiedliche Masternodes benutzen, um Dash zu anonymisieren (2-8, Standard: %u) + + + + Use UPnP to map the listening port (default: %u) + UPnP verwenden, um eine Portweiterleitung einzurichten (Standard: %u) + + + + Wallet needed to be rewritten: restart Dash Core to complete + Die Wallet musste neu geschrieben werden. Bitte das Programm neu starten um den Vorgang abzuschließen + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + Warnung: Veraltetes Argument -benchmark wird ignoriert, bitte -debug=bench verwenden. + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + Warnung: Veraltetes Argument -debugnet wird ignoriert, bitte -debug=net verwenden. + + + + Will retry... + Versuche erneut... + + + Invalid masternodeprivkey. Please see documenation. Masternode-Geheimschlüssel (masternodeprivkey) ist ungültig. Siehe Dokumentation. - + + Invalid netmask specified in -whitelist: '%s' + Ungültige Netzmaske für -whitelist angegeben: '%s' + + + Invalid private key. Fehlerhafter privater Schlüssel. - + Invalid script detected. Invalides Zahlskript entdeckt. - + KeePassHttp id for the established association "KeePassHttp id" für bestehende verknüpfte Verbindungen. - + KeePassHttp key for AES encrypted communication with KeePass "KeePassHttp key" für die AES-verschlüsselte Kommunikation mit "KeePass" - - Keep N dash anonymized (default: 0) - Betrag welcher anonymisiert vorgehalten wird. (Voreinstellung: 0) + + Keep N DASH anonymized (default: %u) + Betrag welcher anonymisiert vorgehalten wird. (Voreinstellung: %u) - - Keep at most <n> unconnectable blocks in memory (default: %u) - Maximal <n> (noch) nicht einsortierte Blöcke zwischenspeichern (Voreinstellung: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Maximal <n> (noch) nicht einsortierte Zahlungen zwischenspeichern (Voreinstellung: %u) - + Last Darksend was too recent. Letzte Darksend-Transaktion ist noch zu neu. - - Last successful darksend action was too recent. - Letzte erfolgreiche Darksend-Transaktion ist noch zu neu. - - - - Limit size of signature cache to <n> entries (default: 50000) - Größe des Signaturcaches auf <n> Einträge begrenzen (Standard: 50000) - - - - List commands - Befehle auflisten - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - <port> nach Verbindungen abhören (Standard: 9999 oder Testnetz: 19999) - - - + Loading addresses... Lade Adressen... - + Loading block index... Lade Blockindex... - - Loading masternode list... - Lade Masternode-Liste... + + Loading budget cache... + Lade Budget-Cache... - + + Loading masternode cache... + Lade Masternode-Cache... + + + Loading wallet... (%3.2f %%) Lade Wallet... (%3.2f %%) - + Loading wallet... Lade Wallet... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Transaktionspriorität und Gebühr pro kB beim Erzeugen von Blöcken protokollieren (Standard: 0) - - - - Maintain a full transaction index (default: 0) - Einen vollständigen Transaktionsindex führen (Standard: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Maximal <n> Verbindungen zu Gegenstellen aufrechterhalten (Standard: 125) - - - + Masternode options: Masternode Optionen: - + Masternode queue is full. Warteschlange der Masternode ist voll. - + Masternode: Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Maximale Größe des Empfangspuffers pro Verbindung, <n> * 1000 Byte (Standard: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Maximale Größe des Sendepuffers pro Verbindung, <n> * 1000 Byte (Standard: 1000) - - - + Missing input transaction information. Fehlende Informationen zur Eingangs-Transaktion. - - No compatible masternode found. - Keine kompatible Masternode gefunden. - - - + No funds detected in need of denominating. Kein Kapital gefunden, dass zerstückelt werden muss. - - No masternodes detected. - Kein Masternodes gefunden. - - - + No matching denominations found for mixing. Keine passende Zerstückelungen zum Mixen gefunden. - + + Node relay options: + Vermittlungs-Optionen für Knoten: + + + Non-standard public key detected. nicht Standard öffentlicher Schlüssel erkannt. - + Not compatible with existing transactions. Nicht kompatibel mit existierenden Transaktionen. - + Not enough file descriptors available. Nicht genügend Datei-Deskriptoren verfügbar. - - Not in the masternode list. - Nicht in der Masternode-Liste. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Blockkette nur als gültig ansehen, wenn sie mit den integrierten Prüfpunkten übereinstimmt (Standard: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Verbinde nur zu Knoten des Netztyps <net> (IPv4, IPv6 oder Tor) - - - + Options: Optionen: - + Password for JSON-RPC connections Passwort für JSON-RPC-Verbindungen - - Prepend debug output with timestamp (default: 1) - Debugausgaben einen Zeitstempel voranstellen (Standard: 1) - - - - Print block on startup, if found in block index - Block beim Starten ausgeben, wenn dieser im Blockindex gefunden wurde. - - - - Print block tree on startup (default: 0) - Blockbaum beim Starten ausgeben (Standard: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) RPC SSL Optionen: (siehe Bitcoin Wiki für eine Installationsanleitung) - - RPC client options: - RPC-Client-Optionen: - - - + RPC server options: RPC-Serveroptionen: - + + RPC support for HTTP persistent connections (default: %d) + RPC-Unterstützung für persistente HTTP-Verbindungen (default: %d) + + + Randomly drop 1 of every <n> network messages Zufällig eine von <n> Netzwerknachrichten verwerfen - + Randomly fuzz 1 of every <n> network messages Zufällig eine von <n> Netzwerknachrichten verwürfeln - + Rebuild block chain index from current blk000??.dat files - Blockkettenindex aus aktuellen Dateien blk000??.dat wiederaufbauen + Blockkettenindex aus aktuellen Dateien blk000??.dat wieder aufbauen - + + Relay and mine data carrier transactions (default: %u) + "Data Carrier"-Transaktionen weiterleiten (Standard: %u) + + + + Relay non-P2SH multisig (default: %u) + Nicht-P2SH-Multisig weiterleiten (Standard: %u) + + + Rescan the block chain for missing wallet transactions Blockkette erneut nach fehlenden Wallet-Transaktionen durchsuchen - + Rescanning... Durchsuche erneut... - - Run a thread to flush wallet periodically (default: 1) - Einen Thread starten, der periodisch die Wallet sicher auf den Datenträger schreibt (Standard: 1) - - - + Run in the background as a daemon and accept commands Als Hintergrunddienst ausführen und Befehle annehmen - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - SSL-Optionen (siehe Bitcoin-Wiki für SSL-Einrichtungssanweisungen): - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - SOCKS-Version des Proxies wählen (4 oder 5, Standard: 5) - - - - Send command to Dash Core - Befehl an Dash Core senden - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Sende Befehle an Knoten <ip> (Standard: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Rückverfolgungs- und Debuginformationen an die Konsole senden, anstatt sie in debug.log zu schreiben - - Server certificate file (default: server.cert) - Serverzertifikat (Standard: server.cert) - - - - Server private key (default: server.pem) - Privater Serverschlüssel (Standard: server.pem) - - - + Session not complete! Sitzung ist nicht vollständig! - - Session timed out (30 seconds), please resubmit. - Zeitüberschreitung der Sitzung (30 Sekunden), bitte erneut abschicken. - - - + Set database cache size in megabytes (%d to %d, default: %d) Größe des Datenbankcaches in Megabyte festlegen (%d bis %d, Standard: %d) - - Set key pool size to <n> (default: 100) - Größe des Schlüsselpools festlegen auf <n> (Standard: 100) - - - + Set maximum block size in bytes (default: %d) Maximale Blockgröße in Byte festlegen (Standard: %d) - - Set minimum block size in bytes (default: 0) - Minimale Blockgröße in Byte festlegen (Standard: 0) - - - + Set the masternode private key Privaten Masternode-Schlüssel setzen - - Set the number of threads to service RPC calls (default: 4) - Maximale Anzahl an Threads zur Verarbeitung von RPC-Anfragen festlegen (Standard: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - DB_PRIVATE-Flag in der Wallet-Datenbankumgebung setzen (Standard: 1) - - - + Show all debugging options (usage: --help -help-debug) Zeige alle Debuggingoptionen (Benutzung: --help -help-debug) - - Show benchmark information (default: 0) - Zeige Benchmarkinformationen (Standard: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Protokolldatei debug.log beim Starten des Clients kürzen (Standard: 1, wenn kein -debug) - + Signing failed. Signierung fehlgeschalgen. - + Signing timed out, please resubmit. Zeitüberschreitung der Signierung, bitte erneut abschicken. - + Signing transaction failed Signierung der Transaktion fehlgeschlagen - - Specify configuration file (default: dash.conf) - Konfigurationsdatei festlegen (Standard: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Verbindungzeitüberschreitung in Millisekunden festlegen (Standard: 5000) - - - + Specify data directory Datenverzeichnis festlegen - - Specify masternode configuration file (default: masternode.conf) - Konfigurationsdatei der Masternode-Einstellungen angeben (Standart: masternode.conf) - - - - Specify pid file (default: dashd.pid) - pid-Datei angeben (Standard: dash.pid) - - - + Specify wallet file (within data directory) Wallet-Datei angeben (innerhalb des Datenverzeichnisses) - + Specify your own public address Die eigene öffentliche Adresse angeben - - Spend unconfirmed change when sending transactions (default: 1) - Unbestätigtes Wechselgeld beim Senden von Transaktionen ausgeben (Standard: 1) - - - - Start Dash Core Daemon - Dash Core starten - - - - System error: - Systemfehler: - - - + This help message Dieser Hilfetext - + + This is experimental software. + Dies ist experimentelle Software. + + + This is intended for regression testing tools and app development. Dies ist für Regressionstest-Tools und Anwendungsentwicklung gedacht. - - This is not a masternode. - Das ist keine Masternode. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Schwellenwert, um Verbindungen zu sich nicht konform verhaltenden Gegenstellen zu beenden (Standard: 100) - - - - To use the %s option - Zur Nutzung der %s-Option - - - + Transaction amount too small Transaktionsbetrag zu niedrig - + Transaction amounts must be positive Transaktionsbeträge müssen positiv sein - + Transaction created successfully. Transaktion erfolgreich erstellt. - + Transaction fees are too high. Transaktionsgebühren sind zu hoch. - + Transaction not valid. Transaktion ungültig. - + + Transaction too large for fee policy + Transaktion ist für die Gebührenrichtlinie zu groß + + + Transaction too large Transaktion zu groß - + + Transmitting final transaction. + Übertrage fertige Transaktion. + + + Unable to bind to %s on this computer (bind returned error %s) Kann auf diesem Computer nicht an %s binden (von bind zurückgegebener Fehler: %s) - - Unable to sign masternode payment winner, wrong key? - Die Zahlung an den Gewinner der Masternode-Runde konnte nicht signiert werden. Wurde der Key falsch gesetzt? - - - + Unable to sign spork message, wrong key? Die Spork-Nachricht konnte nicht signiert werden. Wurde der Key falsch gesetzt? - - Unknown -socks proxy version requested: %i - Unbekannte Proxyversion in -socks angefordert: %i - - - + Unknown network specified in -onlynet: '%s' Unbekannter Netztyp in -onlynet angegeben: '%s' - + + Unknown state: id = %u + Unbekannter Status: id = %u + + + Upgrade wallet to latest format Wallet auf das neueste Format aktualisieren - - Usage (deprecated, use dash-cli): - Benutzung (veraltet, bitte Dash-cli verwenden): - - - - Usage: - Benutzung: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - "KeePass 2"-Integration mit KeePassHttp-plugin (Standard: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - N unterschiedliche Masternodes benutzen, um Dash zu anonymisieren (2-8, Standard: 2) - - - + Use OpenSSL (https) for JSON-RPC connections OpenSSL (https) für JSON-RPC-Verbindungen verwenden - - Use UPnP to map the listening port (default: 0) - UPnP verwenden, um eine Portweiterleitung einzurichten (Standard: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) UPnP verwenden, um eine Portweiterleitung einzurichten (Standard: 1, wenn abgehört wird) - + Use the test network Das Testnetz verwenden - + Username for JSON-RPC connections Benutzername für JSON-RPC-Verbindungen - + Value more than Darksend pool maximum allows. Wert größer als der vom Darksend Pool maximal erlaubte. - + Verifying blocks... Verifiziere Blöcke... - + Verifying wallet... Verifiziere Wallet... - - Wait for RPC server to start - Warten, bis der RPC-Server gestartet ist - - - + Wallet %s resides outside data directory %s Wallet %s liegt außerhalb des Datenverzeichnisses %s - + Wallet is locked. Wallet gesperrt. - - Wallet needed to be rewritten: restart Dash to complete - Die Wallet musste neu geschrieben werden. Bitte das Programm neu starten um den Vorgang abzuschließen. - - - + Wallet options: Wallet-Optionen: - + Warning Warnung - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Warnung: Veraltetes Argument -debugnet gefunden, bitte -debug=net verwenden - - - + Warning: This version is obsolete, upgrade required! Warnung: Diese Version is veraltet, Aktualisierung erforderlich! - + You need to rebuild the database using -reindex to change -txindex Sie müssen die Datenbank mit Hilfe von -reindex neu aufbauen, um -txindex zu verändern - + + Your entries added successfully. + Ihre Einträge wurden erfolgreich hinzugefügt. + + + + Your transaction was accepted into the pool! + Ihre Transaktion wurde im Pool akzeptiert! + + + Zapping all transactions from wallet... Lösche alle Transaktionen aus Wallet... - + on startup beim Starten - - version - Version - - - + wallet.dat corrupt, salvage failed wallet.dat beschädigt, Datenrettung fehlgeschlagen diff --git a/src/qt/locale/dash_es.ts b/src/qt/locale/dash_es.ts index 5bc262d34..4ca9a9b2c 100644 --- a/src/qt/locale/dash_es.ts +++ b/src/qt/locale/dash_es.ts @@ -1,203 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Acerca del Dash Core - - - - <b>Dash Core</b> version - Versión del <b>Dash Core</b> - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Copyright &copy; 2009-2014 Los desarrolladores de Bitcoin Core. -Copyright &copy; 2014-YYYY Los desarrolladores de Dash Core. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Este es un software experimental. - -Distribuido bajo la licencia MIT/X11, vea el archivo adjunto -COPYING o http://www.opensource.org/licenses/mit-license.php. - -Este producto incluye software desarrollado por OpenSSL Project para su uso en el OpenSSL Toolkit (http://www.openssl.org/) y software criptográfico escrito por Eric Young (eay@cryptsoft.com) y el software UPnP escrito por Thomas Bernard. - - - Copyright - Copyright - - - The Bitcoin Core developers - Los desarrolladores de Bitcoin Core - - - The Dash Core developers - Los desarrolladores del Dash Core - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Haga doble clic para editar la etiqueta o dirección - - - + Right-click to edit address or label - + Pulsar con el botón derecho para editar la dirección o etiqueta - + Create a new address Crear una dirección nueva - + &New &Nueva - + Copy the currently selected address to the system clipboard Copiar la dirección seleccionada al portapapeles del sistema - + &Copy &Copiar - + Delete the currently selected address from the list Elimina la dirección seleccionada de la lista - + &Delete &Eliminar - + Export the data in the current tab to a file Exporta los datos en la pestaña actual a un archivo - + &Export E&xportar - + C&lose Ce&rrar - + Choose the address to send coins to - Elige la dirección para enviar las monedas + Elija la dirección a la cual enviar los dash - + Choose the address to receive coins with - Elige la dirección para recibir las monedas + Elija la dirección donde recibirá los dash - + C&hoose E&scoger - + Sending addresses Direcciones de envío - + Receiving addresses Direcciones de recepción - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Estas son sus direcciones Dash para enviar pagos. Compruebe siempre la cantidad y la dirección receptora antes de enviar dashs. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Estas son sus direcciones de Dash para recibir pagos. Se recomienda utilizar una nueva dirección de recepción para cada transacción. - + &Copy Address Copiar &Dirección - + Copy &Label Copiar E&tiqueta - + &Edit &Editar - + Export Address List Exportar la Lista de Direcciones - + Comma separated file (*.csv) Archivo de valores separados por comas (*.csv) - + Exporting Failed Error al exportar - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Se produjo un error al intentar guardar la lista de direcciones en %1. + Se produjo un error al intentar guardar la lista de direcciones en %1. Por favor, inténtelo otra vez. AddressTableModel - + Label Etiqueta - + Address Dirección - + (no label) (sin etiqueta) @@ -205,154 +143,150 @@ Este producto incluye software desarrollado por OpenSSL Project para su uso en e AskPassphraseDialog - + Passphrase Dialog Diálogo de contraseña - + Enter passphrase Introducir contraseña - + New passphrase Nueva contraseña - + Repeat new passphrase Repita la nueva contraseña - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Sirve para desactivar sendmoney trivial cuando una cuenta del SO se ve comprometida . No ofrece seguridad real. - + For anonymization only Solo para anonimizar - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Introduzca la nueva contraseña del monedero.<br/>Por favor elija una con <b>10 o más caracteres aleatorios</b>, u <b>ocho o más palabras</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Introduzca la nueva contraseña del monedero.<br/>Por favor, use una contraseña con <b>diez o más caracteres aleatorios</b>, u <b>ocho o más palabras</b>. - + Encrypt wallet Cifrar el monedero - + This operation needs your wallet passphrase to unlock the wallet. Esta operación requiere su contraseña para desbloquear el monedero. - + Unlock wallet Desbloquear monedero - + This operation needs your wallet passphrase to decrypt the wallet. Esta operación requiere su contraseña para descifrar el monedero. - + Decrypt wallet Descifrar el monedero - + Change passphrase Cambiar contraseña - + Enter the old and new passphrase to the wallet. Introduzca la contraseña anterior del monedero y la nueva. - + Confirm wallet encryption Confirmar cifrado del monedero - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! Advertencia: Si cifra la cartera y pierde su contraseña, ¡<b>PERDERÁ TODOS SUS DASH</b>! - + Are you sure you wish to encrypt your wallet? ¿Seguro que desea cifrar su monedero? - - + + Wallet encrypted Monedero cifrado - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. Dash se cerrará ahora para finalizar el proceso de cifrado. Recuerde que el cifrado de su monedero no puede proteger totalmente sus dashs del robo por un malware que infecte su sistema. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. IMPORTANTE: Cualquier copia de seguridad que haya realizado previamente de su archivo del monedero debe reemplazarse con el nuevo archivo de monedero cifrado. Por razones de seguridad, las copias de seguridad previas del archivo de monedero no cifradas serán inservibles en cuanto comience a usar el nuevo monedero cifrado. - - - - + + + + Wallet encryption failed Ha fallado el cifrado del monedero - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Ha fallado el cifrado del monedero debido a un error interno. El monedero no se cifró. - - + + The supplied passphrases do not match. Las contraseñas no coinciden. - + Wallet unlock failed Ha fallado el desbloqueo del monedero - - - + + + The passphrase entered for the wallet decryption was incorrect. La contraseña introducida para descifrar el monedero es incorrecta. - + Wallet decryption failed Ha fallado el descifrado del monedero - + Wallet passphrase was successfully changed. Se ha cambiado correctamente la contraseña del monedero. - - + + Warning: The Caps Lock key is on! Aviso: ¡La tecla de bloqueo de mayúsculas está activada! @@ -360,437 +294,425 @@ Este producto incluye software desarrollado por OpenSSL Project para su uso en e BitcoinGUI - + + Dash Core Dash Core - + Wallet Monedero - + Node Nodo - [testnet] - [testnet] - - - + &Overview &Vista general - + Show general overview of wallet Mostrar vista general del monedero - + &Send &Enviar - + Send coins to a Dash address - Enviar monedas a una dirección Dash + Enviar cuantía a una dirección Dash - + &Receive &Recibir - + Request payments (generates QR codes and dash: URIs) Solicitar pagos (genera códigos QR y URIs de Dash) - + &Transactions &Transacciones - + Browse transaction history Examinar el historial de transacciones - + E&xit &Salir - + Quit application Salir de la aplicación - + &About Dash Core &Acerca de Dash Core - Show information about Dash - Mostrar información acerca de Dash - - - + Show information about Dash Core - + Mostrar información acerca de Dash Core - - + + About &Qt Acerca de &Qt - + Show information about Qt Mostrar información acerca de Qt - + &Options... &Opciones... - + Modify configuration options for Dash Modificar las opciones de configuración de Dash - + &Show / Hide Mo&strar/ocultar - + Show or hide the main Window Mostrar u ocultar la ventana principal - + &Encrypt Wallet... Ci&frar monedero… - + Encrypt the private keys that belong to your wallet Cifrar las claves privadas de su monedero - + &Backup Wallet... &Guardar copia del monedero... - + Backup wallet to another location Crear copia de seguridad del monedero en otra ubicación - + &Change Passphrase... &Cambiar la contraseña… - + Change the passphrase used for wallet encryption Cambiar la contraseña utilizada para el cifrado del monedero - + &Unlock Wallet... &Desbloquear el monedero - + Unlock wallet Desbloquear el monedero - + &Lock Wallet &Bloquear el monedero - + Sign &message... Firmar &mensaje... - + Sign messages with your Dash addresses to prove you own them Firmar mensajes con sus direcciones Dash para demostrar su posesión - + &Verify message... &Verificar el mensaje... - + Verify messages to ensure they were signed with specified Dash addresses Verificar mensajes para comprobar que fueron firmados con la dirección Dash indicada - + &Information &Información - + Show diagnostic information Muestra información de diagnóstico - + &Debug console Consola de &Depuración - + Open debugging console Abrir la consola de depuración - + &Network Monitor Monitor de &Red - + Show network monitor Muestra la monitorización de la red - + + &Peers list + Lista de &Pares + + + + Show peers info + Mostrar info de pares + + + + Wallet &Repair + &Reparar Monedero + + + + Show wallet repair options + Mostrar opciones para reparar monedero + + + Open &Configuration File Abrir Archivo de &Configuración - + Open configuration file Abrir archivo de configuración - + + Show Automatic &Backups + Mostrar Copias de &Seguridad Automáticas + + + + Show automatically created wallet backups + Mostrar las copias de seguridad del monedero creadas automáticamente + + + &Sending addresses... Direcciones de &envío... - + Show the list of used sending addresses and labels Mostrar la lista de direcciones de envío y etiquetas - + &Receiving addresses... Direcciones de &recepción... - + Show the list of used receiving addresses and labels Mostrar la lista de direcciones de recepción y etiquetas - + Open &URI... Abrir &URI... - + Open a dash: URI or payment request Abrir un dash: URI o petición de pago - + &Command-line options &Opciones de consola de comandos - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Cliente Dash Core - + Processed %n blocks of transaction history. - - - - + Procesado %n bloque del historial de transacciones.Procesados %n bloques del historial de transacciones. + Show the Dash Core help message to get a list with possible Dash command-line options - Mostrar el mensaje de ayuda de Dash Core para obtener una lista con las posibles opciones de la consola de comandos + Mostrar el mensaje de ayuda de Dash Core para obtener una lista con las posibles opciones de la consola de comandos - + &File &Archivo - + &Settings &Configuración - + &Tools &Herramientas - + &Help A&yuda - + Tabs toolbar Barra de pestañas - - Dash client - Cliente Dash - - + %n active connection(s) to Dash network - - %n conexión activa en la red Dash - %n conexiones activa(s) en la red Dash - + %n conexion(es) activa a la red Dash%n conexion(es) activas a la red Dash - + Synchronizing with network... Sincronizando con la red… - + Importing blocks from disk... Importando bloques de disco... - + Reindexing blocks on disk... Reindexando bloques en disco... - + No block source available... Ninguna fuente de bloques disponible ... - Processed %1 blocks of transaction history. - Procesados %1 bloques del historial de transacciones. - - - + Up to date Actualizado - + %n hour(s) - - %n hora - %n hora(s) - + %n hora(s)%n hora(s) - + %n day(s) - - %n día - %n día(s) - + % n día(s)%n día(s) - - + + %n week(s) - - %n semana - %n semana(s) - + %n semana(s)%n semana(s) - + %1 and %2 %1 y %2 - + %n year(s) - - %n año - %n año(s) - + %n año(s)%n año(s) - + %1 behind %1 por detrás - + Catching up... Poniendo al día... - + Last received block was generated %1 ago. El último bloque recibido fue generado hace %1. - + Transactions after this will not yet be visible. Las transacciones posteriores aún no están visibles. - - Dash - Dash - - - + Error Error - + Warning Aviso - + Information Información - + Sent transaction Transacción enviada - + Incoming transaction Transacción entrante - + Date: %1 Amount: %2 Type: %3 @@ -803,30 +725,25 @@ Dirección: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> El monedero está <b>cifrado</b> y actualmente <b>desbloqueado</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only El monedero está <b>cifrado</b> y actualmente <b>desbloqueado</b> sólo para anonimización - + Wallet is <b>encrypted</b> and currently <b>locked</b> El monedero está <b>cifrado</b> y actualmente <b>bloqueado</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Ha ocurrido un error crítico. Dash ya no puede continuar con seguridad y se cerrará. - ClientModel - + Network Alert Alerta de red @@ -834,333 +751,302 @@ Dirección: %4 CoinControlDialog - Coin Control Address Selection - Selección de Direcciones bajo Coin Control - - - + Quantity: Cantidad: - + Bytes: Bytes: - + Amount: Cuantía: - + Priority: Prioridad: - + Fee: Comisión: - Low Output: - Envío pequeño: - - - + Coin Selection - + Selección de Dash - + Dust: - + Basura: - + After Fee: Después de comisiones: - + Change: Cambio: - + (un)select all (des)marcar todos - + Tree mode Modo árbol - + List mode Modo lista - + (1 locked) (1 bloqueada) - + Amount Cuantía - + Received with label - + Recibido con la etiqueta - + Received with address - + Recibido con la dirección - Label - Etiqueta - - - Address - Dirección - - - + Darksend Rounds Rondas de Darksend - + Date Fecha - + Confirmations Confirmaciones - + Confirmed Confirmado - + Priority Prioridad - + Copy address Copiar dirección - + Copy label Copiar etiqueta - - + + Copy amount Copiar cuantía - + Copy transaction ID Copiar ID de transacción - + Lock unspent Bloquear lo no gastado - + Unlock unspent Desbloquear lo no gastado - + Copy quantity Copiar cantidad - + Copy fee Copiar comisión - + Copy after fee Copiar después de aplicar comisión - + Copy bytes Copiar bytes - + Copy priority Copiar prioridad - + Copy dust - + Copiar basura - Copy low output - Copiar envío pequeño - - - + Copy change Copiar cambio - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Se seleccionó alguna entrada no anónima.<b>Darksend se desactivará.</b><br><br>Si aún desea usar Darksend, por favor desmarque primero todas las entradas que no son anónimas y luego active de nuevo la casilla de Darksend. + + + highest la más alta - + higher más alta - + high alta - + medium-high media-alta - + Can vary +/- %1 satoshi(s) per input. - + Puede variar +/- %1 duff(s) por entrada. - + n/a n/d - - + + medium media - + low-medium baja-media - + low baja - + lower más baja - + lowest la más baja - + (%1 locked) (%1 bloqueada) - + none ninguna - Dust - Basura - - - + yes si - - + + no no - + This label turns red, if the transaction size is greater than 1000 bytes. Esta etiqueta se torna roja si el tamaño de la transación es mayor a 1000 bytes. - - + + This means a fee of at least %1 per kB is required. Esto implica que se requiere una comisión de al menos %1 por kB - + Can vary +/- 1 byte per input. Puede variar +/- 1 byte por entrada. - + Transactions with higher priority are more likely to get included into a block. Las transacciones con prioridad alta son más propensas a ser incluidas dentro de un bloque. - + This label turns red, if the priority is smaller than "medium". Esta etiqueta se torna roja si la prioridad es menor que "media". - + This label turns red, if any recipient receives an amount smaller than %1. Esta etiqueta se torna roja si cualquier destinatario recibe una cuantía menor a %1. - This means a fee of at least %1 is required. - Esto significa que se necesita una comisión de al menos %1. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Cuantías por debajo de 0.546 veces la comisión mínima serán mostradas como basura. - - - This label turns red, if the change is smaller than %1. - Esta etiqueta se torna roja si el cambio es menor que %1. - - - - + + (no label) (sin etiqueta) - + change from %1 (%2) cambiar desde %1 (%2) - + (change) (cambio) @@ -1168,84 +1054,84 @@ Dirección: %4 DarksendConfig - + Configure Darksend Configurar Darksend - + Basic Privacy Privacidad Básica - + High Privacy Privacidad Alta - + Maximum Privacy Privacidad Máxima - + Please select a privacy level. Por favor, seleccione el nivel de privacidad. - + Use 2 separate masternodes to mix funds up to 1000 DASH - Usar 2 masternodes diferentes para mezclar fondos hasta 1000 DASH + Usar 2 nodos maestros distintos para mezclar fondos hasta 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH - Usar 8 masternodes diferentes para mezclar fondos hasta 1000 DASH + Usar 8 nodos maestros diferentes para mezclar fondos hasta 1000 DASH - + Use 16 separate masternodes - Usar 16 masternodes diferentes + Usar 16 nodos maestros diferentes - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Esta es la opción más rápida y anonimizar 1000 DASH costará alrededor de 0.025 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Esta opción es moderadamente rápida y anonimizar 1000 DASH costará alrededor de 0.05 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH por cada 1000 DASH que anonimice. - + This is the slowest and most secure option. Using maximum anonymity will cost Esta es la opción más lenta y segura de todas. Usar la anonimización máxima costará - - - + + + Darksend Configuration Configuración de Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend fue configurado con éxito en la básica (%1 y 2 rondas). Puede cambiarlo en cualquier momento abriendo la pantalla de configuración de Dash. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend fue configurado con éxito en la alta (%1 y 8 rondas). Puede cambiarlo en cualquier momento abriendo la pantalla de configuración de Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend fue configurado con éxito en la máxima (%1 y 16 rondas). Puede cambiarlo en cualquier momento abriendo la pantalla de configuración de Dash. @@ -1253,67 +1139,67 @@ Dirección: %4 EditAddressDialog - + Edit Address Editar Dirección - + &Label E&tiqueta - + The label associated with this address list entry La etiqueta asociada con esta entrada de la lista de direcciones - + &Address &Dirección - + The address associated with this address list entry. This can only be modified for sending addresses. La dirección asociada con esta entrada de la lista de direcciones. Solo puede ser modificada para direcciones de envío. - + New receiving address Nueva dirección de recepción - + New sending address Nueva dirección de envío - + Edit receiving address Editar dirección de recepción - + Edit sending address Editar dirección de envío - + The entered address "%1" is not a valid Dash address. La dirección introducida "%1" no es una dirección Dash válida. - + The entered address "%1" is already in the address book. La dirección introducida "%1" ya está presente en la libreta de direcciones. - + Could not unlock wallet. No se pudo desbloquear el monedero. - + New key generation failed. Ha fallado la generación de la nueva clave. @@ -1321,27 +1207,27 @@ Dirección: %4 FreespaceChecker - + A new data directory will be created. Se creará un nuevo directorio de datos. - + name nombre - + Directory already exists. Add %1 if you intend to create a new directory here. El directorio ya existe. Añada %1 si pretende crear aquí un directorio nuevo. - + Path already exists, and is not a directory. La ruta ya existe y no es un directorio. - + Cannot create data directory here. No se puede crear un directorio de datos aquí. @@ -1349,72 +1235,68 @@ Dirección: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Opciones de consola de comandos - - - + Dash Core Dash Core - + version versión - - + + (%1-bit) - (%1-bit) + (%1-bit) - + About Dash Core - Acerca del Dash Core + Acerca de Dash Core - + Command-line options - + Opciones de la línea de comandos - + Usage: Uso: - + command-line options opciones de la consola de comandos - + UI options Opciones GUI - + Choose data directory on startup (default: 0) Elegir directorio de datos al iniciar (predeterminado: 0) - + Set language, for example "de_DE" (default: system locale) Establecer el idioma, por ejemplo, "es_ES" (predeterminado: configuración regional del sistema) - + Start minimized Arrancar minimizado - + Set SSL root certificates for payment request (default: -system-) Establecer los certificados raíz SSL para solicitudes de pago (predeterminado: -system-) - + Show splash screen on startup (default: 1) Mostrar pantalla de bienvenida en el inicio (predeterminado: 1) @@ -1422,107 +1304,85 @@ Dirección: %4 Intro - + Welcome Bienvenido - + Welcome to Dash Core. Bienvenido a Dash Core - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Al ser la primera vez que se ejecuta el programa, puede elegir dónde almacenará sus datos Dash Core. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. Dash Core va a descargar y guardar una copia de la cadena de bloques de Dash. Se almacenará al menos %1GB de datos en este directorio, que irá creciendo con el tiempo. El monedero se guardará también en este directorio. - + Use the default data directory Utilizar el directorio de datos predeterminado - + Use a custom data directory: Utilizar un directorio de datos personalizado: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Error: No puede crearse el directorio de datos especificado "%1". - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Error: No puede crearse el directorio de datos especificado "%1". - + Error Error - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 GB de espacio libre disponible - GB of free space available - GB de espacio libre disponible - - - (of %1GB needed) - (de los %1GB necesarios) + + (of %1 GB needed) + (de los %1 GB necesarios) OpenURIDialog - + Open URI Abrir URI - + Open payment request from URI or file Abrir solicitud de pago desde una URI o archivo - + URI: URI: - + Select payment request file Seleccione archivo de sulicitud de pago - + Select payment request file to open Seleccionar archivo de solicitud de pago a abrir @@ -1530,313 +1390,281 @@ Dirección: %4 OptionsDialog - + Options Opciones - + &Main &Principal - + Automatically start Dash after logging in to the system. Iniciar Dash automáticamente al ingresar en el sistema. - + &Start Dash on system login &Iniciar Dash al ingresar en el sistema - + Size of &database cache Tamaño de cache de la &base de datos - + MB MB - + Number of script &verification threads Número de hilos de &verificación de scripts - + (0 = auto, <0 = leave that many cores free) (0 = automático, <0 = dejar libres ese número de núcleos) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> - <html><head/><body><p>Esta opción determina la cantidad de masternodes únicos por los que circulará una entrada para anonimizarla. A mayor número de rondas de anonimización, mayor grado de privacidad,, pero también implica un mayor coste en las tasas.</p></body></html> + <html><head/><body><p>Esta opción determina la cantidad de nodos maestros únicos por los que circulará una entrada para volverse anónima. A mayor número de rondas para dificultar su rastreo, mayor grado de privacidad tendrá,, pero también implica un coste mayor de comisiones.</p></body></html> - + Darksend rounds to use Rondas de Darksend a usar - + This amount acts as a threshold to turn off Darksend once it's reached. Esta cuantía sirve de umbral para que Darksend se apague, una vez sea alcanzada. - + Amount of Dash to keep anonymized Cuantía de Dash a mantener anonimizada - + W&allet &Monedero - + Accept connections from outside - + Aceptar conexiones desde el exterior - + Allow incoming connections - + Permitir conexiones entrantes - + Connect to the Dash network through a SOCKS5 proxy. - + Conectarse a la red Dash a través de un proxy SOCKS5. - + &Connect through SOCKS5 proxy (default proxy): - + &Conectarse a través de proxy SOCKS5 (proxy predeterminado): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Comisión de transacción opcional por kB que ayuda a asegurar que sus transacciones sean procesadas rápidamente. La mayoría de transacciones son de 1kB. - - - Pay transaction &fee - Pagar comisión de &transacción - - - + Expert Experto - + Whether to show coin control features or not. Mostrar o no funcionalidad de Coin Control. - + Enable coin &control features Activar funcionalidad de &coin control - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Si desactiva el gasto del cambio no confirmado, no se podrá usar el cambio de una transacción hasta que se alcance al menos una confirmación. Esto afecta también a cómo se calcula su saldo. - + &Spend unconfirmed change &Gastar cambio no confirmado - + &Network &Red - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Abrir automáticamente el puerto del cliente Dash en el router. Esta opción solo funciona si el router admite UPnP y está activado. - + Map port using &UPnP Mapear el puerto usando &UPnP - Connect to the Dash network through a SOCKS proxy. - Conectarse a la red Dash a través de un proxy SOCKS. - - - &Connect through SOCKS proxy (default proxy): - &Conectarse a través de proxy SOCKS (proxy predeterminado): - - - + Proxy &IP: Dirección &IP del proxy: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Dirección IP del proxy (p. ej. IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Puerto: - + Port of the proxy (e.g. 9050) Puerto del servidor proxy (ej. 9050) - SOCKS &Version: - &Versión SOCKS: - - - SOCKS version of the proxy (e.g. 5) - Versión SOCKS del proxy (ej. 5) - - - + &Window &Ventana - + Show only a tray icon after minimizing the window. Mostrar solo un icono de bandeja tras minimizar la ventana. - + &Minimize to the tray instead of the taskbar &Minimizar en la bandeja en vez de en la barra de tareas - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Minimizar en lugar de salir de la aplicación al cerrar la ventana. Cuando esta opción está activada, la aplicación solo se puede cerrar seleccionando Salir desde el menú. - + M&inimize on close M&inimizar al cerrar - + &Display &Interfaz - + User Interface &language: I&dioma de la interfaz de usuario - + The user interface language can be set here. This setting will take effect after restarting Dash. El idioma de la interfaz de usuario puede establecerse aquí. Este ajuste se aplicará después de reiniciar Dash. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ ¿Idioma no disponible o traducción incompleta? Contribuye a la traducción aquí: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Tema de la Interfaz de Usuario: - + &Unit to show amounts in: &Unidad para mostrar las cuantías: - + Choose the default subdivision unit to show in the interface and when sending coins. Elegir la subdivisión predeterminada para mostrar las cuantías en la interfaz y cuando se envían dashs. - Whether to show Dash addresses in the transaction list or not. - Mostrar o no las direcciones Dash en la lista de transacciones. - - - &Display addresses in transaction list - &Mostrar las direcciones en la lista de transacciones - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. URLs de terceros (p.ej. un explorador de bloques) que aparecen en la pestaña de transacciones como elementos del menú contextual. El %s en la URL es reemplazado por el hash de la transacción. Se pueden separar múltiples URLs con una barra vertical |. - + Third party transaction URLs URLs de transacciones de terceros - + Active command-line options that override above options: Opciones activas de la consola de comandos que tienen preferencia sobre las opciones antes mencionadas: - + Reset all client options to default. Restablecer todas las opciones del cliente a las predeterminadas. - + &Reset Options Opciones para &Restablecer - + &OK &Aceptar - + &Cancel &Cancelar - + default predeterminado - + none ninguna - + Confirm options reset Confirme el restablecimiento de las opciones - - + + Client restart required to activate changes. Se necesita reiniciar el cliente para activar los cambios. - + Client will be shutdown, do you want to proceed? El cliente se cerrará. ¿Desea continuar? - + This change would require a client restart. Este cambio exige el reinicio del cliente. - + The supplied proxy address is invalid. La dirección proxy indicada es inválida. @@ -1844,368 +1672,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Formulario - Wallet - Monedero - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. La información mostrada puede estar desactualizada. Su monedero se sincroniza automáticamente con la red Dash después de que se haya establecido una conexión, pero este proceso aún no se ha completado. - + Available: Disponible: - + Your current spendable balance Su saldo actual gastable - + Pending: Pendiente: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Total de transacciones que deben ser confirmadas, y que no se incluyen en el saldo gastable - + Immature: No disponible: - + Mined balance that has not yet matured Saldo recién minado que aún no está disponible. - + Balances - + Saldos - + Unconfirmed transactions to watch-only addresses - + Transacciones no confirmadas en direcciones de sólo vigilancia - + Mined balance in watch-only addresses that has not yet matured - + Saldo minado en direcciones de sólo vigilancia que aún no ha madurado - + Total: Total: - + Your current total balance Su saldo toal actual - + Current total balance in watch-only addresses - + El saldo total actual en direcciones de sólo vigilancia - + Watch-only: - + De sólo vigilancia: - + Your current balance in watch-only addresses - + Su saldo actual en direcciones de sólo vigilancia - + Spendable: - + Gastable: - + Status: Estado - + Enabled/Disabled Activada/Desactivada - + Completion: Completado: - + Darksend Balance: Saldo de Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Cuantía y Rondas: - + 0 DASH / 0 Rounds 0 DASH / 0 Rondas - + Submitted Denom: Denom Enviados: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Las denominaciones que envió al Masternode. Para poder mezclar, otros usuarios deben enviar el mismo número exacto de denominaciones. - - - + n/a n/d - - - - + + + + Darksend Darksend - + Recent transactions - + Últimas transacciones - + Start/Stop Mixing Comenzar/Parar Mezclado - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Las denominaciones que envió al Nodo Maestro.<br>Para poder mezclar, otros usuarios deben enviar exactamente las mismas denominaciones. + + + (Last Message) (Último Mensaje) - + Try to manually submit a Darksend request. Intentar enviar manualmente una solicitud Darksend. - + Try Mix Probar - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Reiniciar el estado actual de Darksend (¡puede interrumpir Darksend si está en el proceso de Mezcla, lo cual puede costarle dinero!) - + Reset Reiniciar - <b>Recent transactions</b> - <b>Transacciones recientes</b> - - - - - + + + out of sync desincronizado - - + + + + Disabled Desactivado - - - + + + Start Darksend Mixing Iniciar Mezclador Darksend - - + + Stop Darksend Mixing Parar Mezclador Darksend - + No inputs detected No se detectaron entradas + + + + + %n Rounds + %n Ronda%n Rondas + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Se han encontrado salidas denominadas sin confirmar, se esperará a su confirmación para recalcular. - - - Rounds - Rondas + + + Progress: %1% (inputs have an average of %2 of %n rounds) + Progreso: %1% (entradas tienen una media de %2 de %n rondas)Progreso: %1% (entradas tienen una media de %2 de %n rondas) - + + Found enough compatible inputs to anonymize %1 + Se encontraron suficientes entradas compatibles para hacer anónimo %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + No hay suficientes entradas compatibles para hacer anónimos <span style='color:red;'>%1</span>,<br/>Se harán anónimos <span style='color:red;'>%2</span> en su lugar + + + Enabled Activado - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Último mensaje de Darksend: - - - Darksend is idle. - Darksend está inactivo. - - - - Mixing in progress... - Mezclado en curso... - - - - Darksend request complete: Your transaction was accepted into the pool! - Solicitud de Darksend completada: ¡Su transacción fue aceptada en el pool! - - - - Submitted following entries to masternode: - Ha enviado las siguientes entradas al masternode: - - - Submitted to masternode, Waiting for more entries - Enviado al masternode, Esperando más entradas - - - - Found enough users, signing ... - Suficientes usuarios encontrados, firmando ... - - - Found enough users, signing ( waiting. ) - Suficientes usuarios encontrados, firmando ( esperando. ) - - - Found enough users, signing ( waiting.. ) - Suficientes usuarios encontrados, firmando ( esperando.. ) - - - Found enough users, signing ( waiting... ) - Suficientes usuarios encontrados, firmando ( esperando... ) - - - - Transmitting final transaction. - Transmitiendo transacción final. - - - - Finalizing transaction. - Finalizando transacción. - - - - Darksend request incomplete: - Solicitud Darksend incompleta: - - - - Will retry... - Se volverá a intentar... - - - - Darksend request complete: - Solicitud Darksend completada: - - - Submitted to masternode, waiting in queue . - Enviado a masternode, esperando en cola . - - - Submitted to masternode, waiting in queue .. - Enviado a masternode, esperando en cola .. - - - Submitted to masternode, waiting in queue ... - Enviado a masternode, esperando en cola ... - - - - Unknown state: - Estado desconocido: - - - + N/A N/D - + Darksend was successfully reset. Darksend se reinició correctamente. - + Darksend requires at least %1 to use. Darksend requiere al menos %1 para su uso. - + Wallet is locked and user declined to unlock. Disabling Darksend. El monedero está bloqueado y el usuario rechazó desbloquearlo. Desactivando Darksend. @@ -2213,141 +1947,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Error en solicitud de pago - + Cannot start dash: click-to-pay handler No se pudo iniciar dash: manejador de pago-al-clic - Net manager warning - Aviso del gestor de red - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - El proxy configurado no soporta el protocolo SOCKS5, el cual es requerido para pagos vía proxy. - - - - - + + + URI handling Gestión de URI - + Payment request fetch URL is invalid: %1 La URL de obtención de la solicitud de pago es inválida: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - ¡No se puede interpretar la URI! Esto puede deberse a una dirección Dash inválida o a parámetros de URI mal formados. - - - + Payment request file handling Procesado del archivo de solicitud de pago - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - ¡No se ha podido leer o procesar el archivo de solicitud de pago! Esto puede deberse a un archivo inválido de solicitud de pago. - - - + Invalid payment address %1 - Dirección de pago no válida %1 + Dirección de pago no válida %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + ¡No se puede interpretar la URI! Esto puede deberse a una dirección Dash inválida o a parámetros de URI mal formados. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + ¡No se ha podido leer el archivo de solicitud de pago! Esto puede deberse a un archivo inválido de solicitud de pago. - - - + + + Payment request rejected - + Se rechazó la solicitud de pago - + Payment request network doesn't match client network. - + La red de solicitud de pago y la del cliente no coinciden. - + Payment request has expired. - + La solicitud de pago ha caducado. - + Payment request is not initialized. - + La solicitud de pago no está inicializada. - + Unverified payment requests to custom payment scripts are unsupported. No están soportadas las solicitudes de pago no verificadas a scripts de pago personalizados. - + Requested payment amount of %1 is too small (considered dust). La cuantía de pago solicitado del %1 es demasiado pequeña (considerada basura). - + Refund from %1 Reembolso desde %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + La solicitud de pago %1 es demasiado grande (%2 bytes, %3 bytes permitidos). - + Payment request DoS protection - + Protección DoS de la solicitud de pago - + Error communicating with %1: %2 Error en la comunicación con %1: %2 - + Payment request cannot be parsed! - + ¡No se puede intrepretar la solicitud de pago! - Payment request can not be parsed or processed! - ¡La solicitud de pago no puede leerse ni procesarse! - - - + Bad response from server %1 Respuesta errónea del servidor %1 - + Network request error Error en petición de red - + Payment acknowledged Pago aceptado @@ -2355,139 +2069,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Dirección/Nombre del servidor - + User Agent - + Agente del Usuario - + Ping Time - + Tiempo de Ping QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Error: El directorio de datos especificado "%1" no existe. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Error: No se ha podido procesar el archivo de configuración: %1. Debe utilizarse solamente la sintaxis clave=valor. - - - - Error reading masternode configuration file: %1 - Error en la lectura del archivo con la configuración del masternode: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Error: Combinación no válida de -regtest y -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core no se ha cerrado de forma segura todavía... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Introduzca una dirección Dash (p.ej. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Cuantía + Cuantía - + Enter a Dash address (e.g. %1) - + Introduzca una dirección Dash (e.g. %1) - + %1 d - + %1 d - + %1 h - %1 h + %1 h - + %1 m - %1 m + %1 m - + %1 s - + %1 s - + NETWORK - + RED - + UNKNOWN - + DESCONOCIDA - + None - + Ninguna - + N/A - N/D + N/D - + %1 ms - + %1 ms QRImageWidget - + &Save Image... &Guardar Imagen... - + &Copy Image &Copiar imagen - + Save QR Code Guardar código QR - + PNG Image (*.png) Imagen PNG (*.png) @@ -2495,436 +2168,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Ventana de Herramientas - + &Information &Información - + Masternode Count - Recuento de Masternodes + Recuento de Nodos Maestros - + General General - + Name Nombre - + Client name Nombre del cliente - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A N/D - + Number of connections Número de conexiones - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Abrir el archivo de registro de depuración en el directorio actual de datos. Esto puede requerir varios segundos para archivos de registro grandes. - + &Open &Abrir - + Startup time Hora de inicio - + Network Red - + Last block time Hora del último bloque - + Debug log file Archivo de registro de depuración - + Using OpenSSL version Utilizando la versión OpenSSL - + Build date Fecha de compilación - + Current number of blocks Número actual de bloques - + Client version Versión del cliente - + Using BerkeleyDB version - + Utilizando versión de BerkeleyDB - + Block chain Cadena de bloques - + &Console &Consola - + Clear console Limpiar consola - + &Network Traffic &Tráfico de Red - + &Clear &Limpiar - + Totals Totales: - + Received - + Recibido - + Sent - + Enviado - + &Peers - + &Pares - - - + + + Select a peer to view detailed information. - + Seleccione un par para ver información detallada. - + Direction - + Dirección - + Version - + Versión - + User Agent - + Agente del Usuario - + Services - + Servicios - + Starting Height - + Altura de Inicio - + Sync Height - + Altura de Sinc - + Ban Score - + Puntuación de Exclusión - + Connection Time - + Tiempo de Conexión - + Last Send - + Último Enviado - + Last Receive - + Último Recibido - + Bytes Sent - + Bytes Enviados - + Bytes Received - + Bytes Recibidos - + Ping Time - + Tiempo de Ping - + + &Wallet Repair + Reparar &Monedero + + + + Salvage wallet + Rescatar monedero + + + + Rescan blockchain files + Reescanear archivos de la cadena de bloques + + + + Recover transactions 1 + Recuperar transacciones 1 + + + + Recover transactions 2 + Recuperar transacciones 2 + + + + Upgrade wallet format + Actualizar formato del monedero + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + Los botones de abajo reiniciarán el monedero con las opciones de la línea de comandos para repararlo, arreglar problemas con archivos corrompidos de la cadena de bloques o transacciones perdidas/obsoletas. + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: Intentar recuperar las claves privadas de un wallet.dat corrupto. + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Volver a examinar la cadena de bloques en busca de transacciones perdidas. + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Recuperar transacciones de la cadena de bloques (conservar meta-datos, e.g. propietario de la cuenta). + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Recuperar transacciones de la cadena de bloques (descartar meta-datos). + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + -upgradewallet: Actualizar monedero al último formato en el inicio. (Nota: ¡esto NO es una actualización del propio monedero!) + + + + Wallet repair options. + Opciones de reparación del monedero. + + + + Rebuild index + Reconstruir índice + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -reindex: Reconstruir índice de la cadena de bloques a partir de los archivos blk000??.dat actuales. + + + In: Entrante: - + Out: Saliente: - + Welcome to the Dash RPC console. Bienvenido a la consola RPC de Dash - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Use las flechas arriba y abajo para navegar por el historial y <b>Control+L</b> para vaciar la pantalla. - + Type <b>help</b> for an overview of available commands. Escriba <b>help</b> para ver un resumen de los comandos disponibles. - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + vía %1 - - + + never - + nunca - + Inbound - + Entrante - + Outbound - + Saliente - + Unknown - + Desconocido - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + Descargando... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Reutilizar una de las direcciones previamente usadas para recibir. Reutilizar direcciones conlleva problemas de seguridad y privacidad. No lo emplee a menos que regenere una solicitud de pago anterior. - + R&euse an existing receiving address (not recommended) &Reutilizar una dirección receptora existente (no recomendado) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Un mensaje opcional para adjuntar a la solicitud de pago, el cual se muestra cuando se abre la solicitud. Nota: El mensaje no se enviará con el pago por la red Dash. + Un mensaje opcional para adjuntar a la solicitud de pago, el cual se muestra cuando se abre la solicitud. Nota: El mensaje no se enviará con el pago por la red Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Mensaje: - - + + An optional label to associate with the new receiving address. Etiqueta opcional para asociar con la nueva dirección de recepción. - + Use this form to request payments. All fields are <b>optional</b>. Utilice este formulario para solicitar pagos. Todos los campos son <b>opcionales</b>. - + &Label: &Etiqueta: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Una cuantía opcional a solicitar. Deje este campo vacío o con cero para no solicitar una cuantía específica. - + &Amount: &Cuantía: - + &Request payment &Solicitar pago - + Clear all fields of the form. Limpiar todos los campos del formulario. - + Clear Limpiar - + Requested payments history Historial de pagos solicitados - + Show the selected request (does the same as double clicking an entry) Mostrar la solicitud seleccionada (igual que hacer doble clic en una entrada) - + Show Mostrar - + Remove the selected entries from the list Eliminar las entradas seleccionadas de la lista - + Remove Eliminar - + Copy label Copiar etiqueta - + Copy message Copiar mensaje - + Copy amount Copiar cuantía @@ -2932,67 +2664,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code Código QR - + Copy &URI Copiar &URI - + Copy &Address Copiar &Dirección - + &Save Image... &Guardar Imagen... - + Request payment to %1 Solicitar pago a %1 - + Payment information Información de pago - + URI URI - + Address Dirección - + Amount Cuantía - + Label Etiqueta - + Message Mensaje - + Resulting URI too long, try to reduce the text for label / message. URI resultante demasiado larga. Intente reducir el texto de la etiqueta / mensaje. - + Error encoding URI into QR Code. Error al codificar la URI en el código QR. @@ -3000,37 +2732,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Fecha - + Label Etiqueta - + Message Mensaje - + Amount Cuantía - + (no label) (sin etiqueta) - + (no message) (ningún mensaje) - + (no amount) (ninguna cuantía) @@ -3038,412 +2770,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Enviar Dash - + Coin Control Features Características de Coin Control - + Inputs... Entradas... - + automatically selected seleccionadas automáticamente - + Insufficient funds! ¡Fondos insuficientes! - + Quantity: Cantidad: - + Bytes: Bytes: - + Amount: Cuantía: - + Priority: Prioridad: - + medium media - + Fee: Comisión: - Low Output: - Envío pequeño: - - - + Dust: - + Basura: - + no no - + After Fee: Después de comisión: - + Change: Cambio: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Si se marca esta opción pero la dirección de cambio está vacía o es inválida, el cambio se enviará a una nueva dirección recién generada. - + Custom change address Dirección de cambio personalizada - + Transaction Fee: - + Comisión por Transacción: - + Choose... - + Elegir... - + collapse fee-settings - + plegar ajustes de comisión - + Minimize - + Minimizar - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Si la comisión personalizada se establece en 1000 duffs y la transacción sólo es de 250 bytes, entonces "por kilobyte" sólo se pagan 250 duffs de comisión, mientras que en el "al menos" se pagan 1000 duffs. Para transacciónes más grandes de un kilobyte ambas se pagan por kilobyte. - + per kilobyte - + por kilobyte - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Si la comisión personalizada se establece en 1000 duffs y la transacción sólo es de 250 bytes, entonces "por kilobyte" sólo se pagan 250 duffs de comisión, mientras que en el "total al menos" se pagan 1000 duffs. Para transacciónes más grandes de un kilobyte ambas se pagan por kilobyte. - + total at least - + total al menos - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + Pagar sólo la comisión mínima está bien mientras el volumen de transacciones sea menor al del espacio en los bloques. Pero sea consciente de que esto puede acabar en una transacción que nunca se confirme una vez haya más demanda de transacciones de dash que las procesables por la red. - + (read the tooltip) - + (leer la sugerencia) - + Recommended: - + Recomendada: - + Custom: - + Personalizada: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + (La comisión inteligente no está aún inicializada. Esto habitualmente tarda unos pocos bloques...) - + Confirmation time: - + Tiempo de confirmación: - + normal - + normal - + fast - + rápida - + Send as zero-fee transaction if possible - + Enviar como transacción con cero comisiones si es posible - + (confirmation may take longer) - + (la confirmación puede tardar más) - + Confirm the send action Confirmar el envío - + S&end &Enviar - + Clear all fields of the form. Limpiar todos los campos del formulario. - + Clear &All Limpiar &Todo - + Send to multiple recipients at once Enviar a múltiples destinatarios simultáneamente - + Add &Recipient Añadir &Destinatario - + Darksend Darksend - + InstantX InstantX - + Balance: Saldo: - + Copy quantity Copiar cantidad - + Copy amount Copiar cuantía - + Copy fee Copiar comisión - + Copy after fee Copiar después de aplicar donación - + Copy bytes Copiar bytes - + Copy priority Copiar prioridad - Copy low output - Copiar envío pequeño - - - + Copy dust - + Copiar basura - + Copy change Copiar cambio - - - + + + using usando - - + + anonymous funds fondos anónimos - + (darksend requires this amount to be rounded up to the nearest %1). (darksend requiere que esta cantidad sea redondeada al %1 más cercano). - + any available funds (not recommended) cualquier fondo disponible (no recomendado) - + and InstantX e InstantX - - - - + + + + %1 to %2 %1 a %2 - + Are you sure you want to send? ¿Está seguro que desea enviar? - + are added as transaction fee se añaden como comisión de transacción - + Total Amount %1 (= %2) Cuantía Total %1 (= %2) - + or o - + Confirm send coins Confirmar el envío de dashs - Payment request expired - La solicitud de pago expiró + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Una comisión %1 veces más alta que %2 por kB se considera extremadamente elevada. + + + + Estimated to begin confirmation within %n block(s). + Está previsto que comience la confirmación en %n bloque.Está previsto que comience la confirmación en %n bloques. - Invalid payment address %1 - Dirección de pago no válida %1 - - - + The recipient address is not valid, please recheck. La dirección de recepción no es válida, compruébela de nuevo. - + The amount to pay must be larger than 0. La cuantía a pagar debe ser mayor que 0. - + The amount exceeds your balance. La cuantía sobrepasa su saldo. - + The total exceeds your balance when the %1 transaction fee is included. El total sobrepasa su saldo cuando se incluye la comisión de envío de %1 - + Duplicate address found, can only send to each address once per send operation. Se ha encontrado una dirección duplicada. Solo se puede enviar a cada dirección una vez por operación de envío. - + Transaction creation failed! ¡Ha fallado la creación de la transacción! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. ¡La transacción fue rechazada! Esto puede suceder si alguno de los dashs de su monedero ya se habían gastado, por ejemplo si usó una copia de wallet.dat y los dash se gastaron en dicha copia pero no se aparecen como gastados aqui. - + Error: The wallet was unlocked only to anonymize coins. Error: El monedero se desbloqueó solo para anonimizar dashs. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Pagar sólo la comisión mínima de %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Aviso: Dirección de Dash no válida - + Warning: Unknown change address Aviso: Dirección de cambio desconocida - + (no label) (sin etiqueta) @@ -3451,102 +3167,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Esto es un pago ordinario. - + Pay &To: Pagar &a: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - La dirección a la que enviar el pago (p.ej. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + La dirección Dash a la cual enviar el pago - + Choose previously used address Escoger direcciones previamente usadas - + Alt+A Alt+A - + Paste address from clipboard Pegar dirección desde portapapeles - + Alt+P Alt+P - - - + + + Remove this entry Eliminar esta entrada - + &Label: E&tiqueta: - + Enter a label for this address to add it to the list of used addresses Introduce una etiqueta para esta dirección para añadirla a la lista de direcciones utilizadas - - - + + + A&mount: C&uantía: - + Message: Mensaje: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Un mensaje que se adjuntó al dash: URI que será almacenada con la transacción para su referencia. Nota: Este mensaje no se enviará a través de la red Dash. - + This is an unverified payment request. Esto es una solicitud de pago no verificada. - - + + Pay To: Pagar a: - - + + Memo: Memo: - + This is a verified payment request. Esta es una solicitud de pago verificada. - + Enter a label for this address to add it to your address book Etiquete esta dirección para añadirla a la libreta @@ -3554,12 +3266,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... Dash Core se está cerrando... - + Do not shut down the computer until this window disappears. No apague el equipo hasta que desaparezca esta ventana. @@ -3567,193 +3279,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Firmas - Firmar / Verificar un mensaje - + &Sign Message &Firmar mensaje - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Puede firmar mensajes con sus direcciones para demostrar que las posee. Tenga cuidado de no firmar cualquier cosa vaga, ya que los ataques de phishing pueden tratar de engañarle para suplantar su identidad. Firme solo declaraciones totalmente detalladas con las que usted esté de acuerdo. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - La dirección con la que firmar el mensaje (p.ej. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + La dirección Dash con la cual se firma el mensaje - - + + Choose previously used address Escoger dirección previamente usada - - + + Alt+A Alt+A - + Paste address from clipboard Pegar dirección desde portapapeles - + Alt+P Alt+P - + Enter the message you want to sign here Introduzca aquí el mensaje que desea firmar - + Signature Firma - + Copy the current signature to the system clipboard Copiar la firma actual al portapapeles del sistema - + Sign the message to prove you own this Dash address Firmar el mensaje para demostrar que se posee esta dirección Dash - + Sign &Message Firmar &Mensaje - + Reset all sign message fields Restablecer todos los campos de la firma de mensaje - - + + Clear &All Limpiar &todo - + &Verify Message &Verificar mensaje - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Introduzca la dirección para la firma, el mensaje (asegurándose de copiar tal cual los saltos de línea, espacios, tabulaciones, etc.) y la firma a continuación para verificar el mensaje. Tenga cuidado de no asumir más información de lo que dice el propio mensaje firmado para evitar fraudes basados en ataques de tipo man-in-the-middle. - + The Dash address the message was signed with - + La dirección Dash con la cual se firmó el mensaje - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - La dirección con la que se firmó el mensaje (p.ej. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Verificar el mensaje para garantizar que fue firmado con la dirección Dash indicada - + Verify &Message Verificar &Mensaje - + Reset all verify message fields Restablecer todos los campos de la verificación de mensaje - + Click "Sign Message" to generate signature Haga clic en "Firmar mensaje" para generar la firma - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Introduzca una dirección Dash (p.ej. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. La dirección introducida es inválida. - - - - + + + + Please check the address and try again. Verifique la dirección e inténtelo de nuevo. - - + + The entered address does not refer to a key. La dirección introducida no corresponde a una clave. - + Wallet unlock was cancelled. Se ha cancelado el desbloqueo del monedero. - + Private key for the entered address is not available. No se dispone de la clave privada para la dirección introducida. - + Message signing failed. Ha fallado la firma del mensaje. - + Message signed. Mensaje firmado. - + The signature could not be decoded. No se puede decodificar la firma. - - + + Please check the signature and try again. Compruebe la firma e inténtelo de nuevo. - + The signature did not match the message digest. La firma no coincide con el resumen del mensaje. - + Message verification failed. La verificación del mensaje ha fallado. - + Message verified. Mensaje verificado. @@ -3761,27 +3461,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Versión %1 - + The Bitcoin Core developers Los desarrolladores de Bitcoin Core - + The Dash Core developers Los desarrolladores del Dash Core - + [testnet] [testnet] @@ -3789,7 +3489,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s KB/s @@ -3797,254 +3497,245 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - Abrir para %n bloque más - Abrir para %n bloque(s) más - + Abrir para %n bloque másAbrir para %n bloques más - + Open until %1 Abierto hasta %1 - - - - + + + + conflicted en conflicto - + %1/offline (verified via instantx) %1 desconectado (comprobado por instantx) - + %1/confirmed (verified via instantx) %1/confirmado (comprobado por instantx) - + %1 confirmations (verified via instantx) %1 confirmaciones (comprobado por instantx) - + %1/offline %1/sin conexión - + %1/unconfirmed %1/no confirmado - - + + %1 confirmations %1 confirmaciones - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/desconectado (Verificación de InstantX en curso - %2 de %3 firmas) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/confirmada (Verificación de InstantX en curso - %2 de %3 firmas) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 confirmaciones (Verificación de InstantX en curso - %2 de %3 firmas) - + %1/offline (InstantX verification failed) %1/desconectado (Falló la verificación de InstantX) - + %1/confirmed (InstantX verification failed) %1/confirmada (Falló la verificación de InstantX) - + Status Estado - + , has not been successfully broadcast yet , todavía no se ha sido difundido satisfactoriamente - + , broadcast through %n node(s) - - , transmitir a través de %n nodo - , transmitir a través de %n nodo(s) - + , transmitir a través de %n nodo, transmitir a través de %n nodos - + Date Fecha - + Source Fuente - + Generated Generado - - - + + + From De - + unknown desconocido - - - + + + To Para - + own address dirección propia - - + + watch-only - + de sólo vigilancia - + label etiqueta - - - - - + + + + + Credit Crédito - + matures in %n more block(s) - - disponible en %n bloque más - disponible en %n bloque(s) más - + madrua en %n bloque másmadura en %n bloques más - + not accepted no aceptada - - - + + + Debit Débito - + Total debit - + Total de débito - + Total credit - + Total de crédito - + Transaction fee Comisión de transacción - + Net amount Cuantía neta - - + + Message Mensaje - + Comment Comentario - + Transaction ID ID de transacción - + Merchant Vendedor - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Los dashs generados deben madurar %1 bloques antes de que puedan gastarse. Cuando generó este bloque, se transmitió a la red para que se añadiera a la cadena de bloques. Si no consigue entrar en la cadena, su estado cambiará a "no aceptado" y ya no se podrá gastar. Esto puede ocurrir ocasionalmente si otro nodo genera un bloque a pocos segundos del suyo. - + Debug information Información de depuración - + Transaction Transacción - + Inputs Entradas - + Amount Cuantía - - + + true verdadero - - + + false falso @@ -4052,12 +3743,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Detalles de transacción - + This pane shows a detailed description of the transaction Esta ventana muestra información detallada sobre la transacción @@ -4065,169 +3756,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Fecha - + Type Tipo - + Address Dirección - - Amount - Cuantía - - + Open for %n more block(s) - - Abrir para %n bloque más - Abrir para %n bloque(s) más - + Abrir para %n bloque másAbrir para %n bloques más - + Open until %1 Abierto hasta %1 - + Offline Sin conexión - + Unconfirmed Sin confirmar - + Confirming (%1 of %2 recommended confirmations) Confirmando (%1 de %2 confirmaciones recomendadas) - + Confirmed (%1 confirmations) Confirmado (%1 confirmaciones) - + Conflicted En conflicto - + Immature (%1 confirmations, will be available after %2) No vencidos (%1 confirmaciones. Estarán disponibles al cabo de %2) - + This block was not received by any other nodes and will probably not be accepted! Este bloque no ha sido recibido por otros nodos y probablemente no sea aceptado! - + Generated but not accepted Generado pero no aceptado - + Received with Recibido con - + Received from Recibido desde - + Received via Darksend Recibido mediante Darksend - + Sent to Enviado a - + Payment to yourself Pago propio - + Mined Minado - + Darksend Denominate Denominación Darksend - + Darksend Collateral Payment Darksend - Pago de Colateral - + Darksend Make Collateral Inputs Darksend - Efectuar Entradas de Colateral - + Darksend Create Denominations Darksend - Crear Denominaciones - + Darksent Darksent - + watch-only - + de sólo vigilancia - + (n/a) (nd) - + Transaction status. Hover over this field to show number of confirmations. Estado de transacción. Pasa el ratón sobre este campo para ver el número de confirmaciones. - + Date and time that the transaction was received. Fecha y hora en que se recibió la transacción. - + Type of transaction. Tipo de transacción. - + Whether or not a watch-only address is involved in this transaction. - + Si una dirección de sólo vigilancia toma parte o no en esta transacción. - + Destination address of transaction. Dirección de destino de la transacción. - + Amount removed from or added to balance. Cuantía retirada o añadida al saldo. @@ -4235,207 +3919,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Todo - + Today Hoy - + This week Esta semana - + This month Este mes - + Last month Mes pasado - + This year Este año - + Range... Rango... - + + Most Common + Más Habitual + + + Received with Recibido con - + Sent to Enviado a - + Darksent Darksent - + Darksend Make Collateral Inputs Darksend - Efectuar Entradas de Colateral - + Darksend Create Denominations Darksend - Crear Denominaciones - + Darksend Denominate Darksend - Denominar - + Darksend Collateral Payment Darksend - Pago de Colateral - + To yourself A usted mismo - + Mined Minado - + Other Otra - + Enter address or label to search Introduzca una dirección o etiqueta que buscar - + Min amount Cantidad mínima - + Copy address Copiar dirección - + Copy label Copiar etiqueta - + Copy amount Copiar cuantía - + Copy transaction ID Copiar ID de transacción - + Edit label Editar etiqueta - + Show transaction details Mostrar detalles de la transacción - + Export Transaction History Exportar historial de transacciones - + Comma separated file (*.csv) Archivos de valores separados por comas (*.csv) - + Confirmed Confirmado - + Watch-only - + De sólo vigilancia - + Date Fecha - + Type Tipo - + Label Etiqueta - + Address Dirección - Amount - Cuantía - - - + ID ID - + Exporting Failed Error al exportar - + There was an error trying to save the transaction history to %1. Se produjo un error al intentar guardar el historial de transacciones en %1. - + Exporting Successful Exportación Finalizada - + The transaction history was successfully saved to %1. El historial de transacciones se guardó correctamente en %1. - + Range: Rango: - + to hasta @@ -4443,15 +4128,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Unidad con la cual se muestran las cuantías. Pulse para seleccionar otra unidad. WalletFrame - + No wallet has been loaded. No se ha cargado ningún monedero. @@ -4459,59 +4144,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins - Enviar Monedas + Enviar Dash - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX aún no soporta el envío de valores tan elevados. Las transacciones están limitadas actualmente a %n DASH. - InstantX aún no soporta el envío de valores tan elevados. Las transacciones están limitadas actualmente a %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX aún no soporta el envío de valores tan elevados. Las transacciones están limitadas actualmente a %1 DASH. WalletView - + &Export E&xportar - + Export the data in the current tab to a file Exportar a un archivo los datos de esta pestaña - + Backup Wallet Realizar Copia de Seguridad del Monedero - + Wallet Data (*.dat) Datos de Monedero (*.dat) - + Backup Failed Falló la Copia de Seguridad - + There was an error trying to save the wallet data to %1. Ha habido un error al intentar guardar los datos del monedero en %1. - + Backup Successful Backup Exitoso - + The wallet data was successfully saved to %1. Los datos del monedero se han guardado con éxito en %1. @@ -4519,8 +4203,504 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Vincular a la dirección dada y escuchar siempre en ella. Utilice la notación [host]:port para IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + No se ha podido bloquear el directorio de datos %s. Probablemente ya se está ejecutando Dash Core. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend utiliza cuantías denominadas exactas para enviar fondos, simplemente necesita anonimizar algunos dashs más. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Ingresar en el modo de prueba de regresión, que utiliza una cadena especial en la que los bloques se pueden resolver instantáneamente. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Error: Ha fallado la escucha de conexiones entrantes (listen ha devuelto el error %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Ejecutar un comando cuando se reciba un aviso importante o cuando veamos un fork demasiado largo (%s en cmd se reemplazará por el mensaje) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Ejecutar comando cuando una transacción del monedero cambia (%s en cmd se remplazará por TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Ejecutar un comando cuando cambia el mejor bloque (%s en cmd se sustituye por el hash de bloque) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Se han encontrado salidas denominadas sin confirmar, se esperará a su confirmación para continuar. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + En este modo -genproclimit controla cuántos bloques se generan de inmediato. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX requiere entradas con al menos 6 confirmaciones, puede que neesite esperar unos pocos minutos y volver a intentarlo. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Nombre para construir la url de la entrada KeePass que almacena la contraseña del monedero + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Petición de direcciones de pares mediante búsqueda de DNS , si las direcciones son pocas (predeterminado: 1 salvo con -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Ajustar dirección externa:puerto para acceder a este nodo maestro (p.ej. dirección:puerto) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Establecer tamaño máximo de las transacciones de alta prioridad/baja comisión en bytes (predeterminado: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Establecer el número de hilos (threads) de verificación de scripts (entre %u y %d, 0 = automático, <0 = dejar libres ese número de núcleos; predeterminado: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Esta es una versión de pre-prueba - utilícela bajo su propio riesgo. No la utilice para usos comerciales o de minería. + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + No se puede enlazar a% s en este equipo. Dash Core probablemente ya está en funcionamiento. + + + + Unable to locate enough Darksend denominated funds for this transaction. + No se pueden localizar fondos denominados de Darksend suficientes para esta transacción. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + No se pueden localizar fondos no denominados de Darksend suficientes para esta transacción que no sean iguales a 1000 DASH. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + No se pueden localizar fondos no denominados de Darksend suficientes para esta transacción. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Aviso: ¡-paytxfee tiene un valor muy alto! Esta es la comisión que pagará si envía una transacción. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Aviso: ¡Parece que la red no está totalmente de acuerdo! Algunos mineros están experimentando problemas. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Aviso: ¡Parece que no estamos completamente de acuerdo con nuestros pares! Podría necesitar una actualización, u otros nodos podrían necesitarla. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Aviso: ¡Error al leer wallet.dat! Todas las claves se han leído correctamente, pero podrían faltar o ser incorrectos los datos de transacciones o las entradas de la libreta de direcciones. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Aviso: ¡Recuperados datos de wallet.dat corrupto! El wallet.dat original se ha guardado como wallet.{timestamp}.bak en %s; si hubiera errores en su saldo o transacciones, deberá restaurar una copia de seguridad. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Debe declarar la variable masternodeprivkey o clave privada para el nodo maestro en la configuración. Por favor, consulte la documentación para obtener ayuda. + + + + (default: 1) + (predeterminado: 1) + + + + Accept command line and JSON-RPC commands + Aceptar comandos de la consola y JSON-RPC + + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Aceptar conexiones desde el exterior (predeterminado: 1 si no -proxy o -connect) + + + + Add a node to connect to and attempt to keep the connection open + Añadir un nodo al que conectarse y tratar de mantener la conexión abierta + + + + Allow DNS lookups for -addnode, -seednode and -connect + Permitir búsquedas DNS para -addnode, -seednode y -connect + + + + Already have that input. + Ya tiene esa entrada. + + + + Attempt to recover private keys from a corrupt wallet.dat + Intentar recuperar claves privadas de un wallet.dat corrupto + + + + Block creation options: + Opciones de creación de bloques: + + + + Can't denominate: no compatible inputs left. + No se puede denominar: no quedan entradas compatibles. + + + + Cannot downgrade wallet + No se puede regresar a una versión anterior del monedero + + + + Cannot resolve -bind address: '%s' + No se puede resolver la dirección de -bind: '%s' + + + + Cannot resolve -externalip address: '%s' + No se puede resolver la dirección de -externalip: '%s' + + + + Cannot write default address + No se puede escribir la dirección predeterminada + + + + Collateral not valid. + Colateral no válido. + + + + Connect only to the specified node(s) + Conectar sólo a los nodos (o nodo) especificados + + + + Connect to a node to retrieve peer addresses, and disconnect + Conectar a un nodo para obtener direcciones de pares y desconectar + + + + Connection options: + Opciones de conexión: + + + + Corrupted block database detected + Corrupción de base de datos de bloques detectada. + + + + Darksend is disabled. + Darksend está desactivado. + + + + Darksend options: + Opciones de Darksend: + + + + Debugging/Testing options: + Opciones de Depuración/Pruebas: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Descubrir dirección IP propia (predeterminado: 1 al escuchar sin -externalip) + + + + Do not load the wallet and disable wallet RPC calls + No cargar el monedero y desactivar las llamadas RPC del monedero + + + + Do you want to rebuild the block database now? + ¿Quieres reconstruir la base de datos de bloques ahora? + + + + Done loading + Carga finalizada + + + + Entries are full. + Las entradas están agotadas. + + + + Error initializing block database + Error al inicializar la base de datos de bloques + + + + Error initializing wallet database environment %s! + Error al inicializar el entorno de la base de datos del monedero %s + + + + Error loading block database + Error cargando base de datos de bloques + + + + Error loading wallet.dat + Error al cargar wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Error al cargar wallet.dat: el monedero está dañado + + + + Error opening block database + Error al abrir la base de datos de bloques. + + + + Error reading from database, shutting down. + Error leyendo la base de datos, cerrando. + + + + Error recovering public key. + Error recuperando clave pública. + + + + Error + Error + + + + Error: Disk space is low! + Error: ¡Espacio en disco bajo! + + + + Error: Wallet locked, unable to create transaction! + Error: ¡El monedero está bloqueado; no se puede crear la transacción! + + + + Error: You already have pending entries in the Darksend pool + Error: Ya tiene entradas pendientes en el pool de Darksend + + + + Failed to listen on any port. Use -listen=0 if you want this. + Ha fallado la escucha en todos los puertos. Use -listen=0 si desea esto. + + + + Failed to read block + No se ha podido leer el bloque + + + + If <category> is not supplied, output all debugging information. + Si no se proporciona <category>, mostrar toda la información de depuración + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1 = conservar metadatos de tx e.g. propietario de la cuenta e información de la solicitud de pago, 2 = descartar metadatos de tx) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + Permitir conexiones JSON-RPC desde la fuente especificada. El dato de <ip> válido puede ser una IP única (e.g. 1.2.3.4), una red/máscara de red (e.g. 1.2.3.4/255.255.255.0) ó una red/CIDR (e.g. 1.2.3.4/24). Esta opción se puede indicar múltiples veces + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + Se produjo un error al configurar la dirección RPC %s puerto %u para escuchar: %s + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + Vincular a la dirección dada y poner en la lista blanca los pares que se conecten a ella. Use la notación [servidor]:puerto de IPv6 + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + Vincular a la dirección dada para escuchar conexiones JSON-RPC. Use la notación [servidor]:puerto de IPv6. Esta opción se puede indicar múltiples veces (predeterminado: vincular a todos los interfaces) + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + Cambiar el comportamiento de votos de presupuesto finalizado automático. mode=auto: Votar sólo a la coincidencia exacta del presupuesto finalizado para mi presupuesto generado. (cadena de texto, predeterminado: auto) + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + Limitar continuamente las transacciones gratuitas a <n>*1000 bytes por minuto (predeterminado:%u) + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + Crear archivos nuevos con los permisos por defecto del sistema, en lugar de umask 077 (sólo será efectivo con la funcionalidad del monedero desactivada) + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + Borrar todas las transacciones del monedero y recuperar únicamente aquellas partes de la cadena de bloques a través de -rescan en el inicio + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + Desactivar todas las funciones asociadas al Nodo Maestro y Darksend (0-1, predeterminado: %u) + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + Distribuido bajo la licencia de software MIT, vea el archivo COPYING adjunto o <http://www.opensource.org/licenses/mit-license.php>. + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Activar InstantX, mostrar las confirmaciones de transacciones bloqueadas (booleano, predeterminado: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + Activar uso automatizado de Darksend para los fondos almacenados en este monedero (0-1, predeterminado: %u) + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + Error: Se encontró el argumento no permitido -socks. Ajustar la versión de SOCKS ya no es posible, sólo se admiten proxies SOCKS5 + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + Las comisiones (en DASH/Kb) menores a ésta se consideran como cero a efectos de transmisión (predeterminado: %s) + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + Las comisiones (en DASH/Kb) menores a ésta se consideran como cero a efectos de creación de transacciones (predeterminado: %s) + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + Volcar la actividad de la base de datos desde el grupo de memoria al registro en disco cada <n> megabytes (predeterminado: %u) + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + Nivel de rigor en la verificación de bloques de -checkblocks (0-4, predeterminado: %u) + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + Si no se fija la comisión de pago por transferencia o paytxfee, incluir la comisión suficiente para que las transacciones comiencen a confirmarse de media en n bloques (predeterminado: %u) + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + Cuantía no válida para -maxtxfee=<amount>: '%s' (debe de ser al menos la comisión mínima de la transmisión de %s para evitar transacciones atascadas) + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + Registrar prioridad de las transacciones y la comisión por kB al minar bloques (predeterminado: %u) + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + Mantener índice de transacciones completo, utilizado por la llamada rpc getrawtransaction (predeterminado: 0) + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + Tamaño máximo de datos en las transacciones de portadora de datos que transmitimos y minamos (predeterminado: %u) + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + Máximo total de comisiones a usar en una única transacción, ajustándolo muy bajo puede abortar grandes transacciones (predeterminado: %s) + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + Número de segundos en que se evita la reconexión de pares con mal comportamiento (predeterminado: %u) + + + + Output debugging information (default: %u, supplying <category> is optional) + Información de salida para depuración (predeterminado: %u, proporcionar una <category> es opcional) + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + Ofrecer liquidez a Darksend mezclando dash con poca frecuencia y de forma continua (0-100, predeterminado: %u, 1=muy frecuente, comisiones altas, 100=muy pocas veces, comisiones bajas) + + + + Require high priority for relaying free or low-fee transactions (default:%u) + Requerir una prioridad alta para transmitir transacciones gratuitas o con bajas comisiones (predeterminado: %u) + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + Establecer el número de hilos para la generación de dash cuando ésta se encuentra activada (-1 = todos los núcleos, predeterminado: %d) + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + Mostrar N confirmaciones para una transacción bloqueada con éxito (0-9999, predeterminado: %u) + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + Este producto incluye software desarrollado por el Proyecto OpenSSL para su uso en el Toolkit OpenSSL <https://www.openssl.org/> y software criptográfico escrito por Eric Young y software UPnP escrito por Thomas Bernard. + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4531,1361 +4711,922 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, debe establecer un valor rpcpassword en el archivo de configuración: + Para usar dashd, o la opción -server de dash-qt, debe establecer rpcpassword en el archivo de configuración: %s -Se recomienda utilizar la siguiente contraseña aleatoria: +Es recomendable que use la contraseña aleatoria siguiente: rpcuser=dashrpc rpcpassword=%s -(no es necesario recordar esta contraseña) +(no necesita recordar esta contraseña) El nombre de usuario y la contraseña NO DEBEN ser iguales. -Si el archivo no existe, créelo con permisos de archivo de solo lectura. -Se recomienda también establecer alertnotify para recibir notificaciones de problemas; -Por ejemplo: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com +Si el archivo no existe, créelo con permisos de sólo lectura para su propietario. +También resulta recomendable establecer alertnotify para que se le notifique de posibles problemas; +por ejemplo: alertnotify=echo %%s | mail -s "Alerta de Dash" admin@foo.com - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Cifrados aceptables (predeterminados: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + Usar proxy SOCKS5 independiente para comunicarse con otros pares mediante servicios ocultos de la red Tor (predeterminado: %s) - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Ha ocurrido un error al configurar el puerto RPC %u para escucha en IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + Aviso: ¡-maxtxfee se estableció en un valor muy alto! Comisiones tan grandes no se podrían pagar en una única transacción. - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Ha ocurrido un error al configurar el puerto RPC %u para escuchar mediante IPv6. Recurriendo a IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + Aviso: ¡Por favor compruebe que la fecha y hora de su computadora son correctas! Si su reloj está mal ajustado, Dash Core no funcionará correctamente. - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Vincular a la dirección dada y escuchar siempre en ella. Utilice la notación [host]:port para IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + Pares de la lista blanca conectándose desde la máscara de red o dirección IP facilitadas. Se pueden especificar múltiples veces. - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - No se ha podido bloquear el directorio de datos %s. Probablemente ya se está ejecutando Dash Core. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + Los pares de la lista blanca no pueden ser excluidos por DoS y sus transacciones siempre se transmitirán, incluso si ya se encuentran en el grupo de memoria, útil e.g. para una pasarela - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Limitar continuamente las transacciones gratuitas a <n>*1000 bytes por minuto (predeterminado:15) + + (default: %s) + (predeterminado: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend utiliza cuantías denominadas exactas para enviar fondos, simplemente necesita anonimizar algunos dashs más. - - - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Desactivar todas las funciones relacionadas con el Masternode y con Darksend (0-1, por defecto: 0) - - - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Habilitar InstantX, mostrar las confirmaciones de transacciones bloqueadas (bool, por defecto: true) - - - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Activar el uso automatizado de Darksend para los fondos almacenados en este monedero (0-1, por defecto: 0) - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Iniciar modo de prueba de regresión, el cuál utiliza una cadena especial en la cual los bloques pueden ser resueltos instantáneamente. Se utiliza para herramientas de prueba de regresión y desarrollo de aplicaciones. - - - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Ingresar en el modo de prueba de regresión, que utiliza una cadena especial en la que los bloques se pueden resolver instantáneamente. - - - - Error: Listening for incoming connections failed (listen returned error %s) - Error: Ha fallado la escucha de conexiones entrantes (listen ha devuelto el error %s) - - - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - ¡Error: se ha rechazado la transacción! Esto puede ocurrir si ya se han gastado algunos de los dashs del monedero, como ocurriría si hubiera hecho una copia de wallet.dat y se hubieran gastado dashs a partir de la copia, con lo que no se habrían marcado aquí como gastados. - - - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - ¡Error: Esta transacción requiere una comisión de al menos %s debido a su cantidad, complejidad, o al uso de fondos recién recibidos! - - - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Error: Monedero desbloqueado sólo para anonimización, incapaz de crear la transacción. - - - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Ejecutar un comando cuando se reciba un aviso importante o cuando veamos un fork demasiado largo (%s en cmd se reemplazará por el mensaje) - - - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Ejecutar comando cuando una transacción del monedero cambia (%s en cmd se remplazará por TxID) - - - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Ejecutar un comando cuando cambia el mejor bloque (%s en cmd se sustituye por el hash de bloque) - - - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Las comisiones inferiores se consideran comisión cero (a efectos de creación de transacciones) (predeterminado: - - - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Volcar la actividad de la base de datos de memoria al registro en disco cada <n> megabytes (predeterminado: 100) - - - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Se han encontrado salidas denominadas sin confirmar, se esperará a su confirmación para continuar. - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Nivel de rigor en la verificación de bloques de -checkblocks (0-4; predeterminado: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - En este modo -genproclimit controla cuántos bloques se generan de inmediato. - - - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX requiere entradas con al menos 6 confirmaciones, puede que neesite esperar unos pocos minutos y volver a intentarlo. - - - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Escuchar conexiones JSON-RPC en <port> (predeterminado: 9998 o testnet: 19998) - - - - Name to construct url for KeePass entry that stores the wallet passphrase - Nombre para construir la url de la entrada KeePass que almacena la contraseña del monedero - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Número de segundos en que se evita la reconexión de pares con mal comportamiento (predeterminado: 86400) - - - - Output debugging information (default: 0, supplying <category> is optional) - Mostrar información de depuración (predeterminado: 0, proporcionar <category> es opcional) - - - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Ofrecer liquidez a Darksen mezclando dashs con poca frecuencia y de forma contínua (0-100, predeterminado: 0, 1=muy frecuente, comisiones altas, 100=muy infrecuente, comisiones bajas) - - - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Petición de direcciones de pares mediante búsqueda de DNS , si las direcciones son pocas (predeterminado: 1 salvo con -connect) - - - - Set external address:port to get to this masternode (example: address:port) - Ajustar dirección externa:puerto para acceder a este masternode (p.ej. dirección:puerto) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Establecer tamaño máximo de las transacciones de alta prioridad/baja comisión en bytes (predeterminado: %d) - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Establecer el número de hilos (threads) de verificación de scripts (entre %u y %d, 0 = automático, <0 = dejar libres ese número de núcleos; predeterminado: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Establecer el límite de procesadores cuando está activada la generación (-1 = sin límite; predeterminado: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Mostrar N confirmaciones para una transacción bloqueada con éxito (0-9999, predeterminado: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Esta es una versión de pre-prueba - utilícela bajo su propio riesgo. No la utilice para usos comerciales o de minería. - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - No se puede enlazar a% s en este equipo. Dash Core probablemente ya está en funcionamiento. - - - - Unable to locate enough Darksend denominated funds for this transaction. - No se pueden localizar fondos denominados de Darksend suficientes para esta transacción. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - No se pueden localizar fondos no denominados de Darksend suficientes para esta transacción que no sean iguales a 1000 DASH. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - No se pueden localizar fondos no denominados de Darksend suficientes para esta transacción. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Usar proxy SOCKS5 distinto para comunicarse vía Tor de forma anónima (Predeterminado: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Aviso: ¡-paytxfee tiene un valor muy alto! Esta es la comisión que pagará si envía una transacción. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Aviso: ¡Verifique que la fecha y hora de su ordenador son correctas! Si su reloj está mal ajustado, Dash no funcionará correctamente. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Aviso: ¡Parece que la red no está totalmente de acuerdo! Algunos mineros están experimentando problemas. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Aviso: ¡Parece que no estamos completamente de acuerdo con nuestros pares! Podría necesitar una actualización, u otros nodos podrían necesitarla. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Aviso: ¡Error al leer wallet.dat! Todas las claves se han leído correctamente, pero podrían faltar o ser incorrectos los datos de transacciones o las entradas de la libreta de direcciones. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Aviso: ¡Recuperados datos de wallet.dat corrupto! El wallet.dat original se ha guardado como wallet.{timestamp}.bak en %s; si hubiera errores en su saldo o transacciones, deberá restaurar una copia de seguridad. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Tiene que establecer rpcpassword=<password> en el fichero de configuración: -%s -Si el archivo no existe, créelo con permiso de lectura solamente del propietario. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Debe especificar una masternodeprivkey en la configuración. Por favor, consulte la documentación para obtener ayuda. - - - - (default: 1) - (predeterminado: 1) - - - - (default: wallet.dat) - (predeterminado: wallet.dat) - - - - <category> can be: - <category> puede ser: - - - - Accept command line and JSON-RPC commands - Aceptar comandos de la consola y JSON-RPC + + <category> can be: + + <category> puede ser: - - Accept connections from outside (default: 1 if no -proxy or -connect) - Aceptar conexiones desde el exterior (predeterminado: 1 si no -proxy o -connect) + + Accept public REST requests (default: %u) + Admitir peticiones REST públicas (predeterminado: %u) - - Add a node to connect to and attempt to keep the connection open - Añadir un nodo al que conectarse y tratar de mantener la conexión abierta + + Acceptable ciphers (default: %s) + Cifrados admitidos (predeterminado: %s) - - Allow DNS lookups for -addnode, -seednode and -connect - Permitir búsquedas DNS para -addnode, -seednode y -connect + + Always query for peer addresses via DNS lookup (default: %u) + Solicitar siempre direcciones de pares mediante búsqueda de DNS (predeterminado: %u) - - Allow JSON-RPC connections from specified IP address - Permitir conexiones JSON-RPC desde la dirección IP especificada - + + Cannot resolve -whitebind address: '%s' + No se puede resolver la dirección -whitebind: '%s' - - Already have that input. - Ya tiene esa entrada. + + Connect through SOCKS5 proxy + Conectarse a través de un proxy SOCKS5 - - Always query for peer addresses via DNS lookup (default: 0) - Solicitar siempre direcciones de pares mediante búsqueda DNS (predeterminado: 0) + + Connect to KeePassHttp on port <port> (default: %u) + Conectarse a KeePassHttp a través del puerto <port> (predeterminado: %u) - - Attempt to recover private keys from a corrupt wallet.dat - Intentar recuperar claves privadas de un wallet.dat corrupto + + Copyright (C) 2009-%i The Bitcoin Core Developers + Copyright (C) 2009-%i Los Desarrolladores de Bitcoin Core - - Block creation options: - Opciones de creación de bloques: + + Copyright (C) 2014-%i The Dash Core Developers + Copyright (C) 2014-%i Los Desarrolladores de Dash Core - - Can't denominate: no compatible inputs left. - No se puede denominar: no quedan entradas compatibles. + + Could not parse -rpcbind value %s as network address + No se pudo intrepretar el valor -rpcbind %s como una dirección de red - - Cannot downgrade wallet - No se puede regresar a una versión anterior del monedero + + Darksend is idle. + Darksend está parado. - - Cannot resolve -bind address: '%s' - No se puede resolver la dirección de -bind: '%s' + + Darksend request complete: + Solicitud Darksend completada: - - Cannot resolve -externalip address: '%s' - No se puede resolver la dirección de -externalip: '%s' + + Darksend request incomplete: + Petición de Darksend incompleta: - - Cannot write default address - No se puede escribir la dirección predeterminada + + Disable safemode, override a real safe mode event (default: %u) + Desactivar el modo seguro, no considerar un suceso real de modo seguro (predeterminado: %u) - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Limpiar lista de transacciones del monedero (herramienta de diagnóstico; implica -rescan) + + Enable the client to act as a masternode (0-1, default: %u) + Activar el cliente para que se comporte como un nodo maestro (0-1, predeterminado: %u) - - Collateral is not valid. - El colateral no es válido. + + Error connecting to Masternode. + Error al conectar al Nodo Maestro. - - Collateral not valid. - Colateral no válido. + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Error al cargar wallet.dat: El monedero requiere una versión más reciente de Dash Core - - Connect only to the specified node(s) - Conectar sólo a los nodos (o nodo) especificados + + Error: A fatal internal error occured, see debug.log for details + Error: Se produjo un error interno fatal, vea debug.log para más detalles - - Connect through SOCKS proxy - Conectar a través de un proxy SOCKS + + Error: Unsupported argument -tor found, use -onion. + Error: Se encontró el argumento no soportado -tor, use -onion. - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Conectar a JSON-RPC en <port> (predeterminado: 9998 o testnet: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + Comisión (en DASH/kB) a añadir sobre las transacciones que envíe (predeterminado: %u) - - Connect to KeePassHttp on port <port> (default: 19455) - Conectar a KeepassHttp con el puerto <port> (predeterminado: 19455) + + Finalizing transaction. + Finalizando transacción. - - Connect to a node to retrieve peer addresses, and disconnect - Conectar a un nodo para obtener direcciones de pares y desconectar + + Force safe mode (default: %u) + Forzar modo seguro (predeterminado: %u) - - Connection options: - Opciones de conexión: + + Found enough users, signing ( waiting %s ) + Se encontraron suficientes usuarios, firmando (esperando %s) - - Corrupted block database detected - Corrupción de base de datos de bloques detectada. + + Found enough users, signing ... + Se encontraron suficientes usuarios, firmando... - - Dash Core Daemon - Dash Core Daemon + + Generate coins (default: %u) + Generar dash (predeterminado: %u) - - Dash Core RPC client version - Versión del cliente RPC de Dash Core + + How many blocks to check at startup (default: %u, 0 = all) + Cuántos bloques se comprueban durante el inicio (predeterminado: %u, 0 = todos) - - Darksend is disabled. - Darksend está desactivado. + + Ignore masternodes less than version (example: 70050; default: %u) + Ignorar nodos maestros cuya versión sea inferior a la indicada (ejemplo: 70050; predeterminado: %u) - - Darksend options: - Opciones de Darksend: - - - - Debugging/Testing options: - Opciones de Depuración/Pruebas: - - - - Disable safemode, override a real safe mode event (default: 0) - Desactivar el modo seguro, no considerar un suceso real de modo seguro (predeterminado: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Descubrir dirección IP propia (predeterminado: 1 al escuchar sin -externalip) - - - - Do not load the wallet and disable wallet RPC calls - No cargar el monedero y desactivar las llamadas RPC del monedero - - - - Do you want to rebuild the block database now? - ¿Quieres reconstruir la base de datos de bloques ahora? - - - - Done loading - Carga finalizada - - - - Downgrading and trying again. - - - - - Enable the client to act as a masternode (0-1, default: 0) - Permitir que el cliente pueda actuar como Masternode (0-1, por defecto: 0) - - - - Entries are full. - Las entradas están agotadas. - - - - Error connecting to masternode. - Error conectando a masternode. - - - - Error initializing block database - Error al inicializar la base de datos de bloques - - - - Error initializing wallet database environment %s! - Error al inicializar el entorno de la base de datos del monedero %s - - - - Error loading block database - Error cargando base de datos de bloques - - - - Error loading wallet.dat - Error al cargar wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Error al cargar wallet.dat: el monedero está dañado - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Error cargando wallet.dat: El monedero requiere la versión más reciente de Dash - - - - Error opening block database - Error al abrir la base de datos de bloques. - - - - Error reading from database, shutting down. - Error leyendo la base de datos, cerrando. - - - - Error recovering public key. - Error recuperando clave pública. - - - - Error - Error - - - - Error: Disk space is low! - Error: ¡Espacio en disco bajo! - - - - Error: Wallet locked, unable to create transaction! - Error: ¡El monedero está bloqueado; no se puede crear la transacción! - - - - Error: You already have pending entries in the Darksend pool - Error: Ya tiene entradas pendientes en el pool de Darksend - - - - Error: system error: - Error: error de sistema: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Ha fallado la escucha en todos los puertos. Use -listen=0 si desea esto. - - - - Failed to read block info - No se ha podido leer la información de bloque - - - - Failed to read block - No se ha podido leer el bloque - - - - Failed to sync block index - No se ha podido sincronizar el índice de bloques - - - - Failed to write block index - No se ha podido escribir en el índice de bloques - - - - Failed to write block info - No se ha podido escribir la información de bloques - - - - Failed to write block - No se ha podido escribir el bloque - - - - Failed to write file info - No se ha podido escribir la información de archivo - - - - Failed to write to coin database - No se ha podido escribir en la base de datos de monedas - - - - Failed to write transaction index - No se ha podido escribir en el índice de transacciones - - - - Failed to write undo data - No se han podido escribir los datos de deshacer - - - - Fee per kB to add to transactions you send - Comisión por KB que se añade a las transacciones que envíe - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Las comisiones inferiores se consideran comisión cero (a efectos de propagación) (predeterminado: - - - - Force safe mode (default: 0) - Forzar modo seguro (predeterminado: 0) - - - - Generate coins (default: 0) - Generar dashs (predeterminado: 0) - - - - Get help for a command - Recibir ayuda para un comando - - - - How many blocks to check at startup (default: 288, 0 = all) - Cuántos bloques comprobar al inicio (predeterminado: 288, 0 = todos) - - - - If <category> is not supplied, output all debugging information. - Si no se proporciona <category>, mostrar toda la información de depuración - - - - Ignore masternodes less than version (example: 70050; default : 0) - Ignorar Masternodes de versión inferior (ejemplo: 70050; por defecto: 0) - - - + Importing... Importando... - + Imports blocks from external blk000??.dat file Importa los bloques desde un archivo blk000??.dat externo - + + Include IP addresses in debug output (default: %u) + Incluir direcciones IP en la salida de depuración (predeterminado: %u) + + + Incompatible mode. Modo incompatible. - + Incompatible version. Versión incompatible. - + Incorrect or no genesis block found. Wrong datadir for network? Bloque génesis incorrecto o no encontrado. ¿Es el directorio datadir incorrecto para la red? - + Information Información - + Initialization sanity check failed. Dash Core is shutting down. La comprobación de validez de inicio falló. Dash Core se está cerrando. - + Input is not valid. La entrada no es válida. - + InstantX options: Opciones de InstantX: - + Insufficient funds Fondos insuficientes - + Insufficient funds. Fondos insuficientes. - + Invalid -onion address: '%s' Dirección -onion inválida: '%s' - + Invalid -proxy address: '%s' Dirección -proxy inválida: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Cuantía inválida para -maxtxfee=<amount>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Cuantía inválida para -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Cuantía inválida para -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Cuantía inválida para -paytxfee=<amount>: '%s' (debe ser al menos %s) + + + Invalid amount for -paytxfee=<amount>: '%s' Cuantía inválida para -paytxfee=<amount>: '%s' - - Invalid amount - Cuantía no válida + + Last successful Darksend action was too recent. + La última acción de Darksend exitosa era demasiado reciente. - + + Limit size of signature cache to <n> entries (default: %u) + Limitar el tamaño de la caché de firma a <n> registros (predeterminado: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + Escuchar a conexiones JSON-RPC en el <port> (predeterminado: %u ó testnet: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + Escuchar a las conexiones en el <port> (predeterminado: %u ó testnet: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Asegurar nodos maestros a partir del archivo de configuración del nodo maestro (predeterminado: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Mantener como máximo <n> conexiones a pares (predeterminado: &u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + Buffer de recepción máximo por conexión, <n>*1000 bytes (predeterminado: %u) + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + Buffer de recepción máximo por conexión, <n>*1000 bytes (predeterminado: %u) + + + + Mixing in progress... + Mezclado en curso... + + + + Need to specify a port with -whitebind: '%s' + Ha de indicar un puerto con -whitebind: '%s' + + + + No Masternodes detected. + No se detectaron Nodos Maestros. + + + + No compatible Masternode found. + No se encontró un Nodo Maestro compatible. + + + + Not in the Masternode list. + Ausente de la lista de Nodos Maestros. + + + + Number of automatic wallet backups (default: 10) + Número de copias de seguridad automáticas del monedero (predeterminado: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + Admitir sólo la cadena de bloques que concuerde con los puntos de control incorporados (predeterminado: %u) + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Conectar sólo a los nodos de la red <net> (IPv4, IPv6 u onion) + + + + Prepend debug output with timestamp (default: %u) + Anteponer marca temporal a la salida para depuración (predeterminado: %u) + + + + Run a thread to flush wallet periodically (default: %u) + Correr un hilo para volcar el monedero periódicamente (predeterminado: %u) + + + + Send transactions as zero-fee transactions if possible (default: %u) + Enviar las transacciones como transacciones con cero comisiones si es posible (predeterminado: %u) + + + + Server certificate file (default: %s) + Archivo de certificado del servidor (predeterminado: %s) + + + + Server private key (default: %s) + Clave privada del servidor (predeterminado: %s) + + + + Session timed out, please resubmit. + La sesión caducó, por favor reenvíela de nuevo. + + + + Set key pool size to <n> (default: %u) + Establecer el tamaño del grupo de claves a <n> (predeterminado: %u) + + + + Set minimum block size in bytes (default: %u) + Establecer tamaño mínimo del bloque en bytes (predeterminado: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Establecer el número de hilos para atender las llamadas RPC (predeterminado: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + Establece la opción DB_PRIVATE en el entorno de base de datos del monedero (predeterminado: %u) + + + + Specify configuration file (default: %s) + Indicar el archivo de configuración (predeterminado: %s) + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + Indicar tiempo máximo de desconexión en milisegundos (mínimo: 1, predeterminado: %d) + + + + Specify masternode configuration file (default: %s) + Indicar archivo de configuración del nodo maestro (predeterminado: %s) + + + + Specify pid file (default: %s) + Indicar archivo de pid (predeterminado: %s) + + + + Spend unconfirmed change when sending transactions (default: %u) + Gastar el cambio no confirmado al enviar las transacciones (predeterminado: %u) + + + + Stop running after importing blocks from disk (default: %u) + Detener la ejecución después de importar los bloques desde el disco (predeterminado: %u) + + + + Submitted following entries to masternode: %u / %d + Se han enviado la entradas siguientes al nodo maestro: %u / %d + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + Enviado al nodo maestro, esperando a más entradas ( %u / %d ) %s + + + + Submitted to masternode, waiting in queue %s + Enviado al nodo maestro, esperando en cola %s + + + + This is not a Masternode. + Esto no es un Nodo Maestro. + + + + Threshold for disconnecting misbehaving peers (default: %u) + Umbral para la desconexión de pares con mal comportamiento (predeterminado: %u) + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + sar la integración de KeePass2 con el conector KeePassHttp (predeterminado: %u) + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + Usar N nodos maestros distintos para generar fondos anónimos (2-8, predeterminado: %u) + + + + Use UPnP to map the listening port (default: %u) + Usar UPnP para asignar el puerto de escucha (predeterminado: %u) + + + + Wallet needed to be rewritten: restart Dash Core to complete + El monedero se ha de reescribir: reinicie Dash Core para completarlo + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + Aviso: El argumento no permitido -benchmark se ignoró, use -debug=bench. + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + Aviso: El argumento no permitido -debugnet se ignoró, use -debug=net. + + + + Will retry... + Se volverá a intentar... + + + Invalid masternodeprivkey. Please see documenation. - Masternodeprivkey inválida. Por favor, lea la documentación. + La clave prinvada del nodo maestro no es válida. Por favor, consulte la documentación. - + + Invalid netmask specified in -whitelist: '%s' + La máscara de red especificada en -whitelist no es válida: '%s' + + + Invalid private key. Clave privada inválida. - + Invalid script detected. Script inválido detectado. - + KeePassHttp id for the established association Identificación del KeePassHttp para la asociación establecida - + KeePassHttp key for AES encrypted communication with KeePass Clave KeePassHttp para la comunicación cifrada AES con KeePass - - Keep N dash anonymized (default: 0) - Mantenga N dashs anónimos (por defecto: 0) + + Keep N DASH anonymized (default: %u) + Conservar N DASH anónimos (predeterminado: %u) - - Keep at most <n> unconnectable blocks in memory (default: %u) - Mantener a lo sumo <n> bloques no conectables en memoria (por defecto: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Mantenga a lo sumo <n> transacciones no conectables en la memoria (por defecto:% u) - + Last Darksend was too recent. El último Darksend era demasiado reciente. - - Last successful darksend action was too recent. - La última acción Darksend exitosa era demasiado reciente. - - - - Limit size of signature cache to <n> entries (default: 50000) - Limitar tamaño de la cache de firmas a <n> entradas (predeterminado: 50000) - - - - List commands - Listar comandos - - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Escuchar las conexiones en <port> (por defecto: 9999 o testnet: 19999) - - - + Loading addresses... Cargando direcciones... - + Loading block index... Cargando el índice de bloques... - + + Loading budget cache... + Cargando caché del presupuesto... + + + Loading masternode cache... - + Cargando caché de nodos maestros... - Loading masternode list... - Cargando lista de masternodes... - - - + Loading wallet... (%3.2f %%) Cargando monedero... (%3.2f %%) - + Loading wallet... Cargando monedero... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Registrar prioridad de las transacciones y comisión por kB al minar bloques (predeterminado: 0) - - - - Maintain a full transaction index (default: 0) - Mantener índice de transacciones completo (predeterminado: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Mantener como máximo <n> conexiones a pares (predeterminado: 125) - - - + Masternode options: - Opciones del Masternode: + Opciones del Nodo Maestro: - + Masternode queue is full. - La cola del masternode está llena. + La cola del nodo maestro está llena. - + Masternode: - Masternode: + Nodo Maestro: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Búfer máximo de recepción por conexión, <n>*1000 bytes (predeterminado: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Búfer máximo de envío por conexión, , <n>*1000 bytes (predeterminado: 1000) - - - + Missing input transaction information. Información ausente en la transacción de entrada. - - No compatible masternode found. - No se ha encontrado un masternode compatible. - - - + No funds detected in need of denominating. No se han detectado fondos que necesiten denominarse. - - No masternodes detected. - No se han detectado masternodes. - - - + No matching denominations found for mixing. No se han encontrado denominaciones iguales para mezclar. - + + Node relay options: + Opciones de transmisión del nodo: + + + Non-standard public key detected. Se detectó una llave publica en formato no estándar. - + Not compatible with existing transactions. No es compatible con las transacciones existentes. - + Not enough file descriptors available. No hay suficientes descriptores de archivo disponibles. - - Not in the masternode list. - No se encuentra en la lista de masternodes. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Aceptar solamente cadena de bloques que concuerde con los puntos de control internos (predeterminado: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Conectarse solo a nodos de la red <net> (IPv4, IPv6 o Tor) - - - + Options: Opciones: - + Password for JSON-RPC connections Contraseña para las conexiones JSON-RPC - - Prepend debug output with timestamp (default: 1) - Anteponer marca temporal a la información de depuración (predeterminado: 1) - - - - Print block on startup, if found in block index - Imprimir bloque al iniciar, si se encuentra en el índice de bloques - - - - Print block tree on startup (default: 0) - Imprimir árbol de bloques al iniciar (predeterminado: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opciones SSL de RPC: (véase la wiki de Bitcoin para las instrucciones de instalación de SSL) - - RPC client options: - Opciones para cliente RPC: - - - + RPC server options: Opciones de servidor RPC: - + + RPC support for HTTP persistent connections (default: %d) + Soporte de RPC para conexiones HTTP persistentes (predeterminado: %d) + + + Randomly drop 1 of every <n> network messages Ignorar 1 de cada <n> mensajes de red al azar - + Randomly fuzz 1 of every <n> network messages Fuzzear 1 de cada <n> mensajes de red al azar - + Rebuild block chain index from current blk000??.dat files Reconstruir el índice de la cadena de bloques a partir de los archivos blk000??.dat actuales - + + Relay and mine data carrier transactions (default: %u) + Transmitir y minar transacciones con portadora de datos (predeterminado: %u) + + + + Relay non-P2SH multisig (default: %u) + Transmitir multifirma no P2SH (predeterminado: %u) + + + Rescan the block chain for missing wallet transactions Volver a examinar la cadena de bloques en busca de transacciones perdidas del monedero - + Rescanning... Reexplorando... - - Run a thread to flush wallet periodically (default: 1) - Ejecutar un hilo (thread) para refrescar el monedero periódicamente (predeterminado: 1) - - - + Run in the background as a daemon and accept commands Ejecutar en segundo plano como daemon y aceptar comandos - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Opciones SSL: (ver la Bitcoin Wiki para instrucciones de configuración SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Seleccionar versión de SOCKS para -proxy (4 o 5, predeterminado: 5) - - - - Send command to Dash Core - Enviar orden a Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Enviar comando al nodo situado en <ip> (predeterminado: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Enviar información de trazas/depuración a la consola en lugar de al archivo debug.log - - Server certificate file (default: server.cert) - Certificado del servidor (predeterminado: server.cert) - - - - Server private key (default: server.pem) - Clave privada del servidor (predeterminado: server.pem) - - - + Session not complete! ¡La sesión no está completa! - - Session timed out (30 seconds), please resubmit. - La sesión ha caducado (30 segundos), por favor inténtelo de nuevo. - - - + Set database cache size in megabytes (%d to %d, default: %d) Asignar tamaño de cache en megabytes (entre %d y %d; predeterminado: %d) - - Set key pool size to <n> (default: 100) - Ajustar el número de claves en reserva <n> (predeterminado: 100) - - - + Set maximum block size in bytes (default: %d) Establecer tamaño máximo de bloque en bytes (predeterminado: %d) - - Set minimum block size in bytes (default: 0) - Establecer tamaño mínimo de bloque en bytes (predeterminado: 0) - - - + Set the masternode private key - Establezca la clave privada del masternode + Establezca la clave privada del nodo maestro - - Set the number of threads to service RPC calls (default: 4) - Establecer el número de hilos para atender las llamadas RPC (predeterminado: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Establece la opción DB_PRIVATE en el entorno de base de datos del monedero (predeterminado: 1) - - - + Show all debugging options (usage: --help -help-debug) Muestra todas las opciones de depuración (uso: --help -help-debug) - - Show benchmark information (default: 0) - Mostrar información de benchmarking (predeterminado: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Reducir el archivo debug.log al iniciar el cliente (predeterminado: 1 sin -debug) - + Signing failed. No se pudo firmar. - + Signing timed out, please resubmit. La sesión de firma ha caducado, por favor inténtelo de nuevo. - + Signing transaction failed Falló la firma de la transacción - - Specify configuration file (default: dash.conf) - Especificar el archivo de configuración (predeterminado: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Especificar el tiempo máximo de desconexión en milisegundos (predeterminado: 5000) - - - + Specify data directory Especificar directorio para los datos - - Specify masternode configuration file (default: masternode.conf) - Especificar el archivo de configuración del Masternode (predeterminado: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Especificar archivo pid (por defecto: dashd.pid) - - - + Specify wallet file (within data directory) Especificar archivo de monedero (dentro del directorio de datos) - + Specify your own public address Especifique su propia dirección pública - - Spend unconfirmed change when sending transactions (default: 1) - Gastar cambio no confirmado al enviar transacciones (predeterminado: 1) - - - - Start Dash Core Daemon - Iniciar Daemon de Dash Core - - - - System error: - Error de sistema: - - - + This help message Este mensaje de ayuda - + + This is experimental software. + Esto es software experimental. + + + This is intended for regression testing tools and app development. Esto está enfocado a las herramientas de prueba de regresión y desarrollo de aplicaciones. - - This is not a masternode. - Esto no es un masternode. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Umbral para la desconexión de pares con mal comportamiento (predeterminado: 100) - - - - To use the %s option - Para utilizar la opción %s - - - + Transaction amount too small Cuantía de la transacción demasiado pequeña - + Transaction amounts must be positive Las cuantías en las transacciones deben ser positivas - + Transaction created successfully. Transacción creada con éxito. - + Transaction fees are too high. Las comisiones por transacción son demasiado elevadas. - + Transaction not valid. La transacción no es válida. - + + Transaction too large for fee policy + Transacción demasiado grande para la política de comisiones + + + Transaction too large Transacción demasiado grande - + + Transmitting final transaction. + Transmitiendo transacción final. + + + Unable to bind to %s on this computer (bind returned error %s) No es posible enlazar con %s en este sistema (bind ha dado el error %s) - - Unable to sign masternode payment winner, wrong key? - No fue posible firmar el Masternode ganador del pago, ¿clave incorrecta? - - - + Unable to sign spork message, wrong key? No fue posible firmar el mensaje de spork, ¿clave incorrecta? - - Unknown -socks proxy version requested: %i - Solicitada versión de proxy -socks desconocida: %i - - - + Unknown network specified in -onlynet: '%s' La red especificada en -onlynet '%s' es desconocida - + + Unknown state: id = %u + Estado desconocido: id = %u + + + Upgrade wallet to latest format Actualizar el monedero al formato más reciente - - Usage (deprecated, use dash-cli): - Uso (obsoleto, use dash-cli): - - - - Usage: - Uso: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Utilice la integración KeePass 2 usando el plugin KeePassHttp (por defecto: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Utilice N masternodes distintos para anonimizar los fondos (2-8, por defecto: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSL (https) para las conexiones JSON-RPC - - Use UPnP to map the listening port (default: 0) - Usar UPnP para asignar el puerto de escucha (predeterminado: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para asignar el puerto de escucha (predeterminado: 1 al escuchar) - + Use the test network Usar la red de pruebas - + Username for JSON-RPC connections Nombre de usuario para las conexiones JSON-RPC - + Value more than Darksend pool maximum allows. El valor es mayor al máximo permitido por el pool Darksend. - + Verifying blocks... Verificando bloques... - + Verifying wallet... Verificando monedero... - - Wait for RPC server to start - Espere a que se inicie el servidor RPC - - - + Wallet %s resides outside data directory %s El monedero %s se encuentra fuera del directorio de datos %s - + Wallet is locked. El monedero está bloqueado. - - Wallet needed to be rewritten: restart Dash to complete - El monedero necesita ser reescrito: reinicie Dash para terminar - - - + Wallet options: Opciones de monedero: - + Warning Aviso - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Aviso: El argumento obsoleto -debugnet se ignoró, utilice -debug=net - - - + Warning: This version is obsolete, upgrade required! Aviso: Esta versión se ha quedado obsoleta, ¡actualización obligatoria! - + You need to rebuild the database using -reindex to change -txindex Usted necesita reconstruir la base de datos utilizando -reindex para cambiar -txindex - + + Your entries added successfully. + Sus registros se agregaron con éxito. + + + + Your transaction was accepted into the pool! + ¡Se admitió su transacción en el grupo! + + + Zapping all transactions from wallet... Eliminando todas las transacciones del monedero... - + on startup al iniciar - - version - versión - - - + wallet.dat corrupt, salvage failed wallet.dat dañado, falló el rescate diff --git a/src/qt/locale/dash_fi.ts b/src/qt/locale/dash_fi.ts index 9d55f263c..0f4821e5a 100644 --- a/src/qt/locale/dash_fi.ts +++ b/src/qt/locale/dash_fi.ts @@ -1,204 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Tietoja Dash Core:sta - - - - <b>Dash Core</b> version - <b>Dash Core</b> versio - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Tekijänoikeus &copy; 2009-2014 Bitcoin Core kehittäjät. -Tekijänoikeus &copy; 2014-YYYY Dash Core kehittäjät. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Tämä on kokeellinen ohjelmisto. - -Levitetään MIT/X11 ohjelmistolisenssin alaisuudessa. Tarkemmat tiedot löytyvät tiedostosta COPYING tai osoitteesta http://www.opensource.org/licenses/mit-license.php. - -Tämä ohjelma sisältää OpenSSL projektin OpenSSL työkalupakin (http://www.openssl.org/), Eric Youngin (eay@cryptsoft.com) kehittämän salausohjelmiston sekä Thomas Bernardin UPnP ohjelmiston. - -Käännös päivitetty: 29.3.2015 by AjM. - - - Copyright - Tekijänoikeus - - - The Bitcoin Core developers - Bitcoin Core kehittäjät - - - The Dash Core developers - Dash Core kehittäjät - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Kaksoisklikkaa muokataksesi osoitetta tai nimeä - - - + Right-click to edit address or label - + Klikkaa hiiren oikealla muokataksesi osoitetta tai nimeä - + Create a new address Luo uusi osoite - + &New &Uusi - + Copy the currently selected address to the system clipboard Kopioi valittu osoite leikepöydälle - + &Copy &Kopioi - + Delete the currently selected address from the list Poista valittu osoite listalta - + &Delete &Poista - + Export the data in the current tab to a file Vie auki olevan välilehden tiedot tiedostoon - + &Export &Vie... - + C&lose &Sulje - + Choose the address to send coins to Valitse osoite johon varat lähetetään - + Choose the address to receive coins with Valitse vastaanottava osoite - + C&hoose &Valitse - + Sending addresses Lähettävä osoite - + Receiving addresses Vastaanottava osoite - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. - Nämä ovat sinun Dash osoitteesi maksujen lähetykseen. Tarkista aina lähetettävä määrä ja vastaanottajan osoite ennen kuin lähetät varoja. + Nämä ovat Dash osoitteesi maksujen lähetykseen. Tarkista aina lähetettävä määrä ja vastaanottajan osoite ennen kuin lähetät varoja. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. - Nämä ovat sinun Dash osoitteesi suoritusten vastaanottamiseen. Suositellaan että annat uuden osoitteen kullekin siirtotapahtumalle. + Nämä ovat Dash osoitteesi suoritusten vastaanottamiseen. Suositellaan että annat uuden osoitteen kullekin siirtotapahtumalle. - + &Copy Address &Kopioi Osoite - + Copy &Label Kopioi &Nimi - + &Edit &Muokkaa - + Export Address List Vie osoitekirja - + Comma separated file (*.csv) Pilkuilla eritelty tiedosto (*.csv) - + Exporting Failed Vienti epäonnistui - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Osoitelistan tallennuksessa tapahtui virhe tiedostoon %1. + Osoitelistan tallennuksessa tapahtui virhe tiedostoon %1. Yritä uudelleen. AddressTableModel - + Label Nimi - + Address Osoite - + (no label) (ei nimeä) @@ -206,155 +143,150 @@ Käännös päivitetty: 29.3.2015 by AjM. AskPassphraseDialog - + Passphrase Dialog Salasanan Dialogi - + Enter passphrase Kirjoita salasana - + New passphrase Uusi salasana - + Repeat new passphrase Uusi salasana uudelleen - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Poistaa käytöstä rahojen lähetyksen kun käyttöjärjestelmän käyttäjätili on vaarantunut. Ei tarjoa oikeaa turvallisuutta. - + For anonymization only Vain anonymisointia varten - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Anna lompakolle uusi salasana.<br/>Käytä salasanaa jossa on ainakin <b>10 satunnaista mekkiä</b> tai <b>kahdeksan sanaa</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Anna lompakolle uusi salasana.<br/>Käytä salasanaa jossa on ainakin <b>10 satunnaista mekkiä</b> tai <b>kahdeksan sanaa</b>. - + Encrypt wallet Salaa lompakko - + This operation needs your wallet passphrase to unlock the wallet. Tätä toimintoa varten sinun täytyy antaa lompakon salasana sen avaamiseksi. - + Unlock wallet Avaa lompakko - + This operation needs your wallet passphrase to decrypt the wallet. Tätä toimintoa varten sinun täytyy antaa lompakon salasana salauksen purkuun. - + Decrypt wallet Pura lompakon salaus - + Change passphrase Vaihda salasana - + Enter the old and new passphrase to the wallet. Anna vanha ja uusi salasana. - + Confirm wallet encryption Vahvista lompakon salaus - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! - Varoitus: Jos salaat lompakon ja unohdat salasanan, -<b>MENETÄT KAIKKI DASHISI</b>! + Varoitus: Jos salaat lompakon ja unohdat salasanan, <b>MENETÄT KAIKKI DASHisi</b>! - + Are you sure you wish to encrypt your wallet? Haluatko varmasti salata lompakkosi? - - + + Wallet encrypted Lompakko salattu - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. - Dash sulkeutuu nyt salauksen viimeistelyä varten. Muista että salaus pelkästään ei voi estää dashiesi varastamista jos koneesi saastuu haittaohjelmilla tai viruksilla. + Dash sulkeutuu nyt salauksen viimeistelyä varten. Muista että salaus pelkästään ei voi estää Dashiesi varastamista jos koneesi saastuu haittaohjelmilla tai viruksilla. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. TÄRKEÄÄ: Kaikki vanhat lompakon varmuuskopiot pitäisi korvata uusilla salatuilla varmuuskopioilla. Turvallisuussyistä edelliset salaamattomat varmuuskopiot muuttuvat turhiksi kun aloitat uuden salatun lompakon käytön. - - - - + + + + Wallet encryption failed Lompakon salaus epäonnistui - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Lompakon salaaminen epäonnistui sisäisen virheen vuoksi. Lompakkoasi ei salattu. - - + + The supplied passphrases do not match. Annetut salasanat eivät täsmää. - + Wallet unlock failed Lompakon avaaminen epäonnistui. - - - + + + The passphrase entered for the wallet decryption was incorrect. Annettu salasana oli väärä. - + Wallet decryption failed Lompakon salauksen purku epäonnistui. - + Wallet passphrase was successfully changed. Lompakon salasana vaihdettiin onnistuneesti. - - + + Warning: The Caps Lock key is on! Varoitus: Caps Lock on käytössä! @@ -362,437 +294,425 @@ Käännös päivitetty: 29.3.2015 by AjM. BitcoinGUI - + + Dash Core Dash Core - + Wallet Lompakko - + Node Solmu - [testnet] - [testiverkko] - - - + &Overview &Yleisnäkymä - + Show general overview of wallet Lompakon tilanteen yleisnäkymä - + &Send &Lähetä - + Send coins to a Dash address Lähetä varoja Dash osoitteeseen - + &Receive &Vastaanota - + Request payments (generates QR codes and dash: URIs) Pyydä maksuja (Luo QR koodit ja Dash: URIt) - + &Transactions &Tapahtumat - + Browse transaction history Selaa tapahtumahistoriaa - + E&xit L&opeta - + Quit application Sulje ohjelma - + &About Dash Core &Tietoja Dash Core:sta - Show information about Dash - Näytä tietoja Dash Core:sta - - - + Show information about Dash Core - + Näytä tietoja Dash Core:sta - - + + About &Qt Tietoja &Qt - + Show information about Qt Näytä tietoja QT:sta - + &Options... &Asetukset... - + Modify configuration options for Dash Muuta Dash asetuksia - + &Show / Hide &Näytä / Piilota - + Show or hide the main Window Näytä tai piilota Dash pääikkuna - + &Encrypt Wallet... &Salaa Lompakko... - + Encrypt the private keys that belong to your wallet Salaa yksityiset avaimet jotka kuuluvat lompakkoosi - + &Backup Wallet... &Varmuuskopioi Lompakko... - + Backup wallet to another location Varmuuskopioi lompakko toiseen sijaintiin - + &Change Passphrase... &Vaihda Salasana... - + Change the passphrase used for wallet encryption Vaihda lompakon salaukseen käytettävä salasana - + &Unlock Wallet... &Avaa Lompakko... - + Unlock wallet Avaa lompakko - + &Lock Wallet &Lukitse Lompakko - + Sign &message... &Allekirjoita Viesti... - + Sign messages with your Dash addresses to prove you own them Allekirjoita viestit Dash osoitteillasi todistaaksesi että omistat ne - + &Verify message... Tarkista &Viesti... - + Verify messages to ensure they were signed with specified Dash addresses Tarkista viestit ollaksesi varma että ne on allekirjoitettu määritetyillä Dash osoitteilla - + &Information T&ietoa - + Show diagnostic information Näytä diagnostiikka tietoja - + &Debug console - &Testausikkuna + &Testauskonsoli - + Open debugging console - Avaa testausikkuna + Avaa testauskonsoli - + &Network Monitor &Verkkoliikenne - + Show network monitor Näytä verkkoliikenne - + + &Peers list + &Peers Lista + + + + Show peers info + Näytä verkon peers tietoja + + + + Wallet &Repair + Lompakon &Korjaus + + + + Show wallet repair options + Näytä lompakon korjausvalinnat + + + Open &Configuration File Avaa &Asetustiedosto - + Open configuration file Avaa asetustiedosto - + + Show Automatic &Backups + Näytä Automaattiset &Varmistukset + + + + Show automatically created wallet backups + Näytä automaattisesti tehdyt lompakon varmistukset + + + &Sending addresses... &Lähettävät Osoitteet... - + Show the list of used sending addresses and labels Näytä lähettämiseen käytettyjen osoitteiden ja nimien lista - + &Receiving addresses... &Vastaanottavat Osoitteet... - + Show the list of used receiving addresses and labels Näytä vastaanottamiseen käytettyjen osoitteiden ja nimien lista - + Open &URI... Avaa &URI... - + Open a dash: URI or payment request Avaa Dash: URI tai maksupyyntö - + &Command-line options &Komentorivin valinnat - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Dash Core asiakasohjelma - + Processed %n blocks of transaction history. - - - - + Käsitelty %n lohko tapahtumahistoriasta.Käsitelty %n lohkoa tapahtumahistoriasta. + Show the Dash Core help message to get a list with possible Dash command-line options - Näytä Dash Core ohjelista komentorivin valinnoista + Näytä Dash Core ohjelista komentorivin valinnoista - + &File &Tiedosto - + &Settings &Asetukset - + &Tools &Työkalut - + &Help &Apua - + Tabs toolbar Välilehtipalkki - - Dash client - Dash asiakasohjelma - - + %n active connection(s) to Dash network - - %n aktiivista yhteyttä Dash verkkoon - %n aktiivista yhteyttä Dash verkkoon - + %n aktiivinen yhteys Dash verkkoon%n aktiivista yhteyttä Dash verkkoon - + Synchronizing with network... Synkronoidaan verkkoon... - + Importing blocks from disk... Tuodaan lohkoja levyltä... - + Reindexing blocks on disk... Uudelleen indeksoidaan lohkoja... - + No block source available... Lohkojen lähdettä ei saatavilla... - Processed %1 blocks of transaction history. - Käsitelty %1 lohkoa tapahtumahistoriasta. - - - + Up to date Tapahtumahistoria on ajan tasalla - + %n hour(s) - - %n tunti(a) - %n tunti(a) - + %n tunti%n tuntia - + %n day(s) - - %n päivä(ä) - %n päivä(ä) - + %n päivä%n päivää - - + + %n week(s) - - %n viikko(a) - %n viikko(a) - + %n viikko%n viikkoa - + %1 and %2 %1 ja %2 - + %n year(s) - - %n vuosi(a) - %n vuosi(a) - + %n vuosi%n vuotta - + %1 behind %1 jäljessä - + Catching up... Saavutetaan verkkoa... - + Last received block was generated %1 ago. Viimeisin vastaanotettu lohko luotu %1 sitten. - + Transactions after this will not yet be visible. Tämän jälkeiset siirtotapahtumat eivät ole vielä näkyvissä. - - Dash - Dash - - - + Error Virhe - + Warning Varoitus - + Information Tietoa - + Sent transaction Lähetetty siirtotapahtuma - + Incoming transaction Saapuva siirtotapahtuma - + Date: %1 Amount: %2 Type: %3 @@ -805,30 +725,25 @@ Osoite: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> Lompakko on <b>salattu</b> ja tällä hetkellä <b>avoinna</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Lompakko on <b>salattu</b> ja tällä hetkellä <b>avoinna</b> vain anonymisointia varten - + Wallet is <b>encrypted</b> and currently <b>locked</b> Lompakko on <b>salattu</b> ja tällä hetkellä <b>lukittu</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Vakava virhe tapahtunut. Dash ei voi enää toimia turvallisesti ja sulkeutuu. - ClientModel - + Network Alert Verkkohälytys @@ -836,333 +751,302 @@ Osoite: %4 CoinControlDialog - Coin Control Address Selection - Kolikkokontrollin osoitteen valinta - - - + Quantity: Määrä: - + Bytes: Tavuja: - + Amount: Määrä: - + Priority: Prioriteetti: - + Fee: - Palkkio: + Siirtomaksu: - Low Output: - Pieni Tuotos - - - + Coin Selection - + Kolikko Valinta - + Dust: - + Tomu: - + After Fee: - Palkkion jälkeen: + Siirtomaksun jälkeen: - + Change: Vaihtoraha: - + (un)select all Poista kaikki valinnat - + Tree mode Puurakenne - + List mode Listarakenne - + (1 locked) (1 lukittu) - + Amount Määrä - + Received with label - + Vastaanotettu nimellä - + Received with address - + Vastaanotettu osoitteeseen - Label - Nimi - - - Address - Osoite - - - + Darksend Rounds Darksend Kierrokset - + Date Päivämäärä - + Confirmations Vahvistuksia - + Confirmed Vahvistettu - + Priority Prioriteetti - + Copy address Kopioi osoite - + Copy label Kopioi nimi - - + + Copy amount Kopioi määrä - + Copy transaction ID Kopioi siirtotunnus - + Lock unspent Lukitse käyttämättömät - + Unlock unspent Avaa käyttämättömät - + Copy quantity Kopioi määrä - + Copy fee - Kopioi palkkio + Kopioi siirtomaksu - + Copy after fee - Kopioi palkkion jälkeen + Kopioi siirtomaksun jälkeen - + Copy bytes Kopioi tavut - + Copy priority Kopioi prioriteetti - + Copy dust - + Kopioi tomu - Copy low output - Kopioi pieni tuotos - - - + Copy change Kopioi vaihtoraha - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Ei anonyymeja syötteitä valittu. <b>Darksend poistetaan käytöstä.</b><br><br>Jos silti haluat käyttää Darksend:iä, poista ei anonyymit valinnat ensin ja valitse uudelleen Darksend optio. + + + highest korkein - + higher korkeampi - + high korkea - + medium-high keski-korkea - + Can vary +/- %1 satoshi(s) per input. - + Voi vaihdella +/- %1 duff(s) per syöte. - + n/a e/s - - + + medium keskisuuri - + low-medium pieni-keskisuuri - + low pieni - + lower pienempi - + lowest pienin - + (%1 locked) (%1 lukittu) - + none ei mitään - Dust - Tomu - - - + yes kyllä - - + + no ei - + This label turns red, if the transaction size is greater than 1000 bytes. Tämä nimi muuttuu punaiseksi jos siirtotapahtuman koko on suurempi kuin 1000 tavua. - - + + This means a fee of at least %1 per kB is required. - Tämä tarkoittaa että vähintään %1 per kB palkkio on pakollinen. + Tämä tarkoittaa että vähintään %1 per kB siirtomaksu on pakollinen. - + Can vary +/- 1 byte per input. Voi vaihdella +/- 1 tavu per syöte - + Transactions with higher priority are more likely to get included into a block. Siirtotapahtumat korkeammalla prioriteetilla sisällytetään varmemmin lohkoon. - + This label turns red, if the priority is smaller than "medium". Tämä nimi muuttuu punaiseksi jos prioriteetti on pienempi kuin "keskisuuri". - + This label turns red, if any recipient receives an amount smaller than %1. Tämä nimi muuttuu punaiseksi jos vastaanottaja saa pienemmän määrän kuin %1 - This means a fee of at least %1 is required. - Tämä tarkoittaa että vähintään %1 palkkio on pakollinen. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Maksumäärät alle 0.546 kertaa vähimmäispalkkion näytetään tomuna. - - - This label turns red, if the change is smaller than %1. - Tämä nimi muuttuu punaiseksi jos vaihtoraha on alle %1. - - - - + + (no label) (ei nimeä) - + change from %1 (%2) Vaihda %1 (%2) - + (change) (vaihtoraha) @@ -1170,84 +1054,84 @@ Osoite: %4 DarksendConfig - + Configure Darksend Darksend Asetukset - + Basic Privacy Perustason Yksityisyys - + High Privacy Korkean tason Yksityisyys - + Maximum Privacy Maksimaalinen Yksityisyys - + Please select a privacy level. Valitse yksityisyyden taso. - + Use 2 separate masternodes to mix funds up to 1000 DASH Käytä 2 erillistä masternodea sekoittaaksesi varoja - + Use 8 separate masternodes to mix funds up to 1000 DASH Käytä 8 erillistä masternodea sekoittaaksesi varoja - + Use 16 separate masternodes Käytä 16 erillistä masternodea - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Tämä vaihtoehto on nopein ja maksaa noin ~0.025 DASH kun anonymisoidaan 1000 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Tämä vaihtoehto on keskinopea ja maksaa noin ~0.05 DASH kun anonymisoidaan 1000 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH maksu per 1000 DASH jonka anonymisoit. - + This is the slowest and most secure option. Using maximum anonymity will cost Tämä vaihtoehto on hitain ja kaikkein anonyymi. Suurimman yksityisyyden käyttö maksaa - - - + + + Darksend Configuration Darksend Asetukset - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend on asetettu perusasetuksiin (%1 and 2 kierrosta). Voit muuttaa asetuksia milloin vain Dash asetuksista. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend on asetettu keskitason asetuksiin (%1 and 8 kierrosta). Voit muuttaa asetuksia milloin vain Dash asetuksista. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend on asetettu maksimitason asetuksiin (%1 and 16 kierrosta). Voit muuttaa asetuksia milloin vain Dash asetuksista. @@ -1255,67 +1139,67 @@ Osoite: %4 EditAddressDialog - + Edit Address Muokkaa osoitetta - + &Label &Nimi - + The label associated with this address list entry Tähän osoitteeseen liitetty nimi - + &Address &Osoite - + The address associated with this address list entry. This can only be modified for sending addresses. Osoite liitettynä tähän osoitekirjan alkioon. Tämä voidaan muokata vain lähetysosoitteissa. - + New receiving address Uusi vastaanottava osoite - + New sending address Uusi lähettävä osoite - + Edit receiving address Muokkaa vastaanottavaa osoitetta - + Edit sending address Muokkaa lähettävää osoitetta - + The entered address "%1" is not a valid Dash address. Annettu osoite "%1" ei ole pätevä Dash osoite. - + The entered address "%1" is already in the address book. Osoite "%1" on jo osoitekirjassa. - + Could not unlock wallet. Lompakkoa ei voitu avata. - + New key generation failed. Uuden avaimen luonti epäonnistui. @@ -1323,27 +1207,27 @@ Osoite: %4 FreespaceChecker - + A new data directory will be created. - Luodaan uusi datakansio. + Luodaan uusi datahakemisto. - + name Nimi - + Directory already exists. Add %1 if you intend to create a new directory here. Hakemisto on jo olemassa. Lisää %1 jos tarkoitus on luoda hakemisto tänne. - + Path already exists, and is not a directory. - Polku on jo olemassa, eikä se ole kansio. + Polku on jo olemassa, eikä se ole hakemisto. - + Cannot create data directory here. Ei voida luoda datahakemistoa tänne. @@ -1351,72 +1235,68 @@ Osoite: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Komentorivi vaihtoehdot - - - + Dash Core Dash Core - + version versio - - + + (%1-bit) - (%1-bit) + (%1-bitti) - + About Dash Core - Tietoja Dash Core:sta + Tietoja Dash Core:sta - + Command-line options - + Komentorivin valinnat - + Usage: Käyttö: - + command-line options komentorivi parametrit - + UI options Käyttöliittymän asetukset - + Choose data directory on startup (default: 0) - Valitse data-hakemisto käynnistyksessä (oletus: 0) + Valitse datahakemisto käynnistyksessä (oletus: 0) - + Set language, for example "de_DE" (default: system locale) Aseta kieli, esim. "fi_FI" (oletus: sama kuin järjestelmän) - + Start minimized Käynnistä pienennettynä - + Set SSL root certificates for payment request (default: -system-) Aseta SSL root varmenne maksupyynnöille (oletus: -system-) - + Show splash screen on startup (default: 1) Näytä aloitusruutu käynnistettäessä (oletus: 1) @@ -1424,108 +1304,86 @@ Osoite: %4 Intro - + Welcome Tervetuloa - + Welcome to Dash Core. Dash Core - Tervetuloa. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Koska tämä on ensimmäinen kerta kun ohjelma käynnistetään, voit valita minne Dash Core tallettaa datansa. Varoitus: Jos käytät käyttöjärjestelmää (Live os) suoraan usb, dvd tai cd levyltä, ohjaa talletettava data eri levyasemalle turvalliseen paikkaan. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. Dash Core lataa ja tallettaa kopion lohkoketjusta. Vähintään %1GB dataa talletetaan tähän hakemistoon, ja se myös kasvaa ajan myötä. Myös lompakko talletetaan tähän hakemistoon. - + Use the default data directory Käytä oletushakemistoa - + Use a custom data directory: Määritä oma hakemisto: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Virhe: Annettua data-hakemistoa "%1" ei voida luoda. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Virhe: Annettua datahakemistoa "%1" ei voida luoda. - + Error Virhe - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 GB vapaata levytilaa - GB of free space available - GB vapaata levytilaa - - - (of %1GB needed) - (tarvitaan %1GB) + + (of %1 GB needed) + (tarvitaan %1GB) OpenURIDialog - + Open URI Avaa URI - + Open payment request from URI or file Avaa maksupyyntö URI:sta tai tiedostosta - + URI: URI: - + Select payment request file Valitse maksupyynnön tiedosto - + Select payment request file to open Valitse avattava maksypyynnön tiedosto @@ -1533,313 +1391,281 @@ Varoitus: Jos käytät käyttöjärjestelmää (Live os) suoraan usb, dvd tai cd OptionsDialog - + Options Asetukset - + &Main &Yleiset - + Automatically start Dash after logging in to the system. Käynnistä Dash automaattisesti kun järjestelmään kirjaudutaan. - + &Start Dash on system login &Käynnistä Dash järjestelmään kirjauduttaessa - + Size of &database cache &Tietokannan välimuistin koko - + MB MB - + Number of script &verification threads Script &vahvistuksien säikeiden määrä - + (0 = auto, <0 = leave that many cores free) (0 = auto, <0 = jätä näin monta prosessorin ydintä vapaaksi) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Tämä asetus määrittää kuinka monen erillisen masternoden kautta syötteen anonymisointi tehdään. Mitä enemmän anonymisoinnin kierroksia, sen parempi yksityisyys, mutta se myös maksaa enemmän siirtomaksuina.</p></body></html> - + Darksend rounds to use Kuinka montaa Darksend kierrosta käytetään - + This amount acts as a threshold to turn off Darksend once it's reached. Tämä määrä toimii rajana keskeytykselle kun Darksend anonymisointi sen saavuttaa. - + Amount of Dash to keep anonymized Dash määrä joka pidetään anonymisoituna - + W&allet &Lompakko - + Accept connections from outside - + Hyväksy yhteydet ulkopuolelta - + Allow incoming connections - + Salli sisään tulevat yhteydet - + Connect to the Dash network through a SOCKS5 proxy. - + Kytkeydy Dash verkkoon käyttäen SOCKS5 proxy:a. - + &Connect through SOCKS5 proxy (default proxy): - + &Yhdistä SOCKS5 proxyn kautta (oletus: proxy): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Valinnainen siirtopalkkio per kB auttaa varmistamaan että siirtotapahtumasi prosessoidaan nopeasti. Useimmat siirtotapahtumat ovat alle 1 kB. - - - Pay transaction &fee - Maksa siirtotapahtuman &palkkio - - - + Expert Expertti - + Whether to show coin control features or not. Näytetäänkö kolikkokontrollin ominaisuuksia vai ei - + Enable coin &control features Ota käytöön &kolikkokontrolli ominaisuudet - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Jos poistat vahvistamattomien vaihtorahojen käytön, siirtotapahtuman vaihtorahaa ei voida käyttää ennen vähintään yhtä vahvistusta. Tämä vaikuttaa myös kuinka saldosi lasketaan. - + &Spend unconfirmed change &Käytä vahvistamattomia vaihtorahoja - + &Network &Verkko - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Avaa automaattisesti Dash asiakasohjelmalle portti reitittimeen. Tämä toimii vain jos reitittimesi tukee UPnP:tä ja se on käytössä. - + Map port using &UPnP Kartoita portti käyttäen &UPnP:tä - Connect to the Dash network through a SOCKS proxy. - Kytkeydy Dash verkkoon käyttäen SOCKS proxy:a. - - - &Connect through SOCKS proxy (default proxy): - &Yhdistä SOCKS proxyn kautta (oletus: proxy): - - - + Proxy &IP: Proxy &IP - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) IP osoite proxy:lle (esim. IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Portti - + Port of the proxy (e.g. 9050) Proxyn portti (esim. 9050) - SOCKS &Version: - SOCKS &Versio - - - SOCKS version of the proxy (e.g. 5) - Proxy:n SOCKS versio (esim. 5) - - - + &Window &Ikkuna - + Show only a tray icon after minimizing the window. Näytä ainoastaan ikoni ilmaisinalueella ikkunan pienentämisen jälkeen. - + &Minimize to the tray instead of the taskbar &Pienennä ilmaisinalueelle työkalurivin sijasta - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Ikkunaa suljettaessa pienennä Dash asiakasohjelman ikkuna lopettamatta itse ohjelmaa. Kun tämä asetus on valittuna, ohjelman voi sulkea vain valitsemalla Lopeta ohjelman valikosta. - + M&inimize on close P&ienennä suljettaessa - + &Display &Käyttöliittymä - + User Interface &language: &Käyttöliittymän kieli - + The user interface language can be set here. This setting will take effect after restarting Dash. Käyttöliittymän kieli asetetaan tässä, Asetus tulee voimaan kun Dash asiakasohjelma käynnistetään uudelleen. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Puuttuuko sopiva kieli tai käännös on kesken? Auta käännöstyössä täällä: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + &Käyttöliittymän Teema: - + &Unit to show amounts in: Yksikkö joina määrät näytetään - + Choose the default subdivision unit to show in the interface and when sending coins. Valitse mitä yksikköä käytetään ensisijaisesti varojen määrien näyttämiseen. - Whether to show Dash addresses in the transaction list or not. - Näytetäänkö Dash osoitteet siirtotapahtumalistassa vai ei. - - - &Display addresses in transaction list - &Näytä osoitteet siirtotapahtumalistassa - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. Ulkopuoliset URL-osoitteet (esim. lohkoselain,) jotka esiintyvät tapahtumat-välilehdellä valikossa. %s URL-osoitteessa korvataan siirtotunnuksella. Useampi URL-osoite on eroteltu pystyviivalla |. - + Third party transaction URLs Kolmannen osapuolen siirtotapahtuma URL:t - + Active command-line options that override above options: Aktiiviset komentorivivalinnat jotka ohittavat ylläolevat valinnat: - + Reset all client options to default. Palauta kaikki asetukset oletusarvoihin. - + &Reset Options &Palauta Asetukset - + &OK &OK - + &Cancel &Peruuta - + default oletus - + none ei mitään - + Confirm options reset Vahvista asetusten palautus - - + + Client restart required to activate changes. Ohjelman uudelleen käynnistys aktivoi muutokset käyttöön. - + Client will be shutdown, do you want to proceed? Ohjelma suljetaan, haluatko jatkaa? - + This change would require a client restart. Tämä muutos vaatii ohjelman uudelleen käynnistyksen. - + The supplied proxy address is invalid. Antamasi proxyn osoite on virheellinen. @@ -1847,368 +1673,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Lomake - Wallet - Lompakko - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. Näytetyt tiedot eivät välttämättä ole ajan tasalla. Lompakkosi synkronoituu automaattisesti Dash verkkoon kun yhteys on muodostettu, mutta tämä prosessi ei vielä ole valmis. - + Available: Käytettävissä: - + Your current spendable balance Nykyinen käytettävissä oleva saldo - + Pending: Vahvistamatta: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Vahvistamattomien siirtotapahtumien summa, jota ei vielä lasketa käytettävissä olevaan saldoon - + Immature: - Vahvistamatta: + Kypsymättä: - + Mined balance that has not yet matured Louhittu saldo, joka ei ole vielä kypsynyt - + Balances - + Saldot - + Unconfirmed transactions to watch-only addresses - + Vahvistamattomat tapahtumat vain-luku osoitteisiin - + Mined balance in watch-only addresses that has not yet matured - + Louhittu saldo vain-luku osoitteisiin, joka ei ole vielä kypsynyt - + Total: Saldo Yhteensä: - + Your current total balance Saldo yhteensä tällä hetkellä - + Current total balance in watch-only addresses - + Saldo yhteensä vain-luku osoitteissa - + Watch-only: - + Vain-luku: - + Your current balance in watch-only addresses - + Nykyinen käytettävissä oleva saldo vain-luku osoitteissa - + Spendable: - + Käytettävissä: - + Status: Tila: - + Enabled/Disabled Käytössä/Ei käytössä - + Completion: Valmiina: - + Darksend Balance: Darksend Saldo: - + 0 DASH 0 DASH - + Amount and Rounds: Määrä ja Kierrokset: - + 0 DASH / 0 Rounds 0 DASH / 0 Kierrosta - + Submitted Denom: Lähetetyt Denom: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Masternodelle lähetetyt denominoinnit. Jotta sekoitus onnistuisi, täytyy muiden käyttäjien käyttää saman arvoisia denominointeja. - - - + n/a e/s - - - - + + + + Darksend Darksend - + Recent transactions - + Viimeisimmät tapahtumat - + Start/Stop Mixing Käynnistä/Lopeta Sekoitus - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Masternodelle lähetetyt denominoinnit.<br>Jotta sekoitus onnistuisi, täytyy muiden käyttäjien käyttää saman arvoisia denominointeja. + + + (Last Message) (Viimeisin Viesti) - + Try to manually submit a Darksend request. Yritä manuaalisesti esittää Darksend sekoituspyyntö. - + Try Mix Yritä Sekoittaa - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Nollaa nykyinen Darksend tila (voi keskeyttää Darksend sekoituksen, joka voi maksaa ylimääräisiä kuluja) - + Reset Nollaus - <b>Recent transactions</b> - <b>Viimeisimmät tapahtumat</b> - - - - - + + + out of sync Ei ajan tasalla - - + + + + Disabled Ei käytössä - - - + + + Start Darksend Mixing Käynnistä Darksend Sekoitus - - + + Stop Darksend Mixing Lopeta Darksend Sekoitus - + No inputs detected Syötteitä ei havaittu + + + + + %n Rounds + %n Kierros%n Kierrosta + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Löytyi vahvistamattomia syötteitä, odotetaan että ne vahvistetaan uudelleen laskentaa varten. - - - Rounds - Kierrosta + + + Progress: %1% (inputs have an average of %2 of %n rounds) + Valmiina: %1% (syötteillä on keskimäärin %2 kierrosta %n:sta kierroksesta)Valmiina: %1% (syötteillä on keskimäärin %2 kierrosta %n:sta kierroksesta) - + + Found enough compatible inputs to anonymize %1 + Löytyi tarpeeksi yhteensopivia syötteitä anonymisointiin %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Ei tarpeeksi yhteensopivia syötteitä anonymisointiin <span style='color:red;'>%1</span>,<br/>anonymisoidaan <span style='color:red;'>%2</span> sen sijaan + + + Enabled Käytössä - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Viimeisin Darksend viesti: - - - Darksend is idle. - Darksend odottaa. - - - - Mixing in progress... - Sekoitus käynnissä... - - - - Darksend request complete: Your transaction was accepted into the pool! - Darksend pyyntö valmis: Tapahtuma on hyväksytty varantoon! - - - - Submitted following entries to masternode: - Esitettiin seuraavia merkintöjä masternodelle: - - - Submitted to masternode, Waiting for more entries - Esitetty masternodelle, odotetaan lisää merkintöjä - - - - Found enough users, signing ... - Löytyi tarpeeksi käyttäjiä, kirjaudutaan ... - - - Found enough users, signing ( waiting. ) - Löytyi tarpeeksi käyttäjiä, kirjaudutaan (odotetaan.) - - - Found enough users, signing ( waiting.. ) - Löytyi tarpeeksi käyttäjiä, kirjaudutaan (odotetaan..) - - - Found enough users, signing ( waiting... ) - Löytyi tarpeeksi käyttäjiä, kirjaudutaan (odotetaan...) - - - - Transmitting final transaction. - Lähetetään viimeistä siirtotapahtumaa. - - - - Finalizing transaction. - Viimeistellään siirtotapahtumaa. - - - - Darksend request incomplete: - Darksend pyyntö kesken: - - - - Will retry... - Yritetään uudelleen... - - - - Darksend request complete: - Darksend pyyntö valmis: - - - Submitted to masternode, waiting in queue . - Esitetty masternodelle, odotetaan . - - - Submitted to masternode, waiting in queue .. - Esitetty masternodelle, odotetaan .. - - - Submitted to masternode, waiting in queue ... - Esitetty masternodelle, odotetaan ... - - - - Unknown state: - Tuntematon tila: - - - + N/A e/s - + Darksend was successfully reset. Darksend nollattu onnistuneesti. - + Darksend requires at least %1 to use. Darksendin käyttö vaatii vähintään %1. - + Wallet is locked and user declined to unlock. Disabling Darksend. Lompakko on lukittu ja käyttäjä ei avannut sitä. Darksend asetetaan pois käytöstä. @@ -2216,141 +1948,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Maksupyyntövirhe - + Cannot start dash: click-to-pay handler - Ei voi käynnistää dashia: click-to-pay handler + Ei voi käynnistää Dashia: click-to-pay handler - Net manager warning - Verkkohallinnan varoitus - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Aktiivinen proxy:si ei tue SOCKS5, joka on pakollinen maksupyynnöissä proxyn kautta. - - - - - + + + URI handling URI käsittely - + Payment request fetch URL is invalid: %1 Maksupyynnön haku URL on virheellinen: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - URI:a ei voida jäsentää! Tämä voi johtua virheellisestä Dash osoitteesta tai virheellisestä URI:n muuttujasta. - - - + Payment request file handling Maksupyynnön tiedoston käsittely - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Maksupyynnön tiedostoa ei voida lukea tai prosessoida! Tämä voi johtua virheellisestä maksupyyntötiedostosta. - - - + Invalid payment address %1 - Virheellinen maksuosoite %1 + Virheellinen maksuosoite %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + URI:a ei voida jäsentää! Tämä voi johtua virheellisestä Dash osoitteesta tai virheellisestä URI:n muuttujasta. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Maksupyynnön tiedostoa ei voida lukea! Tämä voi johtua virheellisestä maksupyyntötiedostosta. - - - + + + Payment request rejected - + Maksupyyntö hylätty - + Payment request network doesn't match client network. - + Maksupyynnon verkko ei täsmää asiakasverkkon kanssa. - + Payment request has expired. - + Maksupyyntö on vanhentunut. - + Payment request is not initialized. - + Maksupyyntö ei ole alustettu. - + Unverified payment requests to custom payment scripts are unsupported. Vahvistamattomia maksupyyntöjä kustomoituun maksupalvelun scripteihin ei tueta. - + Requested payment amount of %1 is too small (considered dust). Maksupyyntö %1 on liian pieni (lasketaan tomuksi). - + Refund from %1 Maksupalautus %1:sta - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Maksupyyntö %1 on liian iso (%2 tavua, sallitusta %3 tavusta). - + Payment request DoS protection - + Maksupyyntö DoS suojaus - + Error communicating with %1: %2 Virhe kommunikoidessa %1: %2 - + Payment request cannot be parsed! - + Maksupyyntöä ei voida jäsentää! - Payment request can not be parsed or processed! - Maksupyyntöä ei voida jäsentää tai prosessoida! - - - + Bad response from server %1 Epäkelpo vastaus palvelimelta %1 - + Network request error Tietoverkon pyyntövirhe - + Payment acknowledged Rahansiirto tunnistettu @@ -2358,139 +2070,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Osoite/Insäntänimi - + User Agent - + Käyttäjäohjelma - + Ping Time - + Vastausaika QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Virhe: Annettua data-hakemistoa "%1" ei ole olemassa. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Virhe: Ei voida jäsentää asetustiedostoa: %1. Käytä vain avain=arvo syntaksia. - - - - Error reading masternode configuration file: %1 - Virhe luettaessa masternoden asetustiedostoa: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Virhe: Virheellinen yhdistelmä -regtest ja -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core ei ole vielä sulkeutunut turvallisesti... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Syötä Dash osoite (esim. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Määrä + Määrä - + Enter a Dash address (e.g. %1) - + Syötä Dash osoite (esim. %1) - + %1 d - + %1 d - + %1 h - %1 h + %1 h - + %1 m - %1 m + %1 m - + %1 s - + %1 s - + NETWORK - + VERKKO - + UNKNOWN - + TUNTEMATON - + None - + Ei mitään - + N/A - e/s + e/s - + %1 ms - + %1 ms QRImageWidget - + &Save Image... &Tallenna Kuva... - + &Copy Image &Kopioi kuva - + Save QR Code Tallenna QR-koodi - + PNG Image (*.png) PNG kuva (*.png) @@ -2498,436 +2169,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Työkaluikkuna - + &Information T&ietoa - + Masternode Count Masternodet määrä - + General Yleinen - + Name Nimi - + Client name Asiakasohjelman nimi - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A e/s - + Number of connections Yhteyksien määrä - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Avaa Dash debug lokitiedosto nykyisestä datahakemistosta. Tämä saattaa kestää muutaman sekunnin isoilla tiedostoilla. - + &Open &Avaa - + Startup time Käynnistysaika - + Network Verkko - + Last block time Viimeisimmän lohkon aika - + Debug log file Debug lokitiedosto - + Using OpenSSL version - Käytössä oleva OpenSSL-versio + Käytössä oleva OpenSSL versio - + Build date Ohjelman päiväys - + Current number of blocks Nykyinen lohkojen määrä - + Client version Asiakasohjelman versio - + Using BerkeleyDB version - + Käytössä oleva BerkeleyDB versio - + Block chain Lohkoketju - + &Console &Konsoli - + Clear console Tyhjennä konsoli - + &Network Traffic &Verkkoliikenne - + &Clear &Tyhjennä - + Totals Yhteensä - + Received - + Vastaanotettu - + Sent - + Lähetetty - + &Peers - + &Peers - - - + + + Select a peer to view detailed information. - + Valitse peer nähdäksesi tarkempia tietoja. - + Direction - + Suunta - + Version - + Versio - + User Agent - + Käyttäjäohjelma - + Services - + Palvelut - + Starting Height - + Aloituskorkeus - + Sync Height - + Synkronointikorkeus - + Ban Score - + Kieltopisteet - + Connection Time - + Yhteysaika - + Last Send - + Viimeinen lähetys - + Last Receive - + Viimeinen vastaanotto - + Bytes Sent - + Tavuja lähetetty - + Bytes Received - + Tavuja vastaanotettu - + Ping Time - + Vastausaika - + + &Wallet Repair + &Lompakon Korjaus + + + + Salvage wallet + Pelasta lompakko + + + + Rescan blockchain files + Skannaa uudelleen lohkoketju + + + + Recover transactions 1 + Palauta tapahtumat 1 + + + + Recover transactions 2 + Palauta tapahtumat 2 + + + + Upgrade wallet format + Päivitä lompakon formaatti + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + Painikkeet käynnistävät lompakon korjauksen komentorivin valintoja käyttäen, korjaa korruptoituneen lohkoketjun tai puuttuvat / vanhentuneet tapahtumat. + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: Yrittää pelastaa yksityiset avaimet viallisesta lompakkotiedostosta. + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Skannaa uudelleen puuttuvat tapahtumat lohkoketjusta. + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Palauta tapahtumat lohkoketjusta (pidä meta-data, esim. tilin omistaja). + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Palauta tapahtumat lohkoketjusta (poista meta-data). + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + -upgradewallet: Päivitä lompakko viimeisimpään formaattiin. (Huom: tämä EI päivitä varsinaista lompakko-ohjelmistoa!) + + + + Wallet repair options. + Lompakon korjausvalinnat + + + + Rebuild index + Rakenna indeksi uudelleen + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -reindex: Rakenna uudelleen lohkoketjun indeksi nykyisistä blk000??.dat tiedostoista. + + + In: Sisään: - + Out: Ulos: - + Welcome to the Dash RPC console. Tervetuloa Dash RPC konsoliin. - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Ylös- ja alas-nuolet selaavat historiaa ja <b>Ctrl-L</b> tyhjentää ruudun. - + Type <b>help</b> for an overview of available commands. Kirjoita <b>help</b> nähdäksesi käytettävissä olevat komennot. - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + kautta %1 - - + + never - + ei koskaan - + Inbound - + Saapuva - + Outbound - + Lähtevä - + Unknown - + Tuntematon - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + Haetaan... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Uudelleenkäytä yksi vanhoista vastaanottavista osoitteista. Uudelleenkäyttössä on turvallisuus- ja yksityisyysongelmia. Älä käytä tätä ellet ole uudelleenluomassa aikaisempaa maksupyyntöä. - + R&euse an existing receiving address (not recommended) &Uudelleenkäytä vastaanottavaa osoitetta (ei suositella) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Valinnainen viesti liitettäväksi maksupyyntöön, joka näytetään kun pyyntö on avattu. Huomio: Viestiä ei lähetetä maksun mukana Dash verkkoon. + Valinnainen viesti liitettäväksi maksupyyntöön, joka näytetään kun pyyntö on avattu. Huomio: Viestiä ei lähetetä maksun mukana Dash verkkoon. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Viesti: - - + + An optional label to associate with the new receiving address. Valinnainen nimi liitetään uuteen vastaanottavaan osoitteeseen. - + Use this form to request payments. All fields are <b>optional</b>. Käytä tätä lomaketta maksupyyntöihin. Kaikki kentät ovat <b>valinnaisia</b>. - + &Label: &Nimi: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Valinnainen pyyntömäärä. Jätä tyhjäksi tai nollaksi jos et pyydä tiettyä määrää. - + &Amount: &Määrä - + &Request payment &Vastaanota maksu - + Clear all fields of the form. Tyhjennä lomakkeen kaikki kentät. - + Clear Tyhjennä - + Requested payments history Pyydettyjen maksujen historia - + Show the selected request (does the same as double clicking an entry) Näytä valittu pyyntö (sama toiminta kuin alkion tuplaklikkaus) - + Show Näytä - + Remove the selected entries from the list Poista valitut alkiot listasta - + Remove Poista - + Copy label Kopioi nimi - + Copy message Kopioi viesti - + Copy amount Kopioi määrä @@ -2935,67 +2665,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code QR-koodi - + Copy &URI Kopioi &URI - + Copy &Address Kopioi &Osoite - + &Save Image... &Tallenna Kuva - + Request payment to %1 Vastaanota maksu %1 - + Payment information Maksutiedot - + URI URI - + Address Osoite - + Amount Määrä - + Label Nimi - + Message Viesti - + Resulting URI too long, try to reduce the text for label / message. Tuloksen URI liian pitkä, yritä lyhentää otsikon tekstiä / viestiä. - + Error encoding URI into QR Code. Virhe käännettäessä URI:a QR-koodiksi. @@ -3003,37 +2733,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Päivämäärä - + Label Nimi - + Message Viesti - + Amount Määrä - + (no label) (ei nimeä) - + (no message) (ei viestiä) - + (no amount) (ei määrää) @@ -3041,412 +2771,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Lähetä Dasheja - + Coin Control Features Kolikkokontrolli ominaisuudet - + Inputs... Sisääntulot... - + automatically selected automaattisesti valitut - + Insufficient funds! Lompakon saldo ei riitä! - + Quantity: Määrä: - + Bytes: Tavuja: - + Amount: Määrä: - + Priority: Prioriteetti: - + medium keskisuuri - + Fee: - Palkkio: + Siirtomaksu: - Low Output: - Pieni Tuotos: - - - + Dust: - + Tomu: - + no ei - + After Fee: - Palkkion jälkeen: + Siirtomaksun jälkeen: - + Change: Vaihtoraha: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Jos tämä aktivoidaan mutta vaihtorahan osoite on tyhjä tai virheellinen, vaihtoraha tullaan lähettämään uuteen luotuun osoitteeseen. - + Custom change address Kustomoitu vaihtorahan osoite - + Transaction Fee: - + Siirtomaksu: - + Choose... - + Valitse... - + collapse fee-settings - + pienennä siirtomaksu asetukset - + Minimize - + Pienennä - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Jos mukautettu siirtomaksu on asetettu 1000 duffs ja siirtotapahtuma on vain 250 tavua, tällöin "per kilotavu" maksaa vain 250 duffs siirtomaksun, kun taas "vähintään" maksaa 1000 duffs. Siirtotapahtumat jotka ovat isompia kuin kilotavu, molemmat maksaa "per kilotavu". - + per kilobyte - + per kilotavu - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Jos mukautettu siirtomaksu on asetettu 1000 duffs ja siirtotapahtuma on vain 250 tavua, tällöin "per kilotavu" maksaa vain 250 duffs siirtomaksun, kun taas "yhteensä vähintään" maksaa 1000 duffs. Siirtotapahtumat jotka ovat isompia kuin kilotavu, molemmat maksaa "per kilotavu". - + total at least - + yhteensä vähintään - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + Minimi siirtomaksun maksaminen on ok niin kauan kun siirtotapahtumien määrä on pienempi kuin tila lohkoissa. Mutta ota huomioon että tämä voi johtaa siirtotapahtumaan jota ei vahvisteta koskaan, jos siirtotapahtumia on enemmän kuin verkko voi käsitellä. - + (read the tooltip) - + (lue vinkki) - + Recommended: - + Suositeltava: - + Custom: - + Mukautettu: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + (Älykästä siirtomaksua ei ole alustettu vielä. Tämä kestää yleensä muutaman lohkon...) - + Confirmation time: - + Vahvistusaika: - + normal - + normaali - + fast - + nopea - + Send as zero-fee transaction if possible - + Lähetä nolla siirtomaksulla jos mahdollista - + (confirmation may take longer) - + (vahvistus voi kestää pidempään) - + Confirm the send action Lähetä klikkaamalla - + S&end &Lähetä - + Clear all fields of the form. Tyhjennä lomakkeen kaikki kentät. - + Clear &All &Tyhjennä Kaikki - + Send to multiple recipients at once Lähetä usealle vastaanottajalle samanaikaisesti - + Add &Recipient Lisää &Vastaanottaja - + Darksend Darksend - + InstantX InstantX - + Balance: Saldo: - + Copy quantity Kopioi määrä - + Copy amount Kopioi määrä - + Copy fee - Kopioi palkkio + Kopioi siirtomaksu - + Copy after fee - Kopioi palkkion jälkeen + Kopioi siirtomaksun jälkeen - + Copy bytes Kopioi tavut - + Copy priority Kopioi prioriteetti - Copy low output - Kopioi pieni tuotos - - - + Copy dust - + Kopioi tomu - + Copy change Kopioi vaihtoraha - - - + + + using käyttäen - - + + anonymous funds anonymisoituja varoja - + (darksend requires this amount to be rounded up to the nearest %1). (darksend pyöristää tämän lähimpään %1). - + any available funds (not recommended) kaikkia käytössä olevia varoja (ei suositeltu) - + and InstantX ja InstantX - - - - + + + + %1 to %2 %1 -> %2 - + Are you sure you want to send? Haluatko varmasti lähettää? - + are added as transaction fee lisätty siirtomaksuna - + Total Amount %1 (= %2) Yhteensä %1 (= %2) - + or tai - + Confirm send coins Hyväksy lähettäminen - Payment request expired - Maksupyyntö vanhentui + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Siirtomaksu %1 kertaa korkeampi kuin %2 per kB on erittäin korkea siirtomaksu. + + + + Estimated to begin confirmation within %n block(s). + Arvioitu vahvistuksen aloitus %n lohkon kuluessa.Arvioitu vahvistuksen aloitus %n lohkon kuluessa. - Invalid payment address %1 - Virheellinen maksuosoite %1 - - - + The recipient address is not valid, please recheck. Vastaanottajan osoite on virheellinen, tarkista osoite. - + The amount to pay must be larger than 0. Maksettavan summan tulee olla suurempi kuin 0. - + The amount exceeds your balance. Määrä ylittää käytettävissä olevan saldon. - + The total exceeds your balance when the %1 transaction fee is included. Summa yhteensä ylittää saldosi kun siihen lisätään siirtomaksu %1. - + Duplicate address found, can only send to each address once per send operation. Sama osoite toistuu useamman kerran, samaan osoitteeseen voi lähettää vain kerran per maksutapahtuma. - + Transaction creation failed! Siirtotapahtuman luonti epäonnistui! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Siirtotapahtuma hylättiin! Tämä saattaa tapahtua jos lompakossa olevat varat on jo kulutettu, kuten jos käytät kopiota wallet.dat tiedostosta ja varat oli jo käytetty mutta ei merkattu täällä. - + Error: The wallet was unlocked only to anonymize coins. Virhe: Lompakko on avattu vain anonymisointia varten. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Maksa vain minimi siirtomaksu %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Varoitus: Virheellinen Dash osoite - + Warning: Unknown change address Varoitus: Tuntematon vaihtorahan osoite - + (no label) (ei nimeä) @@ -3454,102 +3168,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Tämä on normaali maksu. - + Pay &To: Maksun &saaja: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Osoite johon maksu lähetetään (esim. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + Dash osoite johon maksu lähetetään - + Choose previously used address Valitse aikaisemmin käytetty osoite - + Alt+A Alt+A - + Paste address from clipboard Liitä osoite leikepöydältä - + Alt+P Alt+P - - - + + + Remove this entry Poista tämä alkio - + &Label: &Nimi: - + Enter a label for this address to add it to the list of used addresses Aseta nimi tälle osoitteelle lisätäksesi sen käytettyjen osoitteiden listalle. - - - + + + A&mount: M&äärä: - + Message: Viesti: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. - Viesti joka liitettiin dash: URI joka talletetaan siirtotapahtuman kanssa viitteeksi sinulle. Huomio: Tätä viestiä ei lähetetä Dash verkkoon. + Viesti joka liitettiin Dash: URI joka talletetaan siirtotapahtuman kanssa viitteeksi sinulle. Huomio: Tätä viestiä ei lähetetä Dash verkkoon. - + This is an unverified payment request. Tämä on vahvistamaton maksupyyntö - - + + Pay To: Saaja: - - + + Memo: Muistio: - + This is a verified payment request. Tämä on vahvistettu maksupyyntö. - + Enter a label for this address to add it to your address book Anna nimi tälle osoitteelle, jos haluat lisätä sen osoitekirjaan @@ -3557,206 +3267,194 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... Dash Core sulkeutuu... - + Do not shut down the computer until this window disappears. - Älä sammuta tietokonetta ennenkuin tämä ikkuna katoaa. + Älä sammuta tietokonetta ennen kuin tämä ikkuna katoaa. SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Allekirjoitukset - Allekirjoita / Tarkista viesti - + &Sign Message &Allekirjoita viesti - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Voit allekirjoittaa viestit omilla osoitteillasi todistaaksesi että omistat ne. Ole huolellinen että et allekirjoita mitään epämääräistä, phishing-hyökkäjä voi huijata sinua allekirjoittamaan henkilöllisyytesi omasta puolestaan. Allekirjoita vain yksityiskohtaisesti täytetty selvitys johon sitoudut. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Osoite jolla viesti allekirjoitetaan (esim. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + Dash osoite jolla viesti allekirjoitetaan - - + + Choose previously used address Valitse aikaisemmin käytetty osoite - - + + Alt+A Alt+A - + Paste address from clipboard Liitä osoite leikepöydältä - + Alt+P Alt+P - + Enter the message you want to sign here Kirjoita tähän viesti jonka haluat allekirjoittaa - + Signature Allekirjoitus - + Copy the current signature to the system clipboard Kopioi tämän hetkinen allekirjoitus leikepöydälle - + Sign the message to prove you own this Dash address Allekirjoita viesti todistaaksesi että omistat tämän Dash osoitteen - + Sign &Message Allekirjoita &viesti - + Reset all sign message fields Tyhjennä kaikki kentät - - + + Clear &All &Tyhjennä Kaikki - + &Verify Message &Tarkista viesti - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Syötä allekirjoittava osoite, viesti ja allekirjoitus alla oleviin kenttiin varmistaaksesi allekirjoituksen aitouden. Varmista että kopioit kaikki kentät täsmälleen oikein, myös rivinvaihdot, välilyönnit, tabulaattorit, jne. - + The Dash address the message was signed with - + Dash osoite jolla viesti on allekirjoitettu - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Osoite jolla viesti on allekirjoitettu (esim. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Tarkista että viesti on allekirjoitettu määritetyllä Dash osoitteella - + Verify &Message Tarkista &Viesti... - + Reset all verify message fields Tyhjennä kaikki kentät - + Click "Sign Message" to generate signature Klikkaa "Allekirjoita Viesti" luodaksesi allekirjoituksen - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Syötä Dash osoite (esim. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Syötetty osoite on virheellinen. - - - - + + + + Please check the address and try again. Tarkista osoite ja yritä uudelleen. - - + + The entered address does not refer to a key. Syötetyn osoitteen avainta ei löydy. - + Wallet unlock was cancelled. Lompakon avaaminen peruttiin. - + Private key for the entered address is not available. Yksityistä avainta syötetylle osoitteelle ei ole saatavilla. - + Message signing failed. Viestin allekirjoitus epäonnistui. - + Message signed. Viesti allekirjoitettu. - + The signature could not be decoded. Allekirjoitusta ei pystytty tulkitsemaan. - - + + Please check the signature and try again. Tarkista allekirjoitus ja yritä uudelleen. - + The signature did not match the message digest. Allekirjoitus ei täsmää viestin tiivisteeseen. - + Message verification failed. Viestin tarkistus epäonnistui. - + Message verified. Viesti tarkistettu. @@ -3764,27 +3462,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Versio %1 - + The Bitcoin Core developers Bitcoin Core kehittäjät - + The Dash Core developers Dash Core kehittäjät - + [testnet] [testiverkko] @@ -3792,7 +3490,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s KB/s @@ -3800,254 +3498,245 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - Avoinna %n lisälohkolle - Avoinna %n lisälohkolle - + Avoinna %n lisälohkolleAvoinna %n lisälohkolle - + Open until %1 Avoinna %1 asti - - - - + + + + conflicted ristiriitainen - + %1/offline (verified via instantx) %1/ei yhteyttä (vahvistettu instantx:lla) - + %1/confirmed (verified via instantx) %1/vahvistettu (vahvistettu instantx:lla) - + %1 confirmations (verified via instantx) %1 vahvistusta (vahvistettu instantx:lla) - + %1/offline %1/ei yhteyttä - + %1/unconfirmed %1/vahvistamaton - - + + %1 confirmations %1 vahvistusta - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/ei yhteyttä (vahvistus instantx:lla käynnissä - %2 / %3 allekirjoitusta) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/vahvistettu (vahvistus instantx:lla käynnissä - %2 / %3 allekirjoitusta) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 vahvistusta (vahvistus instantx:lla käynnissä - %2 / %3 allekirjoitusta) - + %1/offline (InstantX verification failed) %1/ei yhteyttä (instantx vahvistus epäonnistui) - + %1/confirmed (InstantX verification failed) %1/vahvistettu (instantx vahvistus epäonnistui) - + Status Tila - + , has not been successfully broadcast yet , lähetys ei ole vielä onnistunut - + , broadcast through %n node(s) - - , lähetys %n solmun läpi - , lähetys %n solmun läpi - + , lähetys %n solmun läpi, lähetys %n solmun läpi - + Date Päivämäärä - + Source Lähde - + Generated Luotu - - - + + + From Lähettäjä - + unknown tuntematon - - - + + + To Saaja - + own address oma osoite - - + + watch-only - + vain-luku - + label nimi - - - - - + + + + + Credit Suoritus - + matures in %n more block(s) - - kypsyy %n lohkon kuluttua - kypsyy %n lohkon kuluttua - + kypsyy %n lohkon kuluttuakypsyy %n lohkon kuluttua - + not accepted ei hyväksytty - - - + + + Debit Veloitus - + Total debit - + Veloitus yhteensä - + Total credit - + Suoritus yhteensä - + Transaction fee Siirtomaksu - + Net amount Nettosumma - - + + Message Viesti - + Comment Kommentti - + Transaction ID Siirtotunnus - + Merchant Kauppias - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Luodut (louhitut) varat täytyy kypsyä %1 lohkon ajan kunnes ne voidaan käyttää. Kun generoit tämän lohkon, se lähetettiin verkkoon lohkoketjuun. Jos se epäonnistuu pääsemään lohkoketjuun sen tila tulee muuttumaan "ei hyväksytty" ja sitä ei voida käyttää. Näin voi ajoittain tapahtua kun toisen solmun lohko luodaan samanaikaisesti omasi kanssa. - + Debug information Debug tiedot - + Transaction Siirtotapahtuma - + Inputs Sisääntulot - + Amount Määrä - - + + true tosi - - + + false epätosi @@ -4055,12 +3744,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Siirtotapahtuman yksityiskohdat - + This pane shows a detailed description of the transaction Tämä ruutu näyttää yksityiskohtaisen tiedon siirtotapahtumasta @@ -4068,169 +3757,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Päivämäärä - + Type Tyyppi - + Address Osoite - - Amount - Määrä - - + Open for %n more block(s) - - - Avoinna %n lisälohkolle - + Avoinna %n lisälohkolleAvoinna %n lisälohkolle - + Open until %1 Avoinna %1 asti - + Offline Ei yhteyttä - + Unconfirmed Vahvistamaton - + Confirming (%1 of %2 recommended confirmations) - Vahvistetaan (%1 kehoitetusta %2 vahvistuksesta) + Vahvistetaan (%1 / %2 vahvistusta) - + Confirmed (%1 confirmations) Vahvistettu (%1 vahvistusta) - + Conflicted Ristiriitainen - + Immature (%1 confirmations, will be available after %2) Epäkypsä (%1 vahvistusta, saatavilla %2 jälkeen) - + This block was not received by any other nodes and will probably not be accepted! Tätä lohkoa ei vastaanotettu mistään muusta solmusta ja sitä ei mahdollisesti hyväksytä! - + Generated but not accepted Luotu mutta ei hyväksytty - + Received with Vastaanotettu osoitteeseen - + Received from Vastaanotettu osoitteesta - + Received via Darksend Darksend vastaanotettu - + Sent to Lähetetty osoitteeseen - + Payment to yourself Maksu itsellesi - + Mined Louhittu - + Darksend Denominate Darksend denominointi - + Darksend Collateral Payment Darksend vakuus maksu - + Darksend Make Collateral Inputs Darksend luo vakuus syötteet - + Darksend Create Denominations Darksend denominoinnin luonti - + Darksent Darksend lähetetty - + watch-only - + vain-luku - + (n/a) (e/s) - + Transaction status. Hover over this field to show number of confirmations. Siirtotapahtuman tila. Siirrä osoitin kentän päälle nähdäksesi vahvistusten lukumäärä. - + Date and time that the transaction was received. Siirtotapahtuman päivämäärä ja aika. - + Type of transaction. Siirtotapahtuman tyyppi. - + Whether or not a watch-only address is involved in this transaction. - + Käytetäänkö vai ei lue-vain osoitetta tässä tapahtumassa. - + Destination address of transaction. Siirtotapahtuman Dash kohdeosoite - + Amount removed from or added to balance. Vähennetty tai lisätty määrä saldoon. @@ -4238,207 +3920,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Kaikki - + Today Tänään - + This week Tällä viikolla - + This month Tässä kuussa - + Last month Viime kuussa - + This year Tänä vuonna - + Range... Alue... - + + Most Common + Yleisin + + + Received with Vastaanotettu - + Sent to Lähetetty - + Darksent Darksend lähetetty - + Darksend Make Collateral Inputs Darksend luo vakuus syötteet - + Darksend Create Denominations Darksend denom. luonti - + Darksend Denominate Darksend denominointi - + Darksend Collateral Payment Darksend vakuus maksu - + To yourself Itsellesi - + Mined Louhittu - + Other Muu - + Enter address or label to search Anna etsittävä osoite tai tunniste - + Min amount Minimimäärä - + Copy address Kopioi osoite - + Copy label Kopioi nimi - + Copy amount Kopioi määrä - + Copy transaction ID Kopioi siirtotunnus - + Edit label Muokkaa nimeä - + Show transaction details Näytä siirtotapahtuman yksityiskohdat - + Export Transaction History Vie siirtotapahtumien historia - + Comma separated file (*.csv) Pilkuilla eritelty tiedosto (*.csv) - + Confirmed Vahvistettu - + Watch-only - + Vain-luku - + Date Päivämäärä - + Type Tyyppi - + Label Nimi - + Address Osoite - Amount - Määrä - - - + ID ID - + Exporting Failed Vienti epäonnistui - + There was an error trying to save the transaction history to %1. Siirtotapahtumien historian tallentamisessa tapahtui virhe paikkaan %1. - + Exporting Successful Vienti onnistui - + The transaction history was successfully saved to %1. Siirtotapahtumien historia tallennettiin onnistuneesti paikkaan %1. - + Range: Alue: - + to -> @@ -4446,15 +4129,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Yksikkö jona summat näytetään. Klikkaa valitaksesi yksikön. WalletFrame - + No wallet has been loaded. Lomakkoa ei ole ladattu. @@ -4462,59 +4145,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins Lähetä Dasheja - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - Instantx ei tue näin korkeaa määrää vielä. Siirtotapahtumat on tällä hetkellä rajoitettu %n DASH. - Instantx ei tue näin korkeaa lähetysmäärää vielä. Siirtotapahtumat on tällä hetkellä rajoitettu %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX ei tue näin korkeaa lähetysmäärää vielä. Siirtotapahtumat on tällä hetkellä rajoitettu %1 DASH. WalletView - + &Export &Vie... - + Export the data in the current tab to a file Vie tällä hetkellä valitun välilehden tiedot tiedostoon - + Backup Wallet Varmuuskopioi lompakko - + Wallet Data (*.dat) Lompakkodata (*.dat) - + Backup Failed Varmuuskopiointi epäonnistui - + There was an error trying to save the wallet data to %1. Lompakon tallennuksessa tapahtui virhe %1. - + Backup Successful Varmuuskopiointi onnistui - + The wallet data was successfully saved to %1. Lompakko tallennettiin onnistuneesti tiedostoon %1. @@ -4522,8 +4204,505 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Kytkeydy annettuun osoitteeseen ja pidä linja aina auki. Käytä [host]:port merkintätapaa IPv6:lle. + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Ei voida lukita data hakemistoa %s. Dash Core on luultavasti jo käynnissä. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend käyttää tarkalleen denominoituja syötteitä lähettäessään varoja, saatat tarvita anonymisoida lisää varoja. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Aloita regressio testimoodi joka käyttää erikoisketjua jossa lohkoja voidaan ratkaista välittömästi. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Virhe: Sisääntulevien yhteyksien kuuntelu epäonnistui (kuuntelu palautti virheen %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Aja komento kun olennainen hälytys vastaanotetaan tai nähdään todella pitkä haara (%s cmd korvataan viestillä) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Suorita käsky kun lompakon siirtotapahtuma muuttuu (%s cmd on vaihdettu TxID kanssa) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Suorita käsky kun paras lohko muuttuu (%s cmd on korvattu lohko tarkisteella) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Löytyi vahvistamattomia syötteitä, odotetaan että ne vahvistetaan. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + Tässä moodissa -genproclimit ohjaa kuinka monta lohkoa luodaan välittömästi. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX vaatii syötteille vähintään 6 vahvistusta, odota muutama minuutti ja yritä uudelleen. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Rakenne url nimi KeePass merkinnälle joka talentaa lompakon salasanan + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Tiedustele vertaisverkon osoitteita DNS hakua käyttäen jos osoitteita ei ole riittävästi (oletus: 1 paitsi jos -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Aseta ulkoinen osoite:portti tälle masternodelle (esim: osoite:portti) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Aseta maksimikoko korkea prioriteetti/pienen siirtomaksun siirtotapahtumiin tavuissa (oletus: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Aseta script vahvistuksen säikeiden määrä (%u - %d, 0= auto, <0 = jätä näin monta prosessorin ydintä vapaaksi, oletus: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Tämä on esi-julkaistu testiversio - Käytä omalla vastuulla - Älä käytä louhimiseen tai kauppasovelluksiin. + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Ei voida yhdistää %s tässä tietokoneessa. Dash Core on luultavasti jo käynnissä. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Ei tarpeeksi Darksend anonymisoituja varoja tälle siirtotapahtumalle. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Ei tarpeeksi Darksend ei-anonymisoituja varoja tälle siirtotapahtumalle, joka ei ole 1000 DASH. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Ei tarpeeksi Darksend ei-anonymisoituja varoja tälle siirtotapahtumalle. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Varoitus: Siirtomaksu on asetettu erittäin korkeaksi! Tämä on siirtomaksu jonka tulet maksamaan kun lähetät siirron. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Varoitus: Dash verkossa on ristiriitoja! Louhijat näyttävät kokevan virhetilanteita. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Varoitus: Olemme vertaisverkon kanssa ristiriidassa! Sinun ja/tai solmujen tulee päivitää uusimpaan versioon. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Varoitus: Virhe luettaessa wallet.dat lompakkotiedostoa. Kaikki avaimet luettiin onnistuneesti, mutta siirtohistoria tai osoitekirja saattavat olla kadonneet tai virheellisiä. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Varoitus: Wallet.dat lompakkotiedosto on vioittunut, tiedot pelastettu. Alkuperäinen wallet.dat lompakkotiedosto on tallennettu wallet.{timestamp}.bak kansioon %s, jos saldosi tai siirtohistoria on virheellinen, sinun tulisi palauttaa lompakkotiedosto varmuuskopiosta. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Sinun täytyy määritellä masternodeprivkey asetustiedostoon. Katso lisätietoja dokumentaatiosta. + + + + (default: 1) + (oletus: 1) + + + + Accept command line and JSON-RPC commands + Hyväksy merkkipohjaiset ja JSON-RPC käskyt + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Hyväksy yhteyksiä ulkopuolelta (oletus: 1 jos -proxy tai -connect ei ole määritelty) + + + + Add a node to connect to and attempt to keep the connection open + Lisää solmu mihin liittyä pitääksesi yhteyden auki + + + + Allow DNS lookups for -addnode, -seednode and -connect + Salli DNS kyselyt -addnode, -seednode ja -connect yhteydessä + + + + Already have that input. + Syöte on jo olemassa. + + + + Attempt to recover private keys from a corrupt wallet.dat + Yritetään palauttaa yksityisiä avaimia vioittuneesta wallet.dat lompakkotiedostosta + + + + Block creation options: + Lohkon luonnin asetukset: + + + + Can't denominate: no compatible inputs left. + Ei voida denominoida: yhteensopivia syötteitä ei ole jäljellä. + + + + Cannot downgrade wallet + Et voi päivittää lompakkoasi vanhempaan versioon + + + + Cannot resolve -bind address: '%s' + -bind osoitteen '%s' selvittäminen epäonnistui + + + + Cannot resolve -externalip address: '%s' + -externalip osoitteen '%s' selvittäminen epäonnistui + + + + Cannot write default address + Oletusosoitetta ei voi kirjoittaa + + + + Collateral not valid. + Vakuus ei ole pätevä. + + + + Connect only to the specified node(s) + Yhdistä ainoastaan määriteltyihin solmuihin + + + + Connect to a node to retrieve peer addresses, and disconnect + Yhdistä solmuun hakeaksesi peers osoitteet ja katkaise yhteys + + + + Connection options: + Yhteyden valinnat: + + + + Corrupted block database detected + Vioittunut lohkotietokanta havaittu + + + + Darksend is disabled. + Darksend on pois käytöstä. + + + + Darksend options: + Darksend valinnat: + + + + Debugging/Testing options: + Debuggaus/Testauksen valinnat: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Hae oma IP osoite (oletus: 1 kun kuunnellaan ja ei -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Älä lataa lompakkoa ja poista käytöstä lompakon RPC kutsut + + + + Do you want to rebuild the block database now? + Haluatko uudelleenrakentaa lohkotietokannan nyt? + + + + Done loading + Lataus on valmis + + + + Entries are full. + Merkinnät on täynnä. + + + + Error initializing block database + Virhe lohkotietokannan alustuksessa + + + + Error initializing wallet database environment %s! + Virhe lompakon tietokantaympäristön alustuksessa %s! + + + + Error loading block database + Virhe lohkotietokannan latauksessa + + + + Error loading wallet.dat + Virhe ladattaessa wallet.dat tiedostoa + + + + Error loading wallet.dat: Wallet corrupted + Virhe ladattaessa wallet.dat tiedostoa: Lompakko vioittunut + + + + Error opening block database + Virhe lohkotietokannan avauksessa + + + + Error reading from database, shutting down. + Virhe luettaessa tietokantaa, ohjelma suljetaan. + + + + Error recovering public key. + Virhe yleisen avaimen palautuksessa. + + + + Error + Virhe + + + + Error: Disk space is low! + Virhe: Levytila on alhainen! + + + + Error: Wallet locked, unable to create transaction! + Virhe: Lompakko on lukittu, siirtotapahtumaa ei voida luoda! + + + + Error: You already have pending entries in the Darksend pool + Virhe: Sinulla on jo odottavia syötteitä Darksend varannossa + + + + Failed to listen on any port. Use -listen=0 if you want this. + Ei onnistuttu kuuntelemaan mitään porttia. Käytä -listen=0 jos haluat tätä. + + + + Failed to read block + Lohkon luku epäonnistui + + + + If <category> is not supplied, output all debugging information. + Jos <kategoria> ei ole toimitettu, tulosta kaikki debuggaustieto. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1 = pidä tx meta data esim. tilin omistaja ja maksupyyntö tiedot, 2 = poista tx meta data) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + Salli JSON-RPC yhteydet määritetystä lähteestä. Pätee <ip> yksittäiseen IP:n (esim. 1.2.3.4), verkko/verkkomaski (esim. 1.2.3.4/255.255.255.0) tai verkko/CIDR (esim. 1.2.3.4/24). Tämä asetus voidaan määrittää useita kertoja. + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + Virhe asetettaessa RPC osoitetta %s portissa %u kuuntelemaan: %s + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + Kytkeydy annettuun osoitteeseen ja merkitse siihen kytkeytyvät peers:it luotettaviksi. Käytä [host]:port merkintätapaa IPv6:lle. + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + Kytkeydy annettuun osoitteeseen kuunnellaksesi JSON-RPC yhteyksiä. Käytä [host]:port merkintätapaa IPv6:lle. Tämä asetus voidaan määrittää useita kertoja (oletus: kytkeydy kaikkiin rajapintoihin) + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + Vaihda automaattisesti viimeistellyn budjetin äänestyskäyttäytyminen. mode=auto: Äänestä vain tarkkaan viimeisteltyä budjettia joka täsmää itse tekemääni budjettiin. (string, oletus: auto) + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + Rajoita jatkuvasti yhtäaikaiset ilmaiset siirtotapahtumat <n>*1000 tavuun per minuutti (oletus: %u) + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + Luo uudet tiedostot järjestelmän oletus oikeuksilla, paitsi umask 077 (voimassa vain käytöstä poistettujen lompakon toimintojen kanssa) + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + Poista kaikki lompakon siirtotapahtumat ja palauta vain nuo osat lohkoketjusta -rescan valinnan avulla käynnistyksessä + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + Kytke pois käytöstä kaikki Masternode ja Darksend toiminnot (0-1, oletus: %u) + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + Levitetään MIT ohjelmistolisenssin alaisuudessa. Tarkemmat tiedot löytyvät tiedostosta COPYING tai osoitteesta <http://www.opensource.org/licenses/mit-license.php>. + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Ota instantx käyttöön, näytä lukittujen siirtojen vahvistukset (bool, oletus: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + Ota käyttöön automaattinen Darksend rahavaroille tässä lompakossa (0-1, oletus: %u) + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + Virhe: Ei tuettu argumentti -socks. SOCKS version asettaminen ei ole enää mahdollista, vain SOCKS5 proxyt ovat tuettuja. + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + Siirtomaksut (DASH/Kb) jotka ovat pienempiä kuin tämä, tulkitaan nollamaksuksi välityksessä (oletus: %s) + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + Siirtomaksut (DASH/Kb) jotka ovat pienempiä kuin tämä, tulkitaan nollamaksuksi siirtotapahtuman luonnissa (oletus: %s) + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + Aja tietokannan tapahtumat muistivarannosta kovalevylogiin joka <n> megatavu (oletus: %u) + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + Kuinka vaativa lohkon vahvistus -checkblocks on (0-4, oletus: %u) + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + Jos paytxfee ei ole asetettu, sisällytä tarpeeksi siirtomaksua jotta siirtotapahtuman vahvistus alkaa keskimäärin lohkon aikana (oletus: %u) + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + Virheellinen määrä -maxtxfee=<amount>: '%s' (oltava vähintään minimi välitysmaksun verran %s:sta välttääksesi jumissa olevia siirtotapahtumia) + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + Kirjaa siirtotapahtuman prioriteetti ja siirtomaksu per kB kun louhitaan lohkoja (oletus: %u) + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + Ylläpidä täyttä siirtotapahtumien indeksiä, jota käyttää getrawtransaction rpc call (oletus: %u) + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + Maksimi koko datalle datan kuljetustapahtumissa jotka välitämme ja louhimme (oletus: %u) + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + Yksittäisen siirtotapahtuman maksimi siirtomaksu, jos tämä asetetaan liian matalaksi, se voi keskeyttää isot siirtotapahtumat (oletus: %s) + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + Sekuntien määrä, kuinka kauan estetään huonosti käyttäytyviä peers:ejä uudelleen kytkeytymästä (oletus: %u) + + + + Output debugging information (default: %u, supplying <category> is optional) + Tulosta debuggaustieto (oletus: %u, tarjottava <category> on valinnainen) + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + Tarjoa Darksend:ille likviditeettiä jatkuvaa kolikoiden sekoitusta varten (0-100, oletus: %u, 1=usein, isot maksukulut, 100=harvoin, pienet maksukulut) + + + + Require high priority for relaying free or low-fee transactions (default:%u) + Vaadi korkea prioriteetti välitettäville ilmaisille tai matalan siirtomaksun siirtotapahtumille (oletus: %u) + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + Aseta prosessorin ytimien määrä louhintaan, jos päällä (-1 = kaikki ytimet, oletus: %d) + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + Näytä N vahvistusta onnistuneesti lukitulle siirtotapahtumalle (0-9999, oletus: %u) + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + Tämä ohjelma sisältää OpenSSL projektin OpenSSL työkalupakin <https://www.openssl.org/> sekä Eric Youngin kehittämän salausohjelmiston ja Thomas Bernardin kehittämän UPnP ohjelmiston. + +Käännös päivitetty: 28.6.2015 by AjM. + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4534,1358 +4713,922 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, sinun tulee asettaa rpc salasana asetustietostossa: + Käyttääksesi dashd:ia tai -server valintaa dash-qt:lle, sinun tulee asettaa rpc salasana asetustiedostossa: %s Suositellaan että käytät allaolevaa satunnaista salasanaa: rpcuser=dashrpc rpcpassword=%s (sinun ei tarvitse muistaa tätä salasanaa) -Tämä tunnus ja salasana on oltava ERILAISET. +Käyttäjätunnus ja salasana on oltava ERILAISET. Jos tiedostoa ei ole, luo se vain omistajan-luku-oikeudella. -Suositellaan asettaa alertnotify jotta saat tietoa ongelmista, +Suositellaan asetettavaksi alertnotify jotta saat tietoa ongelmista, esimerkiksi: alertnotify=echo %%s | mail -s "Dash Hälytys" admin@foo.com - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Hyväksytyt salakirjoitukset (oletus: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + Käytä erillistä SOCKS5 proxya tavoittaaksesi peers:it Tor piilotetun palvelun kautta (oletus: %s) - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Virhe asetettaessa RPC porttia %u IPv4 verkkoliikenteelle: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + Varoitus: -maxtxfee on asetettu erittäin korkeaksi! Näin isot siirtomaksut voitaisiin maksaa yhdessä siirtotapahtumassa. - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Virhe asetettaessa RPC porttia %u IPv6 verkkoliikenteelle, palataan takaisin IPv4:ään %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + Varoitus: Tarkista että tietokoneesi kellonaika ja päivämäärä ovat oikein! Dash ei toimi oikein väärällä päivämäärällä ja/tai kellonajalla. - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Kytkeydy annettuun osoitteeseen ja pidä linja aina auki. Käytä [host]:portin merkintätapaa IPv6:lle. + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + Merkitse solmut luotettaviksi jotka kytkeytyvät annetusta verkkomaskista tai IP osoitteesta. Voidaan määrittää useita kertoja. - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Ei voida lukita data hakemistoa %s. Dash Core on luultavasti jo käynnissä. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + Luotettaviksi merkittyjä peers:ejä ei voida DoS estää, ja niiden siirtotapahtumat välitetään aina, vaikka ne olisvatkin jo muistivarannossa, käyttökelpoinen esim. yhdyskäytävään - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Rajoita yhtäaikaiset siirtotapahtumat <n>*1000 tavua per minuutti (oletus: 15) + + (default: %s) + (oletus: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend käyttää tarkalleen denominoituja syötteitä lähettäessään varoja, saatat tarvita anonymisoida lisää varoja. + + <category> can be: + + <category> voi olla: + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Kytke pois käytöstä kaikki Masternode ja Darksend toiminnot (0-1, oletus: 0) + + Accept public REST requests (default: %u) + Hyväksy julkiset REST pyynnöt (oletus: %u) - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Ota instantx käyttöön, näytä lukittujen siirtojen vahvistukset (oletus: päällä) + + Acceptable ciphers (default: %s) + Hyväksyttävät salaukset (oletus: %s) - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Ota käyttöön automaattinen Darksend rahavaroille tässä lompakossa (0-1, oletus: 0) + + Always query for peer addresses via DNS lookup (default: %u) + Tiedustele aina peers osoitteita DNS hakua käyttäen (oletus: %u) - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Aloita regressio testimoodi joka käyttää erikoisketjua missä lohkot voidaan ratkaista välittömästi. Tämä on tarkoitettu regressiotestien työkaluksi ja ohjelman kehittämiseen. + + Cannot resolve -whitebind address: '%s' + Ei voida selvittää -whitebind osoitetta: '%s' - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Aloita regressio testimoodi joka käyttää erikoisketjua jossa lohkoja voidaan ratkaista välittömästi. + + Connect through SOCKS5 proxy + Yhdistä SOCKS5 proxyn kautta - - Error: Listening for incoming connections failed (listen returned error %s) - Virhe: Sisääntulevien yhteyksien kuuntelu epäonnistui (kuuntelu palautti virheen %s) + + Connect to KeePassHttp on port <port> (default: %u) + Yhdistä KeePassHttp porttiin <port> (oletus: %u) - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Virhe: Siirtotapahtuma hylättiin! Tämä saattaa tapahtua jos jotkut varat lompakossa on jo käytetty. Esimerkiksi jos käytit kopioitua lompakkoa ja varat on käytetty jo siellä, mutta ei ole merkattu käytetyksi täällä. + + Copyright (C) 2009-%i The Bitcoin Core Developers + Copyright (C) 2009-%i Bitcoin Core Kehittäjät - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Virhe: Tämä siirtotapahtuma vaatii siirtopalkkion vähintään %s johtuen sen määrästä, monimutkaisuudesta tai äskettäin vastaanotettujen varojen käytöstä + + Copyright (C) 2014-%i The Dash Core Developers + Copyright (C) 2014-%i Dash Core Kehittäjät - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Virhe: Lompakko on avattu vain anonymisointia varten, siirtotapahtumaa ei voida luoda. + + Could not parse -rpcbind value %s as network address + Ei voida jäsentää -rpcbind arvoa %s verkko-osoitteena - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Aja komento kun olennainen hälytys vastaanotetaan tai nähdään todella pitkä haara (%s cmd korvataan viestillä) + + Darksend is idle. + Darksend odottaa. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Suorita käsky kun lompakon siirtotapahtuma muuttuu (%s cmd on vaihdettu TxID kanssa) + + Darksend request complete: + Darksend pyyntö valmis: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Suorita käsky kun paras lohko muuttuu (%s cmd on korvattu lohko tarkisteella) + + Darksend request incomplete: + Darksend pyyntö kesken: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Tätä pienemmät palkkiot lasketaan nollaksi (siirtotapahtuman luonnissa) (oletus: + + Disable safemode, override a real safe mode event (default: %u) + Poista turvatila käytöstä, ohita todellinen turvatila tapahtuma (oletus: %u) - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Aja tietokannan tapahtumat muistivarannosta kovalevylogiin joka <n> megatavu (oletus: 100) + + Enable the client to act as a masternode (0-1, default: %u) + Aktivoi asiakasohjelman käyttö masternode:na (0-1, oletus: %u) - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Löytyi vahvistamattomia syötteitä, odotetaan että ne vahvistetaan. + + Error connecting to Masternode. + Virhe masternode:en kytkeytymisessä. - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Kuinka vaativa lohkon vahvistus -checkblocks on (0-4, oletus: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Virhe ladattaessa wallet.dat: Lompakko vaatii uudemman version Dash Core:sta - - In this mode -genproclimit controls how many blocks are generated immediately. - Tässä moodissa -genproclimit ohjaa kuinka monta lohkoa luodaan välittömästi. + + Error: A fatal internal error occured, see debug.log for details + Virhe: Vakava sisäinen virhe, katso debug.log saadaksesi lisätietoja - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX vaatii vähintään 6 vahvistusta, odota muutama minuutti ja yritä uudelleen. + + Error: Unsupported argument -tor found, use -onion. + Virhe: Ei tuettu argumentti -tor löytyi, käytä -onion. - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Kuuntele JSON-RPC yhteyksiä portista <port> (oletus: 9998 tai testiverkko: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + Lisättävä siirtomaksu (DASH/Kb) siirtotapahtumaan jonka lähetät (oletus: %s) - - Name to construct url for KeePass entry that stores the wallet passphrase - Rakenne url nimi KeePass merkinnälle joka talentaa lompakon salasanan + + Finalizing transaction. + Viimeistellään siirtotapahtuma. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Sekuntien määrä, kuinka kauan yritetään uudelleen kytkeytyä vertaisverkkoon (oletus: 86400) + + Force safe mode (default: %u) + Pakota turvatila (oletus: %u) - - Output debugging information (default: 0, supplying <category> is optional) - Tulosta debuggaustieto (oletus: 0, annettu <kategoria> on valinnainen) + + Found enough users, signing ( waiting %s ) + Löytyi tarpeeksi käyttäjiä, kirjaudutaan ( odotetaan %s ) - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Tarjoa Darksend:ille likviditeettiä jatkuvaa varojen sekoitusta varten (0-100, oletus: 0, 1=usein, isot maksukulut, 100=harvoin, pienet maksukulut) + + Found enough users, signing ... + Löytyi tarpeeksi käyttäjiä, kirjaudutaan ... - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Tiedustele vertaisverkon osoitteita DNS hakua käyttäen jos osoitteita ei ole riittävästi (oletus: 1 paitsi jos -connect) + + Generate coins (default: %u) + Louhi kolikoita (oletus: %u) - - Set external address:port to get to this masternode (example: address:port) - Aseta ulkoinen osoite:portti tälle masternodelle (esim: osoite:portti) + + How many blocks to check at startup (default: %u, 0 = all) + Kuinka monta lohkoa tarkistetaan käynnistyksessä (oletus: %u, 0 = kaikki) - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Aseta maksimikoko korkea prioriteetti/pieni palkkio siirtotapahtumiin tavuissa (oletus: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + Hylkää masternodet joiden versio on pienempi kuin (esim: 70050; oletus: %u) - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Aseta script vahvistuksen säikeiden määrä (%u - %d, 0= auto, <0 = jätä näin monta prosessorin ydintä vapaaksi, oletus: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Aseta prosessorin raja kun lohkojen louhiminen on päällä (-1 = rajoittamaton, oletus: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Näytä N vahvistusta onnistuneesti lukitulle siirtotapahtumalle (0-9999, oletus: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Tämä on esi-julkaistu testiversio - Käytä omalla vastuulla - Älä käytä louhimiseen tai kauppasovelluksiin. - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Ei voida yhdistää %s tässä tietokoneessa. Dash Core on luultavasti jo käynnissä. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Ei tarpeeksi Darksend anonymisoituja varoja tälle siirtotapahtumalle. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Ei tarpeeksi Darksend ei-anonymisoituja varoja tälle siirtotapahtumalle, joka ei ole 1000 DASH. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Ei tarpeeksi Darksend ei-anonymisoituja varoja tälle siirtotapahtumalle. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Käytä erillistä SOCKS5 proxya tavoittaaksesi vertaisverkon Tor palvelun kautta (oletus: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Varoitus: Siirtomaksu on asetettu erittäin korkeaksi! Tämä on maksukulu jonka tulet maksamaan kun lähetät siirron. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Varoitus: Tarkista että tietokoneesi kellonaika ja päivämäärä ovat ajan tasalla! Dash ei toimi oikein väärällä päivämäärällä ja/tai kellonajalla. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Varoitus: Dash verkossa on ristiriitoja! Louhijat näyttävät kokevan virhetilanteita. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Varoitus: Olemme vertaisverkon kanssa ristiriidassa! Sinun ja/tai solmujen tulee päivitää uusimpaan Dash versioon. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Varoitus: Virhe luettaessa wallet.dat lompakkotiedostoa. Kaikki avaimet luettiin onnistuneesti, mutta siirtohistoria tai osoitekirja saattavat olla kadonneet tai virheellisiä. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Varoitus: Wallet.dat lompakkotiedosto on vioittunut, tiedot pelastettu. Alkuperäinen wallet.dat lompakkotiedosto on tallennettu wallet.{timestamp}.bak kansioon %s, jos saldosi tai siirtohistoria on virheellinen, sinun tulisi palauttaa lompakkotiedosto varmuuskopiosta. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Sinun täytyy asettaa rpcpassword=<password> asetustiedostoon: -%s -Jos tiedostoa ei ole, niin luo se ainoastaan omistajan kirjoitusoikeuksin. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Sinun täytyy määritellä masternodeprivkey asetustiedostoon. Katso lisätietoja dokumentaatiosta. - - - - (default: 1) - (oletus: 1) - - - - (default: wallet.dat) - (oletus: wallet.dat) - - - - <category> can be: - <category> voi olla: - - - - Accept command line and JSON-RPC commands - Hyväksy merkkipohjaiset ja JSON-RPC käskyt - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Hyväksy yhteyksiä ulkopuolelta (oletus: 1 jos -proxy tai -connect ei ole määritelty) - - - - Add a node to connect to and attempt to keep the connection open - Lisää solmu mihin liittyä pitääksesi yhteyden auki - - - - Allow DNS lookups for -addnode, -seednode and -connect - Salli DNS kyselyt -addnode, -seednode ja -connect yhteydessä - - - - Allow JSON-RPC connections from specified IP address - Salli JSON-RPC yhteydet tietystä ip-osoitteesta - - - - Already have that input. - Syöte on jo olemassa. - - - - Always query for peer addresses via DNS lookup (default: 0) - Tiedustele aina vertaisverkon osoitteita DNS hakua käyttäen (oletus: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Yritetään palauttaa yksityisiä avaimia vioittuneesta wallet.dat lompakkotiedostosta - - - - Block creation options: - Lohkon luonnin asetukset: - - - - Can't denominate: no compatible inputs left. - Ei voida denominoida: yhteensopivia syötteitä ei ole jäljellä. - - - - Cannot downgrade wallet - Et voi päivittää lompakkoasi vanhempaan versioon - - - - Cannot resolve -bind address: '%s' - -bind osoitteen '%s' selvittäminen epäonnistui - - - - Cannot resolve -externalip address: '%s' - -externalip osoitteen '%s' selvittäminen epäonnistui - - - - Cannot write default address - Oletusosoitetta ei voi kirjoittaa - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Tyhjennä lompakon siirtotapahtumien lista (diagnostiikka työkalu; olettaa -rescan) - - - - Collateral is not valid. - Vakuus ei ole pätevä. - - - - Collateral not valid. - Vakuus ei ole pätevä. - - - - Connect only to the specified node(s) - Yhdistä ainoastaan määriteltyihin solmuihin - - - - Connect through SOCKS proxy - Yhdistä SOCKS proxyn kautta - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Yhdistä JSON-RPC porttiin <port> (oletus: 9998 tai testiverkko: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Yhdistä KeePassHttp porttiin <port> (oletus: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Yhdistä solmuun hakeaksesi vertaisverkon osoitteet ja katkaise yhteys - - - - Connection options: - Yhteyden valinnat: - - - - Corrupted block database detected - Vioittunut lohkotietokanta havaittu - - - - Dash Core Daemon - Dash Core Palveluprosessi - - - - Dash Core RPC client version - Dash Core RPC asiakas versio - - - - Darksend is disabled. - Darksend on pois käytöstä. - - - - Darksend options: - Darksend valinnat: - - - - Debugging/Testing options: - Debuggaus/Testauksen valinnat: - - - - Disable safemode, override a real safe mode event (default: 0) - Poista turvatila käytöstä, syrjäytä todellinen turvatilatapahtuma (oletus: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Hae oma IP osoite (oletus: 1 kun kuunnellaan ja ei -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Älä lataa lompakkoa ja poista käytöstä lompakon RPC kutsut - - - - Do you want to rebuild the block database now? - Haluatko uudelleenrakentaa lohkotietokannan nyt? - - - - Done loading - Lataus on valmis - - - - Downgrading and trying again. - Alennetaan ja yritetään uudestaan. - - - - Enable the client to act as a masternode (0-1, default: 0) - Aseta asiakasohjelma masternodeksi (0-1, oletus: 0) - - - - Entries are full. - Merkinnät on täynnä. - - - - Error connecting to masternode. - Virhe masternodeen kytkeytymisessä. - - - - Error initializing block database - Virhe lohkotietokannan alustuksessa - - - - Error initializing wallet database environment %s! - Virhe lompakon tietokantaympäristön alustuksessa %s! - - - - Error loading block database - Virhe lohkotietokannan latauksessa - - - - Error loading wallet.dat - Virhe ladattaessa wallet.dat tiedostoa - - - - Error loading wallet.dat: Wallet corrupted - Virhe ladattaessa wallet.dat tiedostoa: Lompakko vioittunut - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Virhe ladattaessa wallet.dat lompakkotiedostoa: Tarvitset uudemman version dashista - - - - Error opening block database - Virhe lohkotietokannan avauksessa - - - - Error reading from database, shutting down. - Virhe luettaessa tietokantaa, ohjelma suljetaan. - - - - Error recovering public key. - Virhe yleisen avaimen palautuksessa. - - - - Error - Virhe - - - - Error: Disk space is low! - Virhe: Levytila on alhainen! - - - - Error: Wallet locked, unable to create transaction! - Virhe: Lompakko on lukittu, siirtotapahtumaa ei voida luoda! - - - - Error: You already have pending entries in the Darksend pool - Virhe: Sinulla on jo odottavia syötteitä Darksend varannossa - - - - Error: system error: - Virhe: Järjestelmävirhe: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Ei onnistuttu kuuntelemaan mitään porttia. Käytä -listen=0 jos haluat tätä. - - - - Failed to read block info - Lohkotietojen luku epäonnistui - - - - Failed to read block - Lohkon luku epäonnistui - - - - Failed to sync block index - Lohkoindeksin synkronointi epäonnistui - - - - Failed to write block index - Lohkoindeksin kirjoitus epäonnistui - - - - Failed to write block info - Lohkotiedon kirjoitus epäonnistui - - - - Failed to write block - Lohkon kirjoitus epäonnistui - - - - Failed to write file info - Tiedoston tietojen kirjoitus epäonnistui - - - - Failed to write to coin database - Tietokannan kirjoitus epäonnistui - - - - Failed to write transaction index - Siirtotapahtumien indeksin kirjoitus epäonnistui - - - - Failed to write undo data - Palautustiedon kirjoitus epäonnistui - - - - Fee per kB to add to transactions you send - Palkkio per kB joka lisätään lähettämiisi siirtotapahtumiin - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Tätä pienemmät palkkiot lasketaan nollaksi (välittämisessä) (oletus: - - - - Force safe mode (default: 0) - Pakota turvatila (oletus: 0) - - - - Generate coins (default: 0) - Luo varoja (oletus: 0) - - - - Get help for a command - Etsi apua käskyyn - - - - How many blocks to check at startup (default: 288, 0 = all) - Kuinka monta lohkoa tarkistetaan käynnistettäessä (oletus: 288, 0 = kaikki) - - - - If <category> is not supplied, output all debugging information. - Jos <kategoria> ei ole toimitettu, tulosta kaikki debuggaustieto. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Ohita masternodet jotka ovat pienempiä versioltaan (esim: 70050; oletus: 0) - - - + Importing... Tuodaan... - + Imports blocks from external blk000??.dat file Tuodaan lohkoja ulkoisesta blk000??.dat tiedostosta - + + Include IP addresses in debug output (default: %u) + Sisällytä IP osoitteet virhelogiin (oletus: %u) + + + Incompatible mode. Yhteensopimaton tila: - + Incompatible version. Yhteensopimaton versio. - + Incorrect or no genesis block found. Wrong datadir for network? Väärä tai ei alkuperäinen lohko löydetty. Väärä data hakemisto verkolle? - + Information Tietoa - + Initialization sanity check failed. Dash Core is shutting down. Alkuperäisyyden tarkistus epäonnistui. Dash Core sulkeutuu. - + Input is not valid. Syöte ei ole pätevä. - + InstantX options: InstantX valinnat: - + Insufficient funds Saldo ei riitä - + Insufficient funds. Saldo ei riitä. - + Invalid -onion address: '%s' Virheellinen -onion osoite: '%s' - + Invalid -proxy address: '%s' Virheellinen proxyn osoite '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Virheellinen määrä -maxtxfee=<amount>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Virheellinen määrä -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Virheellinen määrä -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Virheellinen määrä -maxtxfee=<amount>: '%s' (oltava vähintään %s) + + + Invalid amount for -paytxfee=<amount>: '%s' Virheellinen määrä -paytxfee=<amount>: '%s' - - Invalid amount - Virheellinen määrä + + Last successful Darksend action was too recent. + Viimeinen onnistunut Darksend tapahtuma oli liian äskettäin. - + + Limit size of signature cache to <n> entries (default: %u) + Rajoita allekirjoitusien välimuisti <n> merkintään (oletus: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + Kuuntele JSON-RPC yhteyksiä portissa <port> (oletus: %u tai testiverkossa: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + Kuuntele yhteyksiä portissa <port> (oletus: %u tai testiverkossa: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Lukitse masternodet niiden asetustiedoston kautta (oletus: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Ylläpidä enintään <n> peers yhteyttä (oletus: %u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + Maksimi per yhteys vastaanotto puskuri, <n>*1000 tavua (oletus: %u) + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + Maksimi per yhteys lähetys puskuri, <n>*1000 tavua (oletus: %u) + + + + Mixing in progress... + Sekoitus käynnissä... + + + + Need to specify a port with -whitebind: '%s' + Tarvitaan määritellä portti -whitebind: '%s' + + + + No Masternodes detected. + Masternodeja ei havaittu. + + + + No compatible Masternode found. + Yhteensopivaa Masternodea ei löytynyt. + + + + Not in the Masternode list. + Ei ole Masternode listassa. + + + + Number of automatic wallet backups (default: 10) + Automaattisten lompakon varmistuksien määrä (oletus: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + Hyväksy vain lohkoketju joka täsmää tarkistuspisteisiin (oletus: %u) + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Kytkeydy verkon solmuihin vain <net> (ipv4, ipv6 tai onion) + + + + Prepend debug output with timestamp (default: %u) + Lisää debug lokitiedoston merkinnän alkuun pvm/aika (oletus: %u) + + + + Run a thread to flush wallet periodically (default: %u) + Aja säie joka säännöllisesti tallettaa lompakon (oletus: %u) + + + + Send transactions as zero-fee transactions if possible (default: %u) + Lähetä siirtotapahtumat nolla siirtomaksulla jos mahdollista (oletus: %u) + + + + Server certificate file (default: %s) + Serverin sertifikaatti tiedosto (oletus: %s) + + + + Server private key (default: %s) + Serverin yksityisavain (oletus: %s) + + + + Session timed out, please resubmit. + Istunto vanheni, esitä uudestaan. + + + + Set key pool size to <n> (default: %u) + Aseta avainvarannon koko <n> (oletus: %u) + + + + Set minimum block size in bytes (default: %u) + Aseta minimi lohkon koko tavuina (oletus: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Aseta säikeiden lukumäärä RPC kutsuille (oletus: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + + + + + Specify configuration file (default: %s) + + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + + + + + Specify masternode configuration file (default: %s) + + + + + Specify pid file (default: %s) + + + + + Spend unconfirmed change when sending transactions (default: %u) + + + + + Stop running after importing blocks from disk (default: %u) + + + + + Submitted following entries to masternode: %u / %d + + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + + + + + Submitted to masternode, waiting in queue %s + + + + + This is not a Masternode. + + + + + Threshold for disconnecting misbehaving peers (default: %u) + + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + + + + + Use UPnP to map the listening port (default: %u) + + + + + Wallet needed to be rewritten: restart Dash Core to complete + + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + + + + + Will retry... + Yritetään uudelleen... + + + Invalid masternodeprivkey. Please see documenation. Virheellinen masternoden yksityisavain (masternodeprivkey). Katso lisätietoja dokumentaatiosta. - + + Invalid netmask specified in -whitelist: '%s' + + + + Invalid private key. Virheellinen yksityisavain. - + Invalid script detected. Virheellinen scripti havaittu. - + KeePassHttp id for the established association KeePassHttp tunnus (id) yhdistymiseen - + KeePassHttp key for AES encrypted communication with KeePass KeePassHttp avain AES salattuun viestintään - - Keep N dash anonymized (default: 0) - Pidä N dashia anonymisoituna (default: 0) + + Keep N DASH anonymized (default: %u) + - - Keep at most <n> unconnectable blocks in memory (default: %u) - Pidä enintään <n> ei yhdistettyä lohkoa muistissa (oletus: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Pidä enintään <n> ei yhdistettyä siirtotapahtumaa muistissa (oletus: %u) - + Last Darksend was too recent. Viimeisin Darksend oli liian äskettäin. - - Last successful darksend action was too recent. - Viimeisin onnistunut Darksend oli liian äskettäin. - - - - Limit size of signature cache to <n> entries (default: 50000) - Rajaa allekirjoituksen välimuistin koko <n> alkioon (oletus: 50000) - - - - List commands - Lista komennoista - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Kuuntele yhteyksiä portista <port> (oletus: 9999 tai testiverkko: 19999) - - - + Loading addresses... Ladataan osoitteita... - + Loading block index... Ladataan lohkoindeksiä... - + + Loading budget cache... + + + + Loading masternode cache... - + - Loading masternode list... - Ladataan masternode listaa... - - - + Loading wallet... (%3.2f %%) Ladataan lompakkoa... (%3.2f %%) - + Loading wallet... Ladataan lompakkoa... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Kirjaa siirtotapahtuman prioriteetti ja palkkio per kB kun louhitaan lohkoja (oletus: 0) - - - - Maintain a full transaction index (default: 0) - Ylläpidä täydellistä siirtotapahtumien indeksiä (oletus: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Pidä enintään <n> yhteyttä vertaisverkkoon (oletus: 125) - - - + Masternode options: Masternode valinnat: - + Masternode queue is full. Masternode jono on täysi. - + Masternode: Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Suurin vastaanottopuskuri yksittäiselle yhteydelle, <n>*1000 tavua (oletus: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Suurin lähetyspuskuri yksittäiselle yhteydelle, <n>*1000 tavua (oletus: 1000) - - - + Missing input transaction information. Puuttuva siirtotapahtuman tieto. - - No compatible masternode found. - Yhteensopivaa masternodea ei löytynyt. - - - + No funds detected in need of denominating. Denominointia tarvitsevia varoja ei löydy. - - No masternodes detected. - Masternodeja ei havaittu. - - - + No matching denominations found for mixing. Vastaavia denominointeja sekoitukseen ei löydy. - + + Node relay options: + + + + Non-standard public key detected. Epästandardi yleinen avain havaittu. - + Not compatible with existing transactions. Ei yhteensopiva olemassa olevien siirtotapahtumien kanssa. - + Not enough file descriptors available. Ei tarpeeksi tiedostomerkintöjä saatavilla. - - Not in the masternode list. - Ei ole masternode listassa. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Hyväksy vain lohkoketjua vastaavat sisäänrakennetut vahvistuspisteet (Oletus: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Yhdistä vain verkkosolmuihin <net> (IPv4, IPv6 tai Tor) - - - + Options: Asetukset: - + Password for JSON-RPC connections Salasana JSON-RPC yhteyksille - - Prepend debug output with timestamp (default: 1) - Lisää aikamerkintä debug tulosteen eteen (oletus: 1) - - - - Print block on startup, if found in block index - Tulosta lohko käynnistyksessä jos löydetään lohkoindeksistä - - - - Print block tree on startup (default: 0) - Tulosta lohkopuu käynnistyksessä (oletus: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) RPC SSL valinnat: (katso Bitcoin Wikistä SSL-asennuksen ohjeet) - - RPC client options: - RPC asiakas valinnat: - - - + RPC server options: RPC palvelimen valinnat: - + + RPC support for HTTP persistent connections (default: %d) + + + + Randomly drop 1 of every <n> network messages Satunnaisesti pudota 1 joka <n> verkkoviestistä - + Randomly fuzz 1 of every <n> network messages Satunnaisesti sekoita 1 joka <n> verkkoviestistä - + Rebuild block chain index from current blk000??.dat files - Uudelleenrakenna lohkoketjuindeksi nykyisistä blk000??.dat tiedostoista + Uudelleenrakenna lohkoketjun indeksi nykyisistä blk000??.dat tiedostoista - + + Relay and mine data carrier transactions (default: %u) + + + + + Relay non-P2SH multisig (default: %u) + + + + Rescan the block chain for missing wallet transactions Skannaa uudelleen lohkoketju lompakon puuttuvien siirtotapahtumien vuoksi - + Rescanning... Skannataan uudelleen... - - Run a thread to flush wallet periodically (default: 1) - Aja säie joka tallentaa lompakon ajoittain (oletus: 1) - - - + Run in the background as a daemon and accept commands Aja taustalla palveluprosessina ja hyväksy komennot - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - SSL asetukset: (katso Bitcoin Wikistä tarkemmat SSL ohjeet) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Valitse SOCKS versio -proxy:lle (4 tai 5, oletus: 5) - - - - Send command to Dash Core - Lähetä komento Dash Core:lle - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Lähetä komentoja solmuun osoitteessa <ip> (oletus: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Lähetä jäljitys/debug-tieto konsoliin, debug.log tiedoston sijaan - - Server certificate file (default: server.cert) - Palvelimen sertifikaatti tiedosto (oletus: server.cert) - - - - Server private key (default: server.pem) - Palvelimen yksityisavain (oletus: server.pem) - - - + Session not complete! Istunto ei ole valmis! - - Session timed out (30 seconds), please resubmit. - Istunto vanheni (30 sekuntia), esitä uudestaan. - - - + Set database cache size in megabytes (%d to %d, default: %d) Aseta tietokannan välimuistin koko megatavuissa (%d - %d, oletus: %d - - Set key pool size to <n> (default: 100) - Aseta avainvarannon koko <n> (oletus: 100) - - - + Set maximum block size in bytes (default: %d) Aseta lohkon maksimikoko tavuissa (oletus: %d) - - Set minimum block size in bytes (default: 0) - Aseta pienin lohkon koko tavuissa (oletus: 0) - - - + Set the masternode private key Aseta masternoden yksityisavain. - - Set the number of threads to service RPC calls (default: 4) - Aseta säikeiden lukumäärä RPC kutsuille (oletus: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Asettaa DB_PRIVATE lipun lompakon tietokantaympäristössä (oletus: 1) - - - + Show all debugging options (usage: --help -help-debug) Näytä kaikki debuggaus valinnat: (käyttö: --help -help-debug) - - Show benchmark information (default: 0) - Näytä suorituskykytietoja (oletus: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Pienennä debug.log tiedosto käynnistyksen yhteydessä (vakioasetus: 1 kun ei -debug) - + Signing failed. Allekirjoitus epäonnistui. - + Signing timed out, please resubmit. Allekirjoitus aikaraja, esitä uudestaan. - + Signing transaction failed Siirtotapahtuman allekirjoitus epäonnistui - - Specify configuration file (default: dash.conf) - Määritä asetustiedosto (oletus: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Määritä yhteyden aikaraja millisekunneissa (vakioasetus: 5000) - - - + Specify data directory - Määritä data hakemisto + Määritä datahakemisto - - Specify masternode configuration file (default: masternode.conf) - Määritä masternoden asetustiedosto (oletus: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Määritä pid tiedosto (oletus: masternode.pid) - - - + Specify wallet file (within data directory) - Määritä lompakkotiedosto (data hakemiston sisällä) + Määritä lompakkotiedosto (datahakemiston sisällä) - + Specify your own public address Määritä julkinen osoitteesi - - Spend unconfirmed change when sending transactions (default: 1) - Käytä vahvistamattomia vaihtorahoja lähetettäessä siirtotapahtumia (oletus: 1) - - - - Start Dash Core Daemon - Käynnistä Dash Core palveluprosessi - - - - System error: - Järjestelmävirhe: - - - + This help message Tämä ohjeviesti - + + This is experimental software. + Tämä on kokeellinen ohjelmisto. + + + This is intended for regression testing tools and app development. Tämä on tarkoitettu regression testityökaluille ja ohjelman kehittämiseen. - - This is not a masternode. - Tämä ei ole masternode. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Kynnysarvo aikakatkaisulle heikosti toimivalle vertaisverkolle (oletus: 100) - - - - To use the %s option - Käytä %s valintaa - - - + Transaction amount too small Siirtosumma on liian pieni - + Transaction amounts must be positive Siirtosumman tulee olla positiivinen - + Transaction created successfully. Siirtotapahtuma luotu onnistuneesti. - + Transaction fees are too high. - Siirtotapahtuman maksukulu on liian iso. + Siirtotapahtuman siirtomaksu on liian iso. - + Transaction not valid. Siirtotapahtuma ei ole voimassa. - + + Transaction too large for fee policy + Siirtotapahtuma on liian iso suhteessa siirtomaksujen käytäntöön. + + + Transaction too large Siirtosumma on liian iso - + + Transmitting final transaction. + + + + Unable to bind to %s on this computer (bind returned error %s) Ei voida yhdistää %s tässä tietokoneessa (yhdistäminen palautti virheen %s) - - Unable to sign masternode payment winner, wrong key? - En voida osoittaa masternode maksun sajaa, väärä avain? - - - + Unable to sign spork message, wrong key? En voida allekirjoittaa spork viestiä, väärä avain? - - Unknown -socks proxy version requested: %i - Tuntematon -socks proxy versio pyydetty: %i - - - + Unknown network specified in -onlynet: '%s' Tuntematon verkkomääritys -onlynet parametrissa: '%s' - + + Unknown state: id = %u + + + + Upgrade wallet to latest format Päivitä lompakko uusimpaan formaattiin - - Usage (deprecated, use dash-cli): - Käyttö (käytöstä poistunut, käytä dash-cli): - - - - Usage: - Käyttö: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Käytä KeePass 2 integrointia käyttäen KeePassHttp liitännäistä (default: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Käytä N erillistä masternodea varojen anonymisointiin (2-8, oletus: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Käytä OpenSSL:ää (https) JSON-RPC yhteyksille - - Use UPnP to map the listening port (default: 0) - Käytä UPnP:tä kuunneltavan portin kartoitukseen (oletus: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Käytä UPnP:tä kuunneltavan portin kartoitukseen (oletus: 1 kun kuunellaan) - + Use the test network Käytä testiverkkoa - + Username for JSON-RPC connections Käyttäjätunnus JSON-RPC yhteyksille - + Value more than Darksend pool maximum allows. Määrä on enemmän kuin Darksend varannon maksimi sallii. - + Verifying blocks... Tarkistetaan lohkoja... - + Verifying wallet... Tarkistetaan lompakko... - - Wait for RPC server to start - Odota että RPC palvelin käynnistyy - - - + Wallet %s resides outside data directory %s Lompakko %s sijaitsee data hakemiston ulkopuolella %s - + Wallet is locked. Lompakko on lukittu. - - Wallet needed to be rewritten: restart Dash to complete - Lompakko on kirjoitettava uudelleen, käynnistä Dash uudestaan - - - + Wallet options: Lompakon valinnat: - + Warning Varoitus - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Varoitus: Käytöstä poistunut argumentti -debugnet sivutettu, käytä debug=net - - - + Warning: This version is obsolete, upgrade required! Varoitus: Tämä versio on vanhentunut, päivitys on tarpeen! - + You need to rebuild the database using -reindex to change -txindex Sinun tulee uudelleenrakentaa tietokanta käyttäen -reindex vaihtaen -txindex - + + Your entries added successfully. + + + + + Your transaction was accepted into the pool! + + + + Zapping all transactions from wallet... Tyhjennetään kaikki siirtotapahtumat lompakosta.... - + on startup käynnistyksessä - - version - versio - - - + wallet.dat corrupt, salvage failed wallet.dat lompakkotiedosto vioittunut, pelastaminen epäonnistui diff --git a/src/qt/locale/dash_it.ts b/src/qt/locale/dash_it.ts index 5f85c565b..13822cf34 100644 --- a/src/qt/locale/dash_it.ts +++ b/src/qt/locale/dash_it.ts @@ -1,202 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Su Dash core - - - - <b>Dash Core</b> version - <b>Dash Core</b> versione - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Questo è un software sperimentale. - -Distribuito sotto la licenza software MIT/X11, vedi il file COPYING incluso oppure su http://www.opensource.org/licenses/mit-license.php. - -Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso del Toolkit OpenSSL (http://www.openssl.org/), software crittografico scritto da Eric Young (eay@cryptsoft.com) e software UPnP scritto da Thomas Bernard. - - - Copyright - Copyright - - - The Bitcoin Core developers - Gli sviluppatori di Bitcoin Core - - - The Dash Core developers - Gli sviluppatori di Dash Core - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Doppio click per modificare l'indirizzo o l'etichetta - - - + Right-click to edit address or label - + Bottone destro per modificare l'indirizzo o l'etichetta - + Create a new address Crea un nuovo indirizzo - + &New &Nuovo - + Copy the currently selected address to the system clipboard Copia l'indirizzo attualmente selezionato negli appunti - + &Copy &Copia - + Delete the currently selected address from the list Cancella l'indirizzo attualmente selezionato dalla lista - + &Delete &Cancella - + Export the data in the current tab to a file Esporta su file i dati della tabella corrente - + &Export &Esporta - + C&lose C&hiudi - + Choose the address to send coins to Scegli l'indirizzo a cui inviare i dash - + Choose the address to receive coins with Scegli l'indirizzo con cui ricevere dash - + C&hoose Sc&egli - + Sending addresses Indirizzi d'invio - + Receiving addresses Indirizzi di ricezione - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Questi sono i tuoi indirizzi Dash per inviare i pagamenti. Controlla sempre l'ammontare e l'indirizzo destinatario prima di inviare i dash. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Questi sono i tuoi indirizzi di Dash per ricevere i pagamenti. Si raccomanda di usare un nuovo indirizzo di ricezione per ogni operazione. - + &Copy Address &Copia l'indirizzo - + Copy &Label Copia &l'etichetta - + &Edit &Modifica - + Export Address List Esporta Lista Indirizzi - + Comma separated file (*.csv) Testo CSV (*.csv) - + Exporting Failed Esportazione Fallita. - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Si è verificato un errore tentando di salvare la lista degli indirizzi in %1. + C'é stato un errore mentre si salvava la lista di indirizzi a %1. Per favore provaci di nuovo. AddressTableModel - + Label Etichetta - + Address Indirizzo - + (no label) (nessuna etichetta) @@ -204,154 +143,150 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso AskPassphraseDialog - + Passphrase Dialog - Finestra passphrase + Finestra parola d'ordine - + Enter passphrase - Inserisci la passphrase + Inserisci la parola d'ordine - + New passphrase - Nuova passphrase + Nuova parola d'ordine - + Repeat new passphrase - Ripeti la nuova passphrase + Ripeti la nuova parola d'ordine - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Serve a disabilitare - + For anonymization only Per la sola anomizzazione - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Inserisci la nuova passphrase per il portamonete.<br/>Si prega di usare una passphrase di <b>10 o più caratteri casuali</b>, o di <b>otto o più parole</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Inserisci la nuova parola d'ordine per il portafoglio.<br/>Si prega di usare una parola d'ordine di <b>dieci o più caratteri casuali</b>, o <b>otto o più parole</b>. - + Encrypt wallet Cifra il portafoglio - + This operation needs your wallet passphrase to unlock the wallet. - Quest'operazione necessita della passphrase per sbloccare il portamonete. + Quest'operazione necessita della parola d'ordine per sbloccare il portafoglio. - + Unlock wallet Sblocca il portafoglio - + This operation needs your wallet passphrase to decrypt the wallet. - Quest'operazione necessita della passphrase per decifrare il portamonete, + Quest'operazione necessita della parola d'ordine per decifrare il portafoglio. - + Decrypt wallet - Decifra il portamonete + Decifra il portafoglio - + Change passphrase - Cambia la passphrase + Cambia la parola d'ordine - + Enter the old and new passphrase to the wallet. - Inserisci la vecchia e la nuova passphrase per il portafoglio. + Inserisci la vecchia e la nuova parola d'ordine per il portafoglio. - + Confirm wallet encryption - Conferma la cifratura del portamonete + Conferma la cifratura del portafoglio - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! - Attenzione: se crittografi il tuo portafoglio e perdi la tua passphrase, PERDERAI TUTTI I TUOI DASH! + Attenzione: se crittografi il tuo portafoglio e perdi la tua parola d'ordine, <b>PERDERAI TUTTI I TUOI DASH</b>! - + Are you sure you wish to encrypt your wallet? Si è sicuri di voler cifrare il portafoglio? - - + + Wallet encrypted Portafoglio cifrato - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. - Dash adesso si chiuderá per finire il processo di crittografia. Ricorda che crittogafiare il tuo portafoglio non ti da una protezione totale se il tuo computer é infettato da malware + Dash adesso si chiuderá per finire il processo di crittografia. Ricorda che crittografare il tuo portafoglio non ti da una protezione totale se il tuo computer é infettato da malware - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - IMPORTANTE: qualsiasi backup del file portamonete effettuato in precedenza dovrà essere sostituito con il file del portamonete cifrato appena generato. Per ragioni di sicurezza, i precedenti backup del file del portamonete non cifrato diventeranno inservibili non appena si inizierà ad utilizzare il nuovo portamonete cifrato. + IMPORTANTE: qualsiasi backup del file portamonete effettuato in precedenza dovrà essere sostituito con il file del portafoglio cifrato appena generato. Per ragioni di sicurezza, i precedenti backup del file del portamonete non cifrato diventeranno inservibili non appena si inizierà ad utilizzare il nuovo portafoglio cifrato. - - - - + + + + Wallet encryption failed Cifratura del portafoglio fallita - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Cifratura del portafoglio fallita a causa di un errore interno. Il portafoglio non è stato cifrato. - - + + The supplied passphrases do not match. - Le passphrase inserite non corrispondono. + Le parola d'ordine inserite non corrispondono. - + Wallet unlock failed Sblocco del portafoglio fallito - - - + + + The passphrase entered for the wallet decryption was incorrect. - La passphrase inserita per la decifrazione del portafoglio è errata. + La parola d'ordine inserita per la decifrazione del portafoglio è errata. - + Wallet decryption failed Decifrazione del portafoglio fallita - + Wallet passphrase was successfully changed. - Passphrase del portafoglio modificata con successo. + Parola d'ordine del portafoglio modificata con successo. - - + + Warning: The Caps Lock key is on! Attenzione: il tasto Blocco maiuscole è attivo! @@ -359,437 +294,425 @@ Questo prodotto include software sviluppato dal progetto OpenSSL per l'uso BitcoinGUI - + + Dash Core Dash Core - + Wallet Portafoglio - + Node Nodo - [testnet] - [testnet] - - - + &Overview &Sintesi - + Show general overview of wallet Mostra lo stato generale del portafoglio - + &Send &Invia - + Send coins to a Dash address Spedire dash ad un indirizzo Dash - + &Receive &Ricevi - + Request payments (generates QR codes and dash: URIs) Richieste di pagamenti (genera codici QR e dash: URLs) - + &Transactions &Transazioni - + Browse transaction history Mostra la cronologia delle transazioni - + E&xit E&sci - + Quit application Chiudi applicazione - + &About Dash Core &Su Dash Core - Show information about Dash - Mostra informazioni su Dash - - - + Show information about Dash Core - + Mostra la informazione su Dash Core - - + + About &Qt Informazioni su &Qt - + Show information about Qt Mostra informazioni su Qt - + &Options... &Opzioni... - + Modify configuration options for Dash Modifica le opzioni di configurazione di Dash - + &Show / Hide &Mostra / Nascondi - + Show or hide the main Window Mostra o nascondi la Finestra principale - + &Encrypt Wallet... &Cifra il portafoglio... - + Encrypt the private keys that belong to your wallet Cifra le chiavi private che appartengono al tuo portafoglio - + &Backup Wallet... &Backup Portafoglio... - + Backup wallet to another location Effettua il backup del portafoglio - + &Change Passphrase... - &Cambia la passphrase... + &Cambia la parola d'ordine... - + Change the passphrase used for wallet encryption - Cambia la passphrase utilizzata per la cifratura del portafoglio + Cambia la parola d'ordine utilizzata per la cifratura del portafoglio - + &Unlock Wallet... &Sblocca Portafoglio - + Unlock wallet Sblocca il portafoglio - + &Lock Wallet &Blocca Portafoglio - + Sign &message... Firma il &messaggio... - + Sign messages with your Dash addresses to prove you own them Firma i messaggi con il tuo indirizzo Dash per dimostrarne che li possiedi - + &Verify message... &Verifica messaggio... - + Verify messages to ensure they were signed with specified Dash addresses Verificare i messaggi per assicurarsi che sono firmati con gli indirizzi specificati di Dash - + &Information &Informazioni - + Show diagnostic information Mostra l'informazione di diagnostica - + &Debug console &Console di Debug - + Open debugging console Apri la console di Debug - + &Network Monitor &Monitor di rete - + Show network monitor Mostra il monitor di rete - + + &Peers list + + + + + Show peers info + + + + + Wallet &Repair + Riparare Portafoglio + + + + Show wallet repair options + Mostrare le opzioni per riparare il portafoglio + + + Open &Configuration File Apri il &File della configurazione - + Open configuration file Apri il file di configurazione - + + Show Automatic &Backups + Mostra Copie Automatiche + + + + Show automatically created wallet backups + Mostra le copie del portafoglio create automaticamente + + + &Sending addresses... &Indirizzi d'invio... - + Show the list of used sending addresses and labels Mostra la lista degli indirizzi di invio utilizzati - + &Receiving addresses... Indirizzi di &ricezione... - + Show the list of used receiving addresses and labels Mostra la lista degli indirizzi di ricezione utilizzati - + Open &URI... Apri &URI... - + Open a dash: URI or payment request Apri un dash: URI o una richiesta di pagamento - + &Command-line options Opzioni riga di &comando - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Cliente Dash Core - + Processed %n blocks of transaction history. - - - - + Processato un blocco della cronologia transazioni.Processati %1 blocchi della cronologia transazioni. + Show the Dash Core help message to get a list with possible Dash command-line options - Mostra il messaggio di aiuto di Dash Core per ottenere una lista con le possibili opzioni di linea di comando di Dash + Mostra il messaggio di aiuto di Dash Core per ottenere una lista con le possibili opzioni di linea di comando di Dash - + &File &File - + &Settings &Impostazioni - + &Tools &Strumenti - + &Help &Aiuto - + Tabs toolbar Barra degli strumenti "Tabs" - - Dash client - Dash Client - - + %n active connection(s) to Dash network - - %n connessione(i) attive alla rete Dash - %n connessione(i) attive alla rete Dash - + Una connessione attiva alla rete Dash%n connessioni attive alla rete Dash - + Synchronizing with network... Sincronizzazione con la rete in corso... - + Importing blocks from disk... Importazione blocchi dal disco... - + Reindexing blocks on disk... Re-indicizzazione blocchi su disco... - + No block source available... Nessuna fonte di blocchi disponibile - Processed %1 blocks of transaction history. - Processati %1 blocchi della cronologia transazioni. - - - + Up to date Aggiornato - + %n hour(s) - - %n ora(e) - %n ora(e) - + %n ora %n ore - + %n day(s) - - %n giorno(i) - %n giorno(i) - + %n giorno%n giorni - - + + %n week(s) - - %n settimana(e) - %n settimana(e) - + %n settimana%n settimane - + %1 and %2 %1 e %2 - + %n year(s) - - %n anno(i) - %n anno(i) - + %n anno%n anni - + %1 behind Indietro di %1 - + Catching up... In aggiornamento... - + Last received block was generated %1 ago. L'ultimo blocco ricevuto è stato generato %1 fa. - + Transactions after this will not yet be visible. Transazioni successive a questa non saranno ancora visibili. - - Dash - Dash - - - + Error Errore - + Warning Attenzione - + Information Informazioni - + Sent transaction Transazione inviata - + Incoming transaction Transazione ricevuta - + Date: %1 Amount: %2 Type: %3 @@ -803,30 +726,25 @@ Indirizzo: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> Il portafoglio è <b>cifrato</b> ed attualmente <b>sbloccato</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Il portafoglio é crittografato e attualmente sbloccato solo per anonimizzare - + Wallet is <b>encrypted</b> and currently <b>locked</b> Il portafoglio è <b>cifrato</b> ed attualmente <b>bloccato</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Si è verificato un errore fatale. Dash non può continuare a funzionare correttamente e verrà chiuso. - ClientModel - + Network Alert Avviso di rete @@ -834,333 +752,302 @@ Indirizzo: %4 CoinControlDialog - Coin Control Address Selection - Selezione Indirizzo Coin Control - - - + Quantity: Quantità: - + Bytes: Byte: - + Amount: Importo: - + Priority: Priorità: - + Fee: Commissione: - Low Output: - Low Output: - - - + Coin Selection - + Selezione Moneta - + Dust: - + - + After Fee: Dopo Commissione: - + Change: Resto: - + (un)select all (de)seleziona tutto - + Tree mode Modalità Albero - + List mode Modalità Lista - + (1 locked) (1 bloccato) - + Amount Importo - + Received with label - + Ricevuto tramite l'etichetta - + Received with address - + Ricevuto tramite l'indirizzo - Label - Etichetta - - - Address - Indirizzo - - - + Darksend Rounds Darksend Round - + Date Data - + Confirmations Conferme: - + Confirmed Confermato - + Priority Priorità - + Copy address Copia l'indirizzo - + Copy label Copia l'etichetta - - + + Copy amount Copia l'importo - + Copy transaction ID Copia l'ID transazione - + Lock unspent Blocca i non spesi - + Unlock unspent Sblocca i non spesi - + Copy quantity Copia quantità - + Copy fee Copia commissione - + Copy after fee Copia al netto della commissione - + Copy bytes Copia byte - + Copy priority Copia priorità - + Copy dust - + - Copy low output - Copia low output - - - + Copy change Copia resto - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Selezionati input non anonimizzati.<b>Darksend sará disabilitato.</b><br><br>Se vuoi ancora usare Darksend, per favore per prima cosa togli la selezione a tutti gli inputs non anonimizzati e dopo controlla il Darksend checkbox di nuovo. + + + highest massima - + higher superiore - + high alta - + medium-high medio-alta - + Can vary +/- %1 satoshi(s) per input. - + - + n/a n/a - - + + medium media - + low-medium medio-bassa - + low bassa - + lower minore - + lowest minima - + (%1 locked) (%1 bloccato) - + none nessuno - Dust - Trascurabile - - - + yes - - + + no no - + This label turns red, if the transaction size is greater than 1000 bytes. Questa etichetta diventa rossa se la dimensione della transazione supera i 1000 bytes - - + + This means a fee of at least %1 per kB is required. Questo significa che è richiesta una commissione di almeno %1 per ogni kB. - + Can vary +/- 1 byte per input. Può variare di +/- 1 byte per input. - + Transactions with higher priority are more likely to get included into a block. Le transazioni con priorità più alta hanno più probabilità di essere incluse in un blocco. - + This label turns red, if the priority is smaller than "medium". Questa etichetta diventa rossa se la priorità è inferiore a "media". - + This label turns red, if any recipient receives an amount smaller than %1. Questa etichetta diventa rossa se uno qualsiasi dei destinatari riceve un ammontare inferiore di %1. - This means a fee of at least %1 is required. - Questo significa che è richiesta una commissione di almeno %1 - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Importi inferiori a 0,546 volte la commissione minima di trasferimento sono mostrati come trascurabili. - - - This label turns red, if the change is smaller than %1. - Questa etichetta diventa rossa se il resto è minore di %1. - - - - + + (no label) (nessuna etichetta) - + change from %1 (%2) resto da %1 (%2) - + (change) (resto) @@ -1168,84 +1055,84 @@ Indirizzo: %4 DarksendConfig - + Configure Darksend Configura Darksend - + Basic Privacy Privacy base - + High Privacy Privacy alta - + Maximum Privacy Privacy massima - + Please select a privacy level. Selezionare il livello di privacy - + Use 2 separate masternodes to mix funds up to 1000 DASH Usa 2 separati masternode per mischiare fino al 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH Usa 8 separati masternode per mischiare fino al 1000 DASH - + Use 16 separate masternodes Usa 16 separati masternode - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Questa opzione è la più veloce e ti costerà ~0.025DRK circa per anonimizzare 1000DRK - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Questa opzione è moderatamente veloce e costerà 0.05DRK circa per anonimizzare 1000DRK - + 0.1 DASH per 1000 DASH you anonymize. 0.1DRK ogni 1000DRK anonimizzati. - + This is the slowest and most secure option. Using maximum anonymity will cost Questa è la più lenta ma più sicura opzione. Usare il massimo grado di anonimizzazione costerà - - - + + + Darksend Configuration Configurazione Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Dark send è statto correttamente impostato su base (%1 e 2 round). Puoi cambiare questa impostazione in qualsiasi momento tu lo voglia dalla finestra di configurazione. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. - + Darksend è stata impostata correttamente a elevato (% 1 e 8 turni). È possibile modificare in qualsiasi momento aprendo schermata di configurazione di Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend è stato correttamente settato al massimo (%1 e 16 rounds). Puoi cambiarlo quando vuoi aprendo la finestra di configurazione di Dash @@ -1253,67 +1140,67 @@ Indirizzo: %4 EditAddressDialog - + Edit Address Modifica l'indirizzo - + &Label &Etichetta - + The label associated with this address list entry L'etichetta associata con questa voce della lista degli indirizzi - + &Address &Indirizzo - + The address associated with this address list entry. This can only be modified for sending addresses. L'indirizzo associato a questa voce della rubrica. Può essere modificato solo per gli indirizzi d'invio. - + New receiving address Nuovo indirizzo di ricezione - + New sending address Nuovo indirizzo d'invio - + Edit receiving address Modifica indirizzo di ricezione - + Edit sending address Modifica indirizzo d'invio - + The entered address "%1" is not a valid Dash address. L'indirizzo inserito "%1" non é un indirizzo Dash valido - + The entered address "%1" is already in the address book. L'indirizzo inserito "%1" è già in rubrica. - + Could not unlock wallet. Impossibile sbloccare il portafoglio. - + New key generation failed. Generazione della nuova chiave non riuscita. @@ -1321,27 +1208,27 @@ Indirizzo: %4 FreespaceChecker - + A new data directory will be created. Sarà creata una nuova cartella dati. - + name Nome - + Directory already exists. Add %1 if you intend to create a new directory here. La cartella esiste già. Aggiungi %1 se intendi creare qui una nuova cartella. - + Path already exists, and is not a directory. Il percorso è già esistente e non è una cartella. - + Cannot create data directory here. Qui non è possibile creare una cartella dati. @@ -1349,72 +1236,68 @@ Indirizzo: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Opzioni riga di comando - - - + Dash Core Dash Core - + version versione - - + + (%1-bit) - (%1-bit) + - + About Dash Core - Su Dash core + Su Dash Core - + Command-line options - + Opzioni della riga di comando - + Usage: Utilizzo: - + command-line options opzioni riga di comando - + UI options UI opzioni - + Choose data directory on startup (default: 0) Scegli una cartella dati all'avvio (predefinito: 0) - + Set language, for example "de_DE" (default: system locale) Imposta lingua, ad esempio "it_IT" (predefinita: lingua di sistema) - + Start minimized Avvia ridotto a icona - + Set SSL root certificates for payment request (default: -system-) Imposta i certificati radice SSL per le richieste di pagamento (predefinito: -system-) - + Show splash screen on startup (default: 1) Mostra finestra di presentazione all'avvio (predefinito: 1) @@ -1422,107 +1305,85 @@ Indirizzo: %4 Intro - + Welcome Benvenuto - + Welcome to Dash Core. Benvenuto in Dash Core - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Essendo la prima volta nella quale il programma viene lanciato, puoi scegliere dove Dash Core memorizzerà i propri dati. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - Dash Core scaricherà e salverà una copia della blockchain. Almeno %1GB di dati sarà immagazzinato in questa cartella e aumenterà coll tempo. Anche il portafoglio sará conservato in questa cartella. + Dash Core scaricherà e salverà una copia della blocco catena. Almeno %1GB di dati sarà immagazzinato in questa cartella e aumenterà col tempo. Anche il portafoglio sarà conservato in questa cartella. - + Use the default data directory Usa la cartella dati predefinita - + Use a custom data directory: Usa una cartella dati personalizzata: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Errore: La cartella dati "%1" specificata non può essere creata. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Errore: La cartella dati "%1" specificata non può essere creata. - + Error Errore - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 1 GB di spazio libero disponibile - GB of free space available - GB di spazio libero disponibile - - - (of %1GB needed) - (di %1GB richiesti) + + (of %1 GB needed) + (di %1 GB richiesti) OpenURIDialog - + Open URI Apri URI - + Open payment request from URI or file Apri richiesta di pagamento da URI o file - + URI: URI: - + Select payment request file Seleziona il file di richiesta di pagamento - + Select payment request file to open Seleziona il file di richiesta di pagamento da aprire @@ -1530,314 +1391,282 @@ Indirizzo: %4 OptionsDialog - + Options Opzioni - + &Main &Principale - + Automatically start Dash after logging in to the system. Esegui automaticamente Dash Core all'avvio del sistema. - + &Start Dash on system login &Esegui Dash al login di sistema - + Size of &database cache Dimensione della cache del &database. - + MB MB - + Number of script &verification threads Numero di thread di &verifica degli script - + (0 = auto, <0 = leave that many cores free) (0 = automatico, <0 = lascia questo numero di core liberi) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Questo settaggio determina attraverso quanti masternode l'input verrà anonimizzato. Più round di anonimizzazione garantiscono un grado più alto di privacy, ma anche un costo maggione in termini di commissioni.</p></body></html> - + Darksend rounds to use Round darksend da utilizzare - + This amount acts as a threshold to turn off Darksend once it's reached. - + Tale importo si comporta come una soglia per spegnere Darksend una volta che è raggiunto. - + Amount of Dash to keep anonymized Quantitá di Dash da mantenere anonima. - + W&allet Port&afoglio - + Accept connections from outside - + Accetta connessioni dall'esterno - + Allow incoming connections - + Permetti connessioni in entrata - + Connect to the Dash network through a SOCKS5 proxy. - + Connetta a la rete Dash attraverso un SOCKS5 proxy - + &Connect through SOCKS5 proxy (default proxy): - + &Connessione attraverso proxy SOCKS5 (proxy predefinito): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Commissione di transazione per kB: è opzionale e contribuisce ad assicurare che le transazioni siano elaborate velocemente. La maggior parte della transazioni ha dimensioni pari a 1 kB. - - - Pay transaction &fee - Paga la &commissione - - - + Expert Esperti - + Whether to show coin control features or not. Specifica se le funzionalita di coin control saranno visualizzate. - + Enable coin &control features Abilita le funzionalità di coin &control - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Disabilitando l'uso di resti non confermati, il resto di una transazione non potrà essere speso fino a quando la transazione non avrà ottenuto almeno una conferma. Questa impostazione influisce inoltre sul calcolo saldo. - + &Spend unconfirmed change &Spendere resti non confermati - + &Network Rete - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Apri automaticamente la porta utilizzata dal client Dash nel router. Funziona solo se il router supporta UPnP ed è attivato. - + Map port using &UPnP Mappa le porte tramite &UPnP - Connect to the Dash network through a SOCKS proxy. - Connettiti al network del Dash attraverso un proxy SOCKS. - - - &Connect through SOCKS proxy (default proxy): - &Connessione attraverso proxy SOCKS (proxy predefinito): - - - + Proxy &IP: &IP del proxy: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Indirizzo IP del proxy (es: IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Porta: - + Port of the proxy (e.g. 9050) Porta del proxy (es. 9050) - SOCKS &Version: - SOCKS &Versione: - - - SOCKS version of the proxy (e.g. 5) - Versione SOCKS del proxy (es. 5) - - - + &Window &Finestra - + Show only a tray icon after minimizing the window. Mostra solo nella tray bar quando si riduce ad icona. - + &Minimize to the tray instead of the taskbar &Minimizza nella tray bar invece che sulla barra delle applicazioni - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Riduci ad icona invece di uscire dall'applicazione quando la finestra viene chiusa. Se l'opzione è attiva, l'applicazione terminerà solo dopo aver selezionato Esci dal menu File. - + M&inimize on close M&inimizza alla chiusura - + &Display &Mostra - + User Interface &language: &Lingua Interfaccia Utente: - + The user interface language can be set here. This setting will take effect after restarting Dash. La lingua dell'interfaccia utente può essere impostata qui. Questo settaggio sarà attivo al riavvio del client. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ La tua lingua manca o la traduzione è incompleta? Contribuisci alla traduzione qui: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Tema dell'interfaccia utente. - + &Unit to show amounts in: &Unità di misura con cui visualizzare gli importi: - + Choose the default subdivision unit to show in the interface and when sending coins. Scegli l'unità di suddivisione predefinita da utilizzare per l'interfaccia e per l'invio di monete. - Whether to show Dash addresses in the transaction list or not. - Visualizza gli indirizzi Dash nella lista transazioni o no. - - - &Display addresses in transaction list - &Mostra gli indirizzi nella lista delle transazioni - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. URL di terze parti (es: un block explorer) che appaiono nella tabella delle transazioni come voci nel menu contestuale. %s nell'URL è sostituito dall'hash della transazione. Più URL vengono separati da una barra verticale |. - + Third party transaction URLs URL di transazione di terze parti - + Active command-line options that override above options: Opzioni command-line attive che sostituiscono i settaggi sopra elencati: - + Reset all client options to default. Reimposta tutte le opzioni del client allo stato predefinito. - + &Reset Options &Ripristina Opzioni - + &OK &OK - + &Cancel &Cancella - + default predefinito - + none nessuno - + Confirm options reset Conferma ripristino opzioni - - + + Client restart required to activate changes. È necessario un riavvio del client per rendere attivi i cambiamenti. - + Client will be shutdown, do you want to proceed? Il client sarà arrestato, vuoi procedere? - + This change would require a client restart. Questo cambiamento richiede un riavvio del client. - + The supplied proxy address is invalid. L'indirizzo proxy che hai fornito è invalido. @@ -1845,510 +1674,396 @@ Più URL vengono separati da una barra verticale |. OverviewPage - + Form Modulo - Wallet - Portafoglio - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. - Le informazioni visualizzate potrebbero essere datate. Il portafoglio si sincronizza automaticamente col netowork dopo che una connessione viene stabilizzata, ma questo processo non è stato ancora completato. + Le informazioni visualizzate potrebbero essere datate. Il portafoglio si sincronizza automaticamente con il Dash rete dopo che una connessione viene stabilizzata, ma questo processo non è stato ancora completato. - + Available: Disponibile: - + Your current spendable balance Saldo spendibile attuale - + Pending: In attesa: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Totale delle transazioni in corso di conferma e che non sono ancora conteggiate nel saldo spendibile - + Immature: Immaturo: - + Mined balance that has not yet matured Importo generato dal mining e non ancora maturato - + Balances - + Saldi - + Unconfirmed transactions to watch-only addresses - + Transazione non confermata per gli indirizzi di sola consulta - + Mined balance in watch-only addresses that has not yet matured - + Importo generato dal mining negli indirizzi per sola consulta e non ancora maturato - + Total: Totale: - + Your current total balance Saldo totale attuale - + Current total balance in watch-only addresses - + Attuale importe totale negli indirizzi di sola consulta - + Watch-only: - + Solo per consultare - + Your current balance in watch-only addresses - + Importo attuale negli indirizzi di sola consulta - + Spendable: - + Spendibile: - + Status: Stato: - + Enabled/Disabled Attivato/Disattivato - + Completion: Completamento: - + Darksend Balance: Bilancio Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Ammontare e Round: - + 0 DASH / 0 Rounds 0 DASH / 0 Round - + Submitted Denom: Denom inviata - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Le denominations inviate al Masternode. Per mixare gli altri utenti devono sottomettere esattamente le stesse denominazioni. - - - + n/a n/a - - - - + + + + Darksend Darksend - + Recent transactions - + Transazione recente - + Start/Stop Mixing Start/Stop Mixing - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Il valore che hai richiesto al Mastermode. <br> Per mixare, gli altri utenti devono richiedere esattamente gli stessi valori. + + + (Last Message) (Ultimo messaggio) - + Try to manually submit a Darksend request. Prova ad inserire una richiesta Darksend manualmente. - + Try Mix Prova il Mix - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Resetta lo stato corrente del Darksend (può interrompere il Darksend se è nel processo di mixaggio, costandoti una perdita economica!) - + Reset Reset - <b>Recent transactions</b> - <b>Transazioni recenti</b> - - - - - + + + out of sync non sincronizzato - - + + + + Disabled Disabilita - - - + + + Start Darksend Mixing Avvia Darksend mix - - + + Stop Darksend Mixing Ferma Darksend mix - + No inputs detected Non ci sono input rilevati + + + + + %n Rounds + Un Round%n Rounds + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. - + Uscite denominate non confermati trovati, saranno aspettare che confermano per ricalcolare. + + + + Progress: %1% (inputs have an average of %2 of %n rounds) + Progresso:%1% (gli inputs hanno una media di %2 di %n round)Progresso:%1% (gli inputs hanno una media di %2 di %n rounds) - - Rounds - Round + + Found enough compatible inputs to anonymize %1 + Incontrati sufficienti inputs compatibili per anonimizzare %1 - + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Insufficienti imputs compatibili per anonimizzare <span style='color:red;'>%1</span>,<br/>Anonimizzaranno <span style='color:red;'>%2</span> invece + + + Enabled Abilitato - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Ultimo messaggio Darksend - - - Darksend is idle. - Darksend non é attivo. - - - - Mixing in progress... - - - - - Darksend request complete: Your transaction was accepted into the pool! - Richiesta di Darksend completa: la tua transazione é stata accettata nella piscina! - - - - Submitted following entries to masternode: - - - - Submitted to masternode, Waiting for more entries - Inviato al masternode, in attesa di più voci - - - - Found enough users, signing ... - Trovati sufficienti fondi, sto firmando... - - - Found enough users, signing ( waiting. ) - Trovato abasanza utenti, sto firmando ( aspetta. ) - - - Found enough users, signing ( waiting.. ) - Trovato abasanza utenti, sto firmando ( aspetta.. ) - - - Found enough users, signing ( waiting... ) - Trovato abasanza utenti, sto firmando ( aspetta... ) - - - - Transmitting final transaction. - Trasmettendo la transazione finale. - - - - Finalizing transaction. - Finalizzando la transazione. - - - - Darksend request incomplete: - Richiesta di Darksend incompleta. - - - - Will retry... - Riprovará ... - - - - Darksend request complete: - Richiesta di Darksend completa: - - - Submitted to masternode, waiting in queue . - Inserita nel nodo maestro, aspettando in coda. - - - Submitted to masternode, waiting in queue .. - Inserita nel nodo maestro, aspettando in coda. - - - Submitted to masternode, waiting in queue ... - Inserita nel nodo maestro, aspettando in coda. - - - - Unknown state: - Situazione sconosciuta: - - - + N/A N/D - + Darksend was successfully reset. Darksend è stato resettato con successo - + Darksend requires at least %1 to use. Darksend ha bisogno almeno dell' %1 per essere usato. - + Wallet is locked and user declined to unlock. Disabling Darksend. - Il p + Portafoglio è bloccato e l'utente ha rifiutato di sbloccare. Disattivazione Darksend. PaymentServer - - - - - - + + + + + + Payment request error Errore di richiesta di pagamento - + Cannot start dash: click-to-pay handler Impossibile avviare dash: gestore click-to-pay - Net manager warning - Avviso Net manager - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Il proxy attualmente attivo non supporta SOCKS5, il quale è necessario per richieste di pagamento via proxy. - - - - - + + + URI handling Gestione URI - + Payment request fetch URL is invalid: %1 URL di recupero della Richiesta di pagamento non valido: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - Impossibile interpretare l'URI! Ciò può essere provocato da un indirizzo Dash non valido o da parametri URI non corretti. - - - + Payment request file handling Gestione del file di richiesta del pagamento - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Il file di richiesta del pagamento non può essere letto o elaborato! Il file in questione potrebbe essere danneggiato. - - - + Invalid payment address %1 - Indirizzo di pagamento non valido %1 + Invalido indirizzo di pago %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + Impossibile interpretare l'URI! La causa puó essere un indirizzo Dash non valido o parametri URI non corretti. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Il file di richiesta del pagamento non può essere letto! Il file in questione potrebbe essere non valido. - - - + + + Payment request rejected - + Richiesta di pago rifiutata - + Payment request network doesn't match client network. - + La rete della richiesta di pagamento non coincide con la rete del cliente. - + Payment request has expired. - + La richiesta di pagamento é scaduta - + Payment request is not initialized. - + La richiesta di pagamento non ha cominciato - + Unverified payment requests to custom payment scripts are unsupported. Le richieste di pagamento non verificate verso script di pagamento personalizzati non sono supportate. - + Requested payment amount of %1 is too small (considered dust). L'importo di pagamento richiesto di %1 è troppo basso (considerato come trascurabile). - + Refund from %1 Rimborso da %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Il pagamento richiesto %1 é troppo grande (%2 bytes, permesso %3 bytes). - + Payment request DoS protection - + Protezione DoS della richiesta di pago - + Error communicating with %1: %2 Errore di comunicazione con %1: %2 - + Payment request cannot be parsed! - + La richiesta di pagamento non può essere analizzata o processata! - Payment request can not be parsed or processed! - La richiesta di pagamento non può essere analizzata o processata! - - - + Bad response from server %1 Risposta errata da parte del server %1 - + Network request error Errore di richiesta di rete - + Payment acknowledged Pagamento riconosciuto @@ -2356,139 +2071,98 @@ Più URL vengono separati da una barra verticale |. PeerTableModel - + Address/Hostname - + Indirizzo/Hostname - + User Agent - + Agente Utente - + Ping Time - + QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Errore: La cartella dati "%1" specificata non esiste. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Errore: impossibile interpretare il file di configurazione: %1. Usare esclusivamente la sintassi chiave=valore. - - - - Error reading masternode configuration file: %1 - Errore nella lettura del file di configurazione del masternode: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Errore: combinazione di -regtest e -testnet non valida. - - - - Dash Core didn't yet exit safely... - Dash Core non e' chiuso sicuro ancora... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Inserisci un indirizzo Dash (es.XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Importo + Importo - + Enter a Dash address (e.g. %1) - + Inserire un indirizzo Dash (e.g. %1) - + %1 d - + %1 d - + %1 h - %1 h + %1 h - + %1 m - %1 m + %1 m - + %1 s - + %1 s - + NETWORK - + RETE - + UNKNOWN - + SCONOSCIUTO - + None - + Nessuno - + N/A - N/D + - + %1 ms - + %1 ms QRImageWidget - + &Save Image... &Salva Immagine - + &Copy Image &Copia Immagine - + Save QR Code Salva codice QR - + PNG Image (*.png) Immagine PNG (*.png) @@ -2496,436 +2170,495 @@ Più URL vengono separati da una barra verticale |. RPCConsole - + Tools window Finestra strumenti - + &Information &Informazioni - + Masternode Count Conteggio Masternode - + General Generale - + Name Nome - + Client name Nome del client - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A N/D - + Number of connections Numero di connessioni - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Apri il file log di debug dall'attuale cartella dei dati. Può richiedere un paio di secondi per file di grossa dimensione. - + &Open &Apri - + Startup time Tempo di avvio - + Network Rete - + Last block time Ora del blocco più recente - + Debug log file File log del Debug - + Using OpenSSL version Versione OpenSSL in uso - + Build date Data di creazione - + Current number of blocks Numero attuale di blocchi - + Client version Versione client - + Using BerkeleyDB version - + Usando versione BerkeleyDB - + Block chain Block chain - + &Console &Console - + Clear console Cancella console - + &Network Traffic &Traffico di Rete - + &Clear &Cancella - + Totals Totali - + Received - + Ricevuto - + Sent - + Spedito - + &Peers - + - - - + + + Select a peer to view detailed information. - + Seleziona un peer per vedere informazione dettagliata - + Direction - + Direzione - + Version - + Versione - + User Agent - + Agente Utente - + Services - + Servizi - + Starting Height - + - + Sync Height - + - + Ban Score - + - + Connection Time - + Tempo di connessione - + Last Send - + Ultimo Invio - + Last Receive - + Ultima Ricezione - + Bytes Sent - + Bytes Inviati - + Bytes Received - + Bytes Ricevuti - + Ping Time - + - + + &Wallet Repair + &Riparare Portafoglio + + + + Salvage wallet + Recuperare il portafoglio + + + + Rescan blockchain files + Ripeti l'analisi dei file del blockchain + + + + Recover transactions 1 + Ristabilire le transazioni 1 + + + + Recover transactions 2 + Ristabilire le transazioni 2 + + + + Upgrade wallet format + Aggiorna il formato del portafoglio + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + I bottoni sottostanti reiniziaranno il portafoglio con le opzioni di linea di comando per riparare il portafoglio e sistemare problemi con i file della blockchain corrotti o con transazioni perse o inadeguate + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -recuperareportafoglio: Tenta di recuperare le chiavi private da un wallet.dat corrotto. + + + + -rescan: Rescan the block chain for missing wallet transactions. + -ripetereanalisi: Ripete l'analisi della catena dei blocchi per cercare le transazioni mancanti dal portamonete + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Recupera transazioni dalla catena di blocchi (mantiene i meta-data, es. il propietario del conto) + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Recupera transazioni dalla catena di blocchi (non conserva i meta-data) + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + -aggiornaportafoglio: Aggiorna il portafoglio all'ultima versione in startup. (Nota: questo NON é un aggiornamento del portafoglio stesso!) + + + + Wallet repair options. + Opzioni per riparare il portafoglio. + + + + Rebuild index + Ricostruire l'indice + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -riindicizzare: Ricostruisce l'indice della catena di blocchi a partire dagli attuali blk000??.dat files + + + In: Entrata: - + Out: Uscita: - + Welcome to the Dash RPC console. Benvenuto nella console RPC Dash - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Usa le frecce direzionali per navigare la cronologia, e <b>Ctrl-L</b> per cancellarla. - + Type <b>help</b> for an overview of available commands. Scrivi <b>help</b> per un riassunto dei comandi disponibili - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + via %1 - - + + never - + mai - + Inbound - + In entrata - + Outbound - + In uscita - + Unknown - + Sconosciuto - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Riutilizza uno degli indirizzi di ricezione generati in precedenza. Riutilizzare un indirizzo comporta problemi di sicurezza e privacy. Non utilizzare a meno che non si stia rigenerando una richiesta di pagamento creata in precedenza. - + R&euse an existing receiving address (not recommended) R&iusa un indirizzo di ricezione (non raccomandato) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Messaggio opzionale da allegare alla richiesta di pagamento, che verrà visualizzato quando la richiesta verrà aperta. Nota: il messaggio non sarà inviato insieme al pagamento nel network Dash. + Messaggio opzionale da allegare alla richiesta di pagamento, che verrà visualizzato quando la richiesta verrà aperta. Nota: il messaggio non sarà inviato insieme al pagamento nel network Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Messaggio: - - + + An optional label to associate with the new receiving address. Un'etichetta facoltativa da associare al nuovo indirizzo di ricezione - + Use this form to request payments. All fields are <b>optional</b>. Usa questo modulo per richiedere pagamenti. Tutti i campi sono <b>opzionali</b>. - + &Label: &Etichetta - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Un importo opzionale da associare alla richiesta. Lasciare vuoto o a zero per non richiedere un importo specifico. - + &Amount: &Importo: - + &Request payment &Richiedi pagamento - + Clear all fields of the form. Cancellare tutti i campi del modulo. - + Clear Cancella - + Requested payments history Cronologia pagamenti ricevuti - + Show the selected request (does the same as double clicking an entry) Mostra la richiesta selezionata (produce lo stesso effetto di un doppio click su una voce) - + Show Mostra - + Remove the selected entries from the list Rimuovi le voci selezionate dalla lista - + Remove Rimuovi - + Copy label Copia l'etichetta - + Copy message Copia messaggio - + Copy amount Copia l'importo @@ -2933,67 +2666,67 @@ Più URL vengono separati da una barra verticale |. ReceiveRequestDialog - + QR Code Codice QR - + Copy &URI Copia &URI - + Copy &Address Copia &Indirizzo - + &Save Image... &Salva Immagine - + Request payment to %1 Richiesta di pagamento a %1 - + Payment information Informazioni pagamento - + URI URI - + Address Indirizzo - + Amount Importo - + Label Etichetta - + Message Messaggio - + Resulting URI too long, try to reduce the text for label / message. L'URI risultante è troppo lungo, prova a ridurre il testo nell'etichetta / messaggio. - + Error encoding URI into QR Code. Errore nella codifica dell'URI nel codice QR @@ -3001,37 +2734,37 @@ Più URL vengono separati da una barra verticale |. RecentRequestsTableModel - + Date Data - + Label Etichetta - + Message Messaggio - + Amount Importo - + (no label) (nessuna etichetta) - + (no message) (nessun messaggio) - + (no amount) (nessun importo) @@ -3039,412 +2772,396 @@ Più URL vengono separati da una barra verticale |. SendCoinsDialog - - - + + + Send Coins Invia dash - + Coin Control Features Funzionalità di Coin Control - + Inputs... Input... - + automatically selected selezionato automaticamente - + Insufficient funds! Fondi insufficienti! - + Quantity: Quantità: - + Bytes: Byte: - + Amount: Importo: - + Priority: Priorità: - + medium media - + Fee: Commissione: - Low Output: - Low Output: - - - + Dust: - + - + no no - + After Fee: Dopo Commissione: - + Change: Resto: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. - Se questo è abilitato e l'indirizzo per il resto è vuoto o invalido, il resto sarà inviato ad un nuovo indirizzo bitcoin generato appositamente. + Se questo è abilitato e l'indirizzo per il resto è vuoto o invalido, il resto sarà inviato ad un nuovo indirizzo generato appositamente. - + Custom change address Personalizza indirizzo di resto - + Transaction Fee: - + Commissione della transazione - + Choose... - + Scegli... - + collapse fee-settings - + Abbassare la finestra delle opzioni delle commissioni - + Minimize - + Ridurre - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Se la commissione é stabilita a 1000 duffs e la transazione é di solo 250 bytes, allora solo si paga 250 duffs di tasse "per kilobyte", mentre "come minimo" paga 1000 duffs. Per transazioni maggiori di un kilobyte entrambe pagano per kilobyte. - + per kilobyte - + per kilobyte - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Se la commissione é stabilita a 1000 duffs e la transazione é di solo 250 bytes, allora solo si paga 250 duffs di tasse "per kilobyte", mentre il "totale come minimo" paga 1000 duffs. Per transazioni maggiori di un kilobyte entrambe pagano per kilobyte. - + total at least - + totale come minimo - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + Pagare solo la commissione minima va bene fino a quando il volume delle transazioni é inferiore allo spazio nei blocchi. Ma attenzione perché se c'é piú domanda di transazioni dash di quelle che la rete puó processare, puó essere che la transazione non si confermi mai. - + (read the tooltip) - + - + Recommended: - + Raccomandato - + Custom: - + - + (Smart fee not initialized yet. This usually takes a few blocks...) - + - + Confirmation time: - + Tempo per la conferma: - + normal - + normale - + fast - + rapido - + Send as zero-fee transaction if possible - + Se é possibile, inviare una transazione senza commissione, - + (confirmation may take longer) - + (la conferma puó avere bisogno di tempo) - + Confirm the send action Conferma l'azione di invio - + S&end &Invia - + Clear all fields of the form. Cancellare tutti i campi del modulo. - + Clear &All Cancella &tutto - + Send to multiple recipients at once Invia a diversi beneficiari in una volta sola - + Add &Recipient &Aggiungi beneficiario - + Darksend Darksend - + InstantX InstantX - + Balance: Saldo: - + Copy quantity Copia quantità - + Copy amount Copia l'importo - + Copy fee Copia commissione - + Copy after fee Copia dopo commissione - + Copy bytes Copia byte - + Copy priority Copia priorità - Copy low output - Copia low output - - - + Copy dust - + - + Copy change Copia resto - - - + + + using utilizzando - - + + anonymous funds fondi anonimi - + (darksend requires this amount to be rounded up to the nearest %1). - + (darksend richiede questo importo da arrotondato al più vicino% 1). - + any available funds (not recommended) tutti i fondi disponibili (non raccomandato) - + and InstantX e InstantX - - - - + + + + %1 to %2 %1 a %2 - + Are you sure you want to send? Sei sicuro di voler inviare? - + are added as transaction fee sono aggiunti come pagamento per la transazione - + Total Amount %1 (= %2) Importo Totale %1 (= %2) - + or o - + Confirm send coins Conferma l'invio di dash - Payment request expired - Richiesta di pagamento scaduta + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Una commissione %1 volte piú alta che %2 per kB é considerata incredibilmente alta. + + + + Estimated to begin confirmation within %n block(s). + Inizio della confirmazione stimato in un bloccoInizio della confirmazione stimato in %n blocchi - Invalid payment address %1 - Indirizzo di pagamento non valido %1 - - - + The recipient address is not valid, please recheck. L'indirizzo del beneficiario non è valido, si prega di ricontrollare. - + The amount to pay must be larger than 0. L'importo da pagare dev'essere maggiore di 0. - + The amount exceeds your balance. L'importo è superiore al tuo saldo attuale - + The total exceeds your balance when the %1 transaction fee is included. Il totale è superiore al tuo saldo attuale includendo la commissione di %1. - + Duplicate address found, can only send to each address once per send operation. - Rilevato un indirizzo duplicato, è possibile inviare bitcoin una sola volta agli indirizzi durante un'operazione di invio. + Rilevato un indirizzo duplicato, è possibile inviare una sola volta agli indirizzi durante un'operazione di invio. - + Transaction creation failed! Creazione transazione fallita! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - La transazione è stata rifiutata! Questo può accadere se alcuni bitcoin nel tuo portamonete sono già stati spesi, ad esempio se hai utilizzato una copia del file wallet.dat per spendere bitcoin e questi non sono stati considerati spesi dal portamonete corrente. + La transazione è stata rifiutata! Questo può accadere se alcuni monete nel tuo portafoglio sono già stati spesi, ad esempio se hai utilizzato una copia del file wallet.dat per spendere monete e questi non sono stati considerati spesi dal portafoglio corrente. - + Error: The wallet was unlocked only to anonymize coins. Errore: il portafoglio era sbloccato solo per le monete anonimizzate - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Pagare solo la minima commissione di %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address ATTENZIONE: Indirizzo Dash non valido - + Warning: Unknown change address Attenzione: Indirizzo per il resto sconosciuto - + (no label) (nessuna etichetta) @@ -3452,102 +3169,98 @@ Più URL vengono separati da una barra verticale |. SendCoinsEntry - + This is a normal payment. Questo è un normale pagamento. - + Pay &To: Paga &a: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - L'indirizzo al quale inviare il pagamento (ad es. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + L'indirizzo Dash per inviare il pagamento a - + Choose previously used address Scegli un indirizzo usato precedentemente - + Alt+A Alt+A - + Paste address from clipboard Incollare l'indirizzo dagli appunti - + Alt+P Alt+P - - - + + + Remove this entry Rimuovi questa voce - + &Label: &Etichetta - + Enter a label for this address to add it to the list of used addresses Inserisci un'etichetta per questo indirizzo per aggiungerlo alla lista degli indirizzi utilizzati - - - + + + A&mount: I&mporto: - + Message: Messaggio: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Un messaggio allegato con l'URI dash che verrà memorizzato nella transazione per il tuo referente. Nota: questo messaggio non verrà inviato attraverso il network Dash. - + This is an unverified payment request. Questa è una richiesta di pagamento non verificata. - - + + Pay To: Pagare a: - - + + Memo: Memo: - + This is a verified payment request. Questa è una richiesta di pagamento verificata. - + Enter a label for this address to add it to your address book Inserisci un'etichetta per questo indirizzo, per aggiungerlo nella rubrica @@ -3555,12 +3268,12 @@ Più URL vengono separati da una barra verticale |. ShutdownWindow - + Dash Core is shutting down... Dash Core si sta chiudendo... - + Do not shut down the computer until this window disappears. Non spegnere il computer fino a quando questa finestra non si sarà chiusa. @@ -3568,193 +3281,181 @@ Più URL vengono separati da una barra verticale |. SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Firme - Firma / Verifica un messaggio - + &Sign Message &Firma il messaggio - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Puoi firmare messaggi con i tuoi indirizzi in modo da dimostrarne il possesso. Presta attenzione a non firmare dichiarazioni vaghe, attacchi di phishing potrebbero cercare di spingerti ad apporre la tua firma su di esse. Firma solo dichiarazioni completamente dettagliate e delle quali condividi in pieno il contenuto. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - L'indirizzo con il quale firmare il messaggio(ad es. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + L'indirizzo Dash con cui firmare il messaggio - - + + Choose previously used address Scegli un indirizzo usato precedentemente - - + + Alt+A Alt+A - + Paste address from clipboard Incolla l'indirizzo dagli appunti - + Alt+P Alt+P - + Enter the message you want to sign here Inserisci qui il messaggio che vuoi firmare - + Signature Firma - + Copy the current signature to the system clipboard Copia la firma corrente nella clipboard - + Sign the message to prove you own this Dash address Firma il mssaggio per dimostrare il possesso di questo indirizzo Dash - + Sign &Message Firma &Messaggio - + Reset all sign message fields Reimposta tutti i campi della firma messaggio - - + + Clear &All Cancella &tutto - + &Verify Message &Verifica Messaggio - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Inserisci l'indirizzo del firmatario, il messaggio (assicurati di copiare esattamente anche i ritorni a capo, gli spazi, le tabulazioni, etc..) e la firma qui sotto, per verificare il messaggio. Presta attenzione a non vedere nella firma più di quanto non sia riportato nel messaggio stesso, per evitare di cadere vittima di attacchi di tipo man-in-the-middle. - + The Dash address the message was signed with - + L'indirizzo Dash con cui era firmato il messaggio - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - L'indirizzo con il quale è stato firmato il messaggio (ad es. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Verifica il messaggio per assicurarti sia stato firmato con l'indirizzo Dash specificato - + Verify &Message Verifica &Messaggio - + Reset all verify message fields Reimposta tutti i campi della verifica messaggio - + Click "Sign Message" to generate signature Clicca "Firma il messaggio" per ottenere la firma - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Inserisci un indirizzo Dash (es.XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. L'indirizzo inserito non è valido. - - - - + + + + Please check the address and try again. Per favore controlla l'indirizzo e prova ancora - - + + The entered address does not refer to a key. - L'indirizzo bitcoin inserito non è associato a nessuna chiave. + L'indirizzo inserito non è associato a nessuna chiave. - + Wallet unlock was cancelled. - Sblocco del portamonete annullato. + Sblocco del portafoglio annullato. - + Private key for the entered address is not available. La chiave privata per l'indirizzo inserito non è disponibile. - + Message signing failed. Firma messaggio fallita. - + Message signed. Messaggio firmato. - + The signature could not be decoded. Non è stato possibile decodificare la firma. - - + + Please check the signature and try again. Per favore controlla la firma e prova ancora. - + The signature did not match the message digest. La firma non corrisponde al digest del messaggio. - + Message verification failed. Verifica messaggio fallita. - + Message verified. Messaggio verificato. @@ -3762,27 +3463,27 @@ Più URL vengono separati da una barra verticale |. SplashScreen - + Dash Core Dash Core - + Version %1 Versione%1 - + The Bitcoin Core developers Gli sviluppatori di Bitcoin Core - + The Dash Core developers Gli sviluppatori di Dash Core - + [testnet] [testnet] @@ -3790,7 +3491,7 @@ Più URL vengono separati da una barra verticale |. TrafficGraphWidget - + KB/s KB/s @@ -3798,254 +3499,245 @@ Più URL vengono separati da una barra verticale |. TransactionDesc - + Open for %n more block(s) - - Aperto per %n blocco(i) ancora - Aperto per %n blocco(i) ancora - + Aperto per un blocco in piúAperto per %n blocchi in piú - + Open until %1 Aperto fino a %1 - - - - + + + + conflicted in conflitto - + %1/offline (verified via instantx) %1/offline (verificato via intantx) - + %1/confirmed (verified via instantx) %1/confermato (verificato via instantx) - + %1 confirmations (verified via instantx) %1 conferme (verificate via instantx) - + %1/offline %1/offline - + %1/unconfirmed %1/non confermato - - + + %1 confirmations %1 conferme - + %1/offline (InstantX verification in progress - %2 of %3 signatures) - + %1/offline (InstantX verifica in corso - %2 di %3 firme) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) - + %1/confermato (InstantX verifica in corso - %2 di %3 firme ) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) - + %1 conferma (InstantX verifica in corso - %2 di %3 firme) - + %1/offline (InstantX verification failed) - + %1/offline (InstantX verifica fallita) - + %1/confirmed (InstantX verification failed) - + %1/confermato (InstantX verifica fallita) - + Status Stato - + , has not been successfully broadcast yet , non è stato ancora trasmesso con successo - + , broadcast through %n node(s) - - - - + trasmettere attraverso un nodotrasmettere attraverso %n nodi - + Date Data - + Source Sorgente - + Generated Generato - - - + + + From Da - + unknown sconosciuto - - - + + + To A - + own address proprio indirizzo - - + + watch-only - + Solo per consultare - + label etichetta - - - - - + + + + + Credit Credito - + matures in %n more block(s) - - - - + Matura in un blocco in piú.Matura in %n blocchi in piú. - + not accepted non accettato - - - + + + Debit Debito - + Total debit - + Debito totale - + Total credit - + Credito totale - + Transaction fee Commissione transazione - + Net amount Importo netto - - + + Message Messaggio - + Comment Commento - + Transaction ID ID della transazione - + Merchant Mercante - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. - È necessario attendere %1 blocchi prima che i bitcoin generati possano essere spesi. Quando è stato generato questo blocco, è stato trasmesso alla rete in modo da poter essere aggiunto alla block chain. Se l'inserimento avrà esito negativo il suo stato sarà modificato in "non accettato" e risulterà non spendibile. Questo può occasionalmente accadere se un altro nodo genera un blocco entro pochi secondi dal tuo. + È necessario attendere %1 blocchi prima che i monete generati possano essere spesi. Quando è stato generato questo blocco, è stato trasmesso alla rete in modo da poter essere aggiunto alla blocco catena. Se l'inserimento avrà esito negativo il suo stato sarà modificato in "non accettato" e risulterà non spendibile. Questo può occasionalmente accadere se un altro nodo genera un blocco entro pochi secondi dal tuo. - + Debug information Informazione di debug - + Transaction Transazione - + Inputs Input - + Amount Importo - - + + true vero - - + + false falso @@ -4053,12 +3745,12 @@ Più URL vengono separati da una barra verticale |. TransactionDescDialog - + Transaction details Dettagli sulla transazione - + This pane shows a detailed description of the transaction Questo pannello mostra una descrizione dettagliata della transazione @@ -4066,169 +3758,162 @@ Più URL vengono separati da una barra verticale |. TransactionTableModel - + Date Data - + Type Tipo - + Address Indirizzo - - Amount - Importo - - + Open for %n more block(s) - - - Aperto per %n blocco(i) ancora - + Aperto per un blocco in piúAperto per %n blocchi in piú - + Open until %1 Aperto fino a %1 - + Offline Offline - + Unconfirmed Non confermato - + Confirming (%1 of %2 recommended confirmations) In conferma (%1 di %2 conferme raccomandate) - + Confirmed (%1 confirmations) Confermato (%1 conferme) - + Conflicted In conflitto - + Immature (%1 confirmations, will be available after %2) Immaturo (%1 conferme, sarà disponibile fra %2) - + This block was not received by any other nodes and will probably not be accepted! Questo blocco non è stato ricevuto dagli altri nodi e probabilmente non sarà accettato! - + Generated but not accepted Generati, ma non accettati - + Received with Ricevuto tramite - + Received from Ricevuto da - + Received via Darksend Ricevuto via Darksend - + Sent to Inviato a - + Payment to yourself Pagamento a te stesso - + Mined Ottenuto dal mining - + Darksend Denominate Darksend Denominazione - + Darksend Collateral Payment Darksend Collaterale Pagamento - + Darksend Make Collateral Inputs - + Darksend Fa Ingressi Collaterali - + Darksend Create Denominations - + Darksend Crea Denominazioni - + Darksent Darksent - + watch-only - + Solo per consultare - + (n/a) (N / a) - + Transaction status. Hover over this field to show number of confirmations. Stato della transazione. Passare con il mouse su questo campo per visualizzare il numero di conferme. - + Date and time that the transaction was received. Data e ora in cui la transazione è stata ricevuta. - + Type of transaction. Tipo di transazione. - + Whether or not a watch-only address is involved in this transaction. - + Incluso se in questa transazione é coinvolto un indirizzo di sola consulta - + Destination address of transaction. Indirizzo di destinazione della transazione. - + Amount removed from or added to balance. Importo rimosso o aggiunto al saldo. @@ -4236,207 +3921,208 @@ Più URL vengono separati da una barra verticale |. TransactionView - - + + All Tutti - + Today Oggi - + This week Questa settimana - + This month Questo mese - + Last month Il mese scorso - + This year Quest'anno - + Range... Intervallo... - + + Most Common + Piú Comune + + + Received with Ricevuto tramite - + Sent to Inviato a - + Darksent Darksent - + Darksend Make Collateral Inputs - + Darksend Fa Ingressi Collaterali - + Darksend Create Denominations - + Darksend Crea Denominazioni - + Darksend Denominate Darksend Denominazione - + Darksend Collateral Payment Darksend Collaterale Pagamento - + To yourself A te stesso - + Mined Ottenuto dal mining - + Other Altro - + Enter address or label to search Inserisci un indirizzo o un'etichetta da cercare - + Min amount Importo minimo - + Copy address Copia l'indirizzo - + Copy label Copia l'etichetta - + Copy amount Copia l'importo - + Copy transaction ID Copia l'ID transazione - + Edit label Modifica l'etichetta - + Show transaction details Mostra i dettagli della transazione - + Export Transaction History Esporta lo storico delle transazioni - + Comma separated file (*.csv) Testo CSV (*.csv) - + Confirmed Confermato - + Watch-only - + Solo per consultare - + Date Data - + Type Tipo - + Label Etichetta - + Address Indirizzo - Amount - Importo - - - + ID ID - + Exporting Failed Esportazione Fallita. - + There was an error trying to save the transaction history to %1. Si è verificato un errore durante il salvataggio dello storico delle transazioni in %1. - + Exporting Successful Esportazione Riuscita - + The transaction history was successfully saved to %1. Lo storico delle transazioni e' stato salvato con successo in %1. - + Range: Intervallo: - + to a @@ -4444,15 +4130,15 @@ Più URL vengono separati da una barra verticale |. UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Unitá per mostrare gli importi. Clicca per selezionare un'altra unitá. WalletFrame - + No wallet has been loaded. Non è stato caricato alcun portafoglio. @@ -4460,59 +4146,58 @@ Più URL vengono separati da una barra verticale |. WalletModel - - + + + Send Coins Invia dash - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX non supporta ancora l'invio di somme così alte. Le transazioni sono attualmente limitate al %n DASH. - InstantX non supporta ancora l'invio di somme così alte. Le transazioni sono attualmente limitate al %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX non supporta ancora l'invio di somme così alte. Le transazioni sono attualmente limitate al %1 DASH. WalletView - + &Export &Esporta - + Export the data in the current tab to a file Esporta su file i dati della tabella corrente - + Backup Wallet Backup Portafoglio - + Wallet Data (*.dat) Dati Portafoglio (*.dat) - + Backup Failed Backup Fallito - + There was an error trying to save the wallet data to %1. - Si è verificato un errore durante il salvataggio dei dati del portamonete in %1. + Si è verificato un errore durante il salvataggio dei dati del portafoglio in %1. - + Backup Successful Backup eseguito con successo - + The wallet data was successfully saved to %1. Il portafoglio è stato correttamente salvato in %1. @@ -4520,8 +4205,503 @@ Più URL vengono separati da una barra verticale |. dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Associa all'indirizzo indicato e resta permanentemente in ascolto su questo. Usa la notazione [host]:porta per l'IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Impossibile ottenere un blocco sulla data directory % s. Dash Core è probabilmente già in esecuzione. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend utilizza esatto denominato importo a inviare fondi, si potrebbe semplicemente bisogno di anonimizzare alcuni più monete. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Entra in modalità di test di regressione, la quale usa una speciale catena in cui i blocchi possono essere risolti istantaneamente. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Errore: Ascolto per le connessioni in entrata non riuscita (ascoltare errore restituito %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Esegue un comando quando viene ricevuto un allarme rilevante o quando vediamo un fork veramente lungo (%s in cmd è sostituito dal messaggio) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Esegui comando quando una transazione del portamonete cambia (%s in cmd è sostituito da TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Esegui il comando quando il migliore blocco cambia(%s nel cmd è sostituito dall'hash del blocco) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Uscite denominate non confermati trovati, saranno aspettare che confermano per continua. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + In questa modalità -genproclimit determina quanti blocchi saranno generati immediatamente. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX richiede input con almeno 6 conferme, potrebbe essere necessario attendere qualche minuto e poi riprovare. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Nome di costruire url per l'ingresso KeePass che memorizza la parola d'ordine portafoglio + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Fare domande per indirizzi pari via lookup DNS, se a corto di indirizzi (predefinita: 1 a meno -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Imposta indirizzo esterno:port per arrivare a questo Masternode (esempio: address:port) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Imposta la dimensione massima in byte delle transazioni ad alta-priorità/basse-commissioni (predefinita: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Imposta il numero di thread per la verifica degli script (da %u a %d, 0 = automatico, <0 = lascia questo numero di core liberi, predefinito: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Questa versione è una compilazione pre-rilascio - usala a tuo rischio - non utilizzarla per la generazione o per applicazioni di commercio + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Incapace di legare al %s su questo computer. Dash Core è probabilmente già funzionato. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Impossibile trovare fondi sufficienti Darksend denominati per questa transazione. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Impossibile trovare un numero sufficiente di non denominati fondi Darksend per questa operazione che non sono uguali a 1000 DASH. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Impossibile trovare un numero sufficiente di non denominati fondi Darksend per questa transazione. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Attenzione: -paytxfee è molto alta. Questa è la commissione che si paga quando si invia una transazione. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Attenzione: La rete non sembra essere d'accordo pienamente! Alcuni minatori sembrano riscontrare problemi. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Attenzione: Sembra che non ci sia completo accordo con i nostri peer! Un aggiornamento da parte tua o degli altri nodi potrebbe essere necessario. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Attenzione: errore di lettura di wallet.dat! Tutte le chiavi sono state lette correttamente, ma i dati delle transazioni o le voci in rubrica potrebbero mancare o non essere corretti. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Attenzione: wallet.dat corrotto, dati recuperati! Il wallet.dat originale è stato salvato come wallet.{timestamp}.bak in %s; se il tuo saldo o le transazioni non sono corrette dovresti ripristinare da un backup. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Devi specificare una masternodeprivkey nella configurazione. Per favore consulta la documentazione di aiuto. + + + + (default: 1) + (predefinito: 1) + + + + Accept command line and JSON-RPC commands + Accetta comandi da riga di comando e JSON-RPC + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Accetta connessioni dall'esterno (predefinito: 1 se no -proxy o -connect) + + + + Add a node to connect to and attempt to keep the connection open + Aggiunge un nodo a cui connettersi e tenta di tenere aperta la connessione + + + + Allow DNS lookups for -addnode, -seednode and -connect + Consenti ricerche DNS per -addnode, -seednode e -connect + + + + Already have that input. + Hai già quello ingresso. + + + + Attempt to recover private keys from a corrupt wallet.dat + Tenta di recuperare le chiavi private da un wallet.dat corrotto + + + + Block creation options: + Opzioni creazione blocco: + + + + Can't denominate: no compatible inputs left. + Non può denominare: no ingressi compatibili rimasto. + + + + Cannot downgrade wallet + Non è possibile effettuare il downgrade del portafoglio + + + + Cannot resolve -bind address: '%s' + Impossibile risolvere -bind address: '%s' + + + + Cannot resolve -externalip address: '%s' + Impossibile risolvere indirizzo -externalip: '%s' + + + + Cannot write default address + Non è possibile scrivere l'indirizzo predefinito + + + + Collateral not valid. + Collateral non valido. + + + + Connect only to the specified node(s) + Connetti solo al nodo specificato + + + + Connect to a node to retrieve peer addresses, and disconnect + Connettiti ad un nodo per recuperare gli indirizzi dei peer e scollegati + + + + Connection options: + Opzioni di connessione: + + + + Corrupted block database detected + Rilevato database blocchi corrotto + + + + Darksend is disabled. + Darksend è disabilitato + + + + Darksend options: + Opzioni Darksend: + + + + Debugging/Testing options: + Opzioni di Debug/Test: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Scopre il proprio indirizzo IP (predefinito: 1 se in ascolto e no -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Non caricare il portafoglio e disabilita le chiamate RPC al portafoglio + + + + Do you want to rebuild the block database now? + Vuoi ricostruire ora il database dei blocchi? + + + + Done loading + Caricamento completato + + + + Entries are full. + Entrate sono piene. + + + + Error initializing block database + Errore durante l'inizializzazione del database dei blocchi + + + + Error initializing wallet database environment %s! + Errore durante l'inizializzazione dell'ambiente %s del database del portafoglio! + + + + Error loading block database + Errore caricamento database blocchi + + + + Error loading wallet.dat + Errore caricamento wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Errore caricamento wallet.dat: Portafoglio corrotto + + + + Error opening block database + Errore caricamento database blocchi + + + + Error reading from database, shutting down. + Errore di lettura del database, spegnimento + + + + Error recovering public key. + Errore nel recupero della chiave pubblica. + + + + Error + Errore + + + + Error: Disk space is low! + Errore: la spazio libero sul disco è insufficiente! + + + + Error: Wallet locked, unable to create transaction! + Errore: portafoglio bloccato, impossibile creare la transazione! + + + + Error: You already have pending entries in the Darksend pool + Errore: è già voci in sospeso in piscina Darksend + + + + Failed to listen on any port. Use -listen=0 if you want this. + Nessuna porta disponibile per l'ascolto. Usa -listen=0 se vuoi procedere comunque. + + + + Failed to read block + Lettura blocco fallita + + + + If <category> is not supplied, output all debugging information. + Se <category> non è specificata, mostra tutte le informazioni di debug. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1= mantiene il testo meta data p.es. propietario del conto e informazione richiesta di pagamento, 2 = scarta il testo meta data) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + Permettere la connessione JSON-RPC dalla sorgente specificata. Validi come <ip> sono un singolo IP (p.es. 1.2.3.4), una network/netmask (p.es. 1.2.3.4/255.255.255.0) o una network/CIDR (p.es. 1.2.3.4/24). Questa opzione puó essere specificata molteplici volte + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + C'é stato un errore durante la configurazione dell'indirizzo RPC %s porta %u per l'ascolto: %s + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + + + + + Output debugging information (default: %u, supplying <category> is optional) + + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + + + + + Require high priority for relaying free or low-fee transactions (default:%u) + + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4532,1366 +4712,918 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, devi settare la rpcpassword nel file de configurazione: -%s -Si raccomanda di utilizzare la seguente password randomizzata: -rpcuser=dashrpc -rpcpassword=%s -(non è necessario che ti ricordi questa password) -username e password NON devono essere uguali. -Se il file non eseiste, crealo con i soli permessi di lettura da parte del propietario. -Si raccomanda inoltre di impostare la notifica di allerta in modo da ricevere un avviso in caso di problemi; -ad esempio: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - + - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Cifrature accettabili (predefinito: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Errore riscontrato durante l'impostazione della porta RPC %u per l'ascolto su IPv6, tornando su IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Associa all'indirizzo indicato e resta permanentemente in ascolto su questo. Usa la notazione [host]:porta per l'IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Impossibile ottenere un blocco sulla data directory % s. Dash Core è probabilmente già in esecuzione. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Limita la quantità di transazioni gratuite ad <n>*1000 byte al minuto (predefinito: 15) + + (default: %s) + - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - + + <category> can be: + + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Disabilita tutti i Masternode e le funzioni relative a Darksend (0-1, default: 0) + + Accept public REST requests (default: %u) + - - Enable instantx, show confirmations for locked transactions (bool, default: true) - + + Acceptable ciphers (default: %s) + - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - + + Always query for peer addresses via DNS lookup (default: %u) + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Entra in modalità di test di regressione, la quale usa una speciale catena in cui i blocchi sono risolti istantaneamente. Questo è fatto per lo sviluppo di strumenti e applicazioni per test di regressione. + + Cannot resolve -whitebind address: '%s' + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Entra in modalità di test di regressione, la quale usa una speciale catena in cui i blocchi possono essere risolti istantaneamente. + + Connect through SOCKS5 proxy + - - Error: Listening for incoming connections failed (listen returned error %s) - + + Connect to KeePassHttp on port <port> (default: %u) + - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Errore: la transazione è stata rifiutata! Questo può accadere se alcuni bitcoin nel tuo portamonete sono già stati spesi, ad esempio se hai utilizzato una copia del file wallet.dat per spendere bitcoin e questi non sono stati considerati spesi dal portamonete corrente. + + Copyright (C) 2009-%i The Bitcoin Core Developers + - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Errore: questa transazione necessita di una commissione di almeno %s a causa del suo ammontare, della sua complessità, o dell'uso di fondi recentemente ricevuti! + + Copyright (C) 2014-%i The Dash Core Developers + - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Errore: Portafoglio sbloccato solamente per l'anonimizzazione, impossibile creare la transazione. + + Could not parse -rpcbind value %s as network address + - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Esegue un comando quando viene ricevuto un allarme rilevante o quando vediamo un fork veramente lungo (%s in cmd è sostituito dal messaggio) + + Darksend is idle. + - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Esegui comando quando una transazione del portamonete cambia (%s in cmd è sostituito da TxID) + + Darksend request complete: + Richiesta di Darksend completa: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Esegui il comando quando il migliore blocco cambia(%s nel cmd è sostituito dall'hash del blocco) + + Darksend request incomplete: + Richiesta di Darksend incompleta: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Le commissioni inferiori a questo valore saranno considerate nulle (per la creazione della transazione) (prefedinito: + + Disable safemode, override a real safe mode event (default: %u) + - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Scarica l'attività del database dalla memoria al log su disco ogni <n> megabytes (predefinito: 100) + + Enable the client to act as a masternode (0-1, default: %u) + - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - + + Error connecting to Masternode. + Errore di connessione al Masternode - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Determina quanto sarà approfondita la verifica da parte di -checkblocks (0-4, predefinito: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Errore caricando il wallet.dat: il Pertafoglio ha bisogno di una versione di Dash Core piú recente. - - In this mode -genproclimit controls how many blocks are generated immediately. - In questa modalità -genproclimit determina quanti blocchi saranno generati immediatamente. + + Error: A fatal internal error occured, see debug.log for details + Errore: Un - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX richiede input con almeno 6 conferme, potrebbe essere necessario attendere qualche minuto e poi riprovare. + + Error: Unsupported argument -tor found, use -onion. + - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - + + Fee (in DASH/kB) to add to transactions you send (default: %s) + - - Name to construct url for KeePass entry that stores the wallet passphrase - + + Finalizing transaction. + Finalizzando la transazione. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Numero di secondi di sospensione che i peer di cattiva qualità devono attendere prima di potersi riconnettere (predefiniti: 86400) + + Force safe mode (default: %u) + - - Output debugging information (default: 0, supplying <category> is optional) - Emette informazioni di debug in output (predefinito: 0, fornire <category> è opzionale) + + Found enough users, signing ( waiting %s ) + - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - + + Found enough users, signing ... + - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - + + Generate coins (default: %u) + Monete generate (predefinito: %u) - - Set external address:port to get to this masternode (example: address:port) - + + How many blocks to check at startup (default: %u, 0 = all) + - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Imposta la dimensione massima in byte delle transazioni ad alta-priorità/basse-commissioni (predefinita: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Imposta il numero di thread per la verifica degli script (da %u a %d, 0 = automatico, <0 = lascia questo numero di core liberi, predefinito: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Imposta il limite della cpu quando la generazione è abilitata (-1 = non limitato, predefinito: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Questa versione è una compilazione pre-rilascio - usala a tuo rischio - non utilizzarla per la generazione o per applicazioni di commercio - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - - - - - Unable to locate enough Darksend denominated funds for this transaction. - - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Usa un SOCKS5 proxy separato per raggiungere servizi nascosti di Tor (predefinito: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Attenzione: -paytxfee è molto alta. Questa è la commissione che si paga quando si invia una transazione. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Attenzione: Per favore assicurati che la data e l'ora del tuo computer siano corrette, altrimenti Dash non funzionará adeguatamente. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Attenzione: La rete non sembra essere d'accordo pienamente! Alcuni minatori sembrano riscontrare problemi. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Attenzione: Sembra che non ci sia completo accordo con i nostri peer! Un aggiornamento da parte tua o degli altri nodi potrebbe essere necessario. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Attenzione: errore di lettura di wallet.dat! Tutte le chiavi sono state lette correttamente, ma i dati delle transazioni o le voci in rubrica potrebbero mancare o non essere corretti. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Attenzione: wallet.dat corrotto, dati recuperati! Il wallet.dat originale è stato salvato come wallet.{timestamp}.bak in %s; se il tuo saldo o le transazioni non sono corrette dovresti ripristinare da un backup. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Devi settare rpcpassword=<password> nel file di configurazione: -%s -Se il file non esiste, crealo assegnando i permessi di lettura solamente al proprietario. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Devi specificare una masternodeprivkey nella configurazione. Per favore consulta la documentazione di aiuto. - - - - (default: 1) - (predefinito: 1) - - - - (default: wallet.dat) - (predefinito: wallet.dat) - - - - <category> can be: - <category> può essere: - - - - Accept command line and JSON-RPC commands - Accetta comandi da riga di comando e JSON-RPC - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Accetta connessioni dall'esterno (predefinito: 1 se no -proxy o -connect) - - - - Add a node to connect to and attempt to keep the connection open - Aggiunge un nodo a cui connettersi e tenta di tenere aperta la connessione - - - - Allow DNS lookups for -addnode, -seednode and -connect - Consenti ricerche DNS per -addnode, -seednode e -connect - - - - Allow JSON-RPC connections from specified IP address - Consenti connessioni JSON-RPC dall'indirizzo IP specificato - - - - - Already have that input. - - - - - Always query for peer addresses via DNS lookup (default: 0) - - - - - Attempt to recover private keys from a corrupt wallet.dat - Tenta di recuperare le chiavi private da un wallet.dat corrotto - - - - Block creation options: - Opzioni creazione blocco: - - - - Can't denominate: no compatible inputs left. - - - - - Cannot downgrade wallet - Non è possibile effettuare il downgrade del portamonete - - - - Cannot resolve -bind address: '%s' - Impossibile risolvere -bind address: '%s' - - - - Cannot resolve -externalip address: '%s' - Impossibile risolvere indirizzo -externalip: '%s' - - - - Cannot write default address - Non è possibile scrivere l'indirizzo predefinito - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Cancella elenco delle transazioni sul portamonete (strumento di diagnostica; implica -rescan) - - - - Collateral is not valid. - Il collateral non è valido. - - - - Collateral not valid. - Collateral non valido. - - - - Connect only to the specified node(s) - Connetti solo al nodo specificato - - - - Connect through SOCKS proxy - Connetti attraverso SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Connetti a JSON-RPC su <port> (predefinita: 9998 o testnet: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Connetti a KeePassHttp sulla porta <port> (predefinita: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Connettiti ad un nodo per recuperare gli indirizzi dei peer e scollegati - - - - Connection options: - Opzioni di connessione: - - - - Corrupted block database detected - Rilevato database blocchi corrotto - - - - Dash Core Daemon - Dash Core Daemon - - - - Dash Core RPC client version - Versione client RPC di Dash Core - - - - Darksend is disabled. - Darksend è disabilitato - - - - Darksend options: - Opzioni Darksend: - - - - Debugging/Testing options: - Opzioni di Debug/Test: - - - - Disable safemode, override a real safe mode event (default: 0) - Disabilita la modalità sicura, escludi effettivamente gli eventi di modalità sicura (predefinito: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Scopre il proprio indirizzo IP (predefinito: 1 se in ascolto e no -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Non caricare il portamonete e disabilita le chiamate RPC al portamonete - - - - Do you want to rebuild the block database now? - Vuoi ricostruire ora il database dei blocchi? - - - - Done loading - Caricamento completato - - - - Downgrading and trying again. - - - - - Enable the client to act as a masternode (0-1, default: 0) - - - - - Entries are full. - Entrate sono piene. - - - - Error connecting to masternode. - Connesione per masternode error. - - - - Error initializing block database - Errore durante l'inizializzazione del database dei blocchi - - - - Error initializing wallet database environment %s! - Errore durante l'inizializzazione dell'ambiente %s del database del portamonete! - - - - Error loading block database - Errore caricamento database blocchi - - - - Error loading wallet.dat - Errore caricamento wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Errore caricamento wallet.dat: Portamonete corrotto - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Errore caricando wallet.dat: Wallet necessita la versione piú recente di Dash - - - - Error opening block database - Errore caricamento database blocchi - - - - Error reading from database, shutting down. - Errore di lettura del database, spegnimento - - - - Error recovering public key. - Errore nel recupero della chiave pubblica. - - - - Error - Errore - - - - Error: Disk space is low! - Errore: la spazio libero sul disco è insufficiente! - - - - Error: Wallet locked, unable to create transaction! - Errore: portamonete bloccato, impossibile creare la transazione! - - - - Error: You already have pending entries in the Darksend pool - - - - - Error: system error: - Errore: errore di sistema: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Nessuna porta disponibile per l'ascolto. Usa -listen=0 se vuoi procedere comunque. - - - - Failed to read block info - Lettura informazioni blocco fallita - - - - Failed to read block - Lettura blocco fallita - - - - Failed to sync block index - Sincronizzazione dell'indice del blocco fallita - - - - Failed to write block index - Scrittura dell'indice del blocco fallita - - - - Failed to write block info - Scrittura informazioni blocco fallita - - - - Failed to write block - Scrittura blocco fallita - - - - Failed to write file info - Scrittura informazioni file fallita - - - - Failed to write to coin database - Scrittura nel database dei bitcoin fallita - - - - Failed to write transaction index - Scrittura dell'indice di transazione fallita - - - - Failed to write undo data - Scrittura dei dati di ripristino fallita - - - - Fee per kB to add to transactions you send - Commissione per kB da aggiungere alle transazioni in uscita - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Le commissioni inferiori a questo valore saranno considerate nulle (per la trasmissione) (prefedinito: - - - - Force safe mode (default: 0) - Forza modalità provvisoria (predefinito: 0) - - - - Generate coins (default: 0) - Genera valuta (predefinito: 0) - - - - Get help for a command - Aiuto su un comando - - - - How many blocks to check at startup (default: 288, 0 = all) - Numero di blocchi da controllare all'avvio (predefinito: 288, 0 = tutti) - - - - If <category> is not supplied, output all debugging information. - Se <category> non è specificata, mostra tutte le informazioni di debug. - - - - Ignore masternodes less than version (example: 70050; default : 0) - - - - + Importing... Importazione... - + Imports blocks from external blk000??.dat file Importa blocchi da un file blk000??.dat esterno - + + Include IP addresses in debug output (default: %u) + + + + Incompatible mode. Modalità incompatibile - + Incompatible version. Versione incompatibile - + Incorrect or no genesis block found. Wrong datadir for network? Blocco genesis non corretto o non trovato. Cartella dati errata? - + Information Informazioni - + Initialization sanity check failed. Dash Core is shutting down. Controllo di inizializzazione sanity fallito. Dash Core verrà chiuso. - + Input is not valid. L'input non è valido. - + InstantX options: Opzioni InstantX - + Insufficient funds Fondi insufficienti - + Insufficient funds. Fondi insufficienti. - + Invalid -onion address: '%s' Indirizzo -onion non valido: '%s' - + Invalid -proxy address: '%s' Indirizzo -proxy non valido: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Importo non valido per -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Importo non valido per -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + + + + Invalid amount for -paytxfee=<amount>: '%s' Importo non valido per -paytxfee=<amount>: '%s' - - Invalid amount - Importo non valido + + Last successful Darksend action was too recent. + - + + Limit size of signature cache to <n> entries (default: %u) + + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + + + + + Listen for connections on <port> (default: %u or testnet: %u) + + + + + Lock masternodes from masternode configuration file (default: %u) + Blocca i masternodes nel file di configurazione del masternode (default: %u) + + + + Maintain at most <n> connections to peers (default: %u) + + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + + + + + Mixing in progress... + Mixing in corso... + + + + Need to specify a port with -whitebind: '%s' + + + + + No Masternodes detected. + + + + + No compatible Masternode found. + + + + + Not in the Masternode list. + + + + + Number of automatic wallet backups (default: 10) + + + + + Only accept block chain matching built-in checkpoints (default: %u) + + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + + + + + Prepend debug output with timestamp (default: %u) + + + + + Run a thread to flush wallet periodically (default: %u) + + + + + Send transactions as zero-fee transactions if possible (default: %u) + + + + + Server certificate file (default: %s) + + + + + Server private key (default: %s) + + + + + Session timed out, please resubmit. + + + + + Set key pool size to <n> (default: %u) + + + + + Set minimum block size in bytes (default: %u) + + + + + Set the number of threads to service RPC calls (default: %d) + + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + + + + + Specify configuration file (default: %s) + + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + + + + + Specify masternode configuration file (default: %s) + + + + + Specify pid file (default: %s) + + + + + Spend unconfirmed change when sending transactions (default: %u) + + + + + Stop running after importing blocks from disk (default: %u) + + + + + Submitted following entries to masternode: %u / %d + + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + + + + + Submitted to masternode, waiting in queue %s + + + + + This is not a Masternode. + + + + + Threshold for disconnecting misbehaving peers (default: %u) + + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + + + + + Use UPnP to map the listening port (default: %u) + + + + + Wallet needed to be rewritten: restart Dash Core to complete + + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + + + + + Will retry... + + + + Invalid masternodeprivkey. Please see documenation. masternodeprivkey non valida. Per favore consulta la documentazione - + + Invalid netmask specified in -whitelist: '%s' + + + + Invalid private key. Chiave privata incompatibile - + Invalid script detected. Script invalido - + KeePassHttp id for the established association ID KeePassHttp per la connessione stabilita - + KeePassHttp key for AES encrypted communication with KeePass - + Chiave KeePassHttp per AES comunicazione cripra con KeePass - - Keep N dash anonymized (default: 0) - + + Keep N DASH anonymized (default: %u) + - - Keep at most <n> unconnectable blocks in memory (default: %u) - - - - + Keep at most <n> unconnectable transactions in memory (default: %u) - + Mantenere al massimo <n> le operazioni in collegabile in memoria (predefinito:% u) - + Last Darksend was too recent. L'ultima darksend è troppo recente - - Last successful darksend action was too recent. - - - - - Limit size of signature cache to <n> entries (default: 50000) - Limita la dimensione della cache delle firme a <n> voci (predefinito: 50000) - - - - List commands - Elenco comandi - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - - - - + Loading addresses... Caricamento indirizzi... - + Loading block index... Caricamento dell'indice del blocco... - + + Loading budget cache... + + + + Loading masternode cache... - + - Loading masternode list... - Sto carricando la lista dei masternode... - - - + Loading wallet... (%3.2f %%) Caricando portafoglio... (%3.2f %%) - + Loading wallet... Caricamento portafoglio... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Abilita il log della priorità di transazione e della commissione per kB quando si generano blocchi (default: 0) - - - - Maintain a full transaction index (default: 0) - Mantieni un indice di transazione completo (predefinito: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Mantieni al massimo <n> connessioni ai peer (predefinite: 125) - - - + Masternode options: Opzioni masternode: - + Masternode queue is full. La lista di masternode e' piena. - + Masternode: Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Buffer di ricezione massimo per connessione, <n>*1000 byte (predefinito: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Buffer di invio massimo per connessione, <n>*1000 byte (predefinito: 1000) - - - + Missing input transaction information. Mancano le informazioni di input della transazione - - No compatible masternode found. - Nessun masternode compatibile trovato - - - + No funds detected in need of denominating. - + Nessun fondo rilevato bisogno di denominare. - - No masternodes detected. - La rilevazione di masternode impossibile. - - - + No matching denominations found for mixing. - + Nessun denominazioni corrispondente trovato per la miscelazione. - + + Node relay options: + + + + Non-standard public key detected. - + Fuori norma pubblica chiave e rilevato. - + Not compatible with existing transactions. - + Non compatibile con le operazioni esistenti. - + Not enough file descriptors available. Non ci sono abbastanza descrittori di file disponibili. - - Not in the masternode list. - Non presente nella lista masternode - - - - Only accept block chain matching built-in checkpoints (default: 1) - Accetta solo una catena di blocchi che corrisponde ai checkpoint predefiniti (predefinito: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Connetti solo a nodi nella rete <net> (IPv4, IPv6 o Tor) - - - + Options: Opzioni: - + Password for JSON-RPC connections Password per connessioni JSON-RPC - - Prepend debug output with timestamp (default: 1) - Preponi timestamp all'output di debug (predefinito: 1) - - - - Print block on startup, if found in block index - Stampa il blocco all'avvio, se presente nell'indice dei blocchi - - - - Print block tree on startup (default: 0) - Stampa l'albero dei blocchi all'avvio (default: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opzioni RPC SSL: (consulta la Bitcoin Wiki per le istruzioni relative alla configurazione SSL) - - RPC client options: - Opzioni client RPC: - - - + RPC server options: Opzioni server RPC: - + + RPC support for HTTP persistent connections (default: %d) + + + + Randomly drop 1 of every <n> network messages Scarta casualmente 1 ogni <n> messaggi di rete - + Randomly fuzz 1 of every <n> network messages Altera casualmente 1 ogni <n> messaggi di rete - + Rebuild block chain index from current blk000??.dat files Ricreare l'indice della catena di blocchi dai file blk000??.dat correnti - + + Relay and mine data carrier transactions (default: %u) + + + + + Relay non-P2SH multisig (default: %u) + + + + Rescan the block chain for missing wallet transactions - Ripeti analisi della catena dei blocchi per cercare le transazioni mancanti dal portamonete + Ripeti analisi della catena dei blocchi per cercare le transazioni mancanti dal portafoglio - + Rescanning... Ripetizione scansione... - - Run a thread to flush wallet periodically (default: 1) - Mantieni in esecuzione un thread per scaricare periodicamente il portafoglio (predefinito: 1) - - - + Run in the background as a daemon and accept commands Esegui in background come demone ed accetta i comandi - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Opzioni SSL: (vedi il wiki di Bitcoin per le istruzioni di configurazione SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Selezionare la versione SOCKS per -proxy (4 o 5, predefinito: 5) - - - - Send command to Dash Core - Invia comando a Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Inviare comandi al nodo in esecuzione su <ip> (predefinito: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Invia le informazioni di trace/debug alla console invece che al file debug.log - - Server certificate file (default: server.cert) - File certificato del server (predefinito: server.cert) - - - - Server private key (default: server.pem) - Chiave privata del server (predefinito: server.pem) - - - + Session not complete! Sessione non completata! - - Session timed out (30 seconds), please resubmit. - - - - + Set database cache size in megabytes (%d to %d, default: %d) Imposta la dimensione cache del database in megabyte (%d a %d, predefinito: %d) - - Set key pool size to <n> (default: 100) - Impostare la quantità di chiavi nel key pool a <n> (predefinita: 100) - - - + Set maximum block size in bytes (default: %d) Imposta la dimensione massima del blocco in byte (predefinita: %d) - - Set minimum block size in bytes (default: 0) - Imposta dimensione minima del blocco in bytes (predefinita: 0) - - - + Set the masternode private key Configura la chiave privata del Masternode - - Set the number of threads to service RPC calls (default: 4) - Specifica il numero massimo di richieste RPC in parallelo (predefinito: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Imposta il flag DB_PRIVATE nell'ambiente di database del portamonete (predefinito: 1) - - - + Show all debugging options (usage: --help -help-debug) Mostra tutte le opzioni di debug (utilizzo: --help -help-debug) - - Show benchmark information (default: 0) - Visualizza le informazioni relative al benchmark (predefinito: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Riduci il file debug.log all'avvio del client (predefinito: 1 se non impostato -debug) - + Signing failed. Firma fallita. - + Signing timed out, please resubmit. - + Firma scaduta, invia nuovamente. - + Signing transaction failed Transazione di firma fallita - - Specify configuration file (default: dash.conf) - Configurazioni specifiche file (default: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Specifica il timeout di connessione in millisecondi (predefinito: 5000) - - - + Specify data directory Specifica la cartella dati - - Specify masternode configuration file (default: masternode.conf) - Configurazioni specifiche dei file Masternode (default: masternode.conf) - - - - Specify pid file (default: dashd.pid) - - - - + Specify wallet file (within data directory) - Specifica il file portamonete (all'interno della cartella dati) + Specifica il file portafoglio (all'interno della cartella dati) - + Specify your own public address Specifica il tuo indirizzo pubblico - - Spend unconfirmed change when sending transactions (default: 1) - Spendi il resto non confermato quando si inviano transazioni (predefinito: 1) - - - - Start Dash Core Daemon - Avvia il demone Dash Core - - - - System error: - Errore di sistema: - - - + This help message Questo messaggio di aiuto - + + This is experimental software. + + + + This is intended for regression testing tools and app development. Questo è previsto per l'uso con test di regressione e per lo sviluppo di applicazioni. - - This is not a masternode. - Questo non è un Masternode - - - - Threshold for disconnecting misbehaving peers (default: 100) - Soglia di disconnessione dei peer di cattiva qualità (predefinita: 100) - - - - To use the %s option - Per usare l'opzione %s - - - + Transaction amount too small Importo transazione troppo piccolo - + Transaction amounts must be positive L'importo della transazione deve essere positivo - + Transaction created successfully. Transazione creata con successo. - + Transaction fees are too high. Commissioni della transazione troppo alte. - + Transaction not valid. Transazione non valida - + + Transaction too large for fee policy + + + + Transaction too large Transazione troppo grande - + + Transmitting final transaction. + + + + Unable to bind to %s on this computer (bind returned error %s) - + Incapace di legare al %s su questo computer (legare restituito l'errore %s) - - Unable to sign masternode payment winner, wrong key? - - - - + Unable to sign spork message, wrong key? - + Impossibile firmare messaggio Spork, chiave sbagliato? - - Unknown -socks proxy version requested: %i - Versione -socks proxy sconosciuta richiesta: %i - - - + Unknown network specified in -onlynet: '%s' Rete sconosciuta specificata in -onlynet: '%s' - + + Unknown state: id = %u + + + + Upgrade wallet to latest format Aggiorna il portafoglio all'ultimo formato - - Usage (deprecated, use dash-cli): - - - - - Usage: - Utilizzo: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - - - - + Use OpenSSL (https) for JSON-RPC connections Utilizzare OpenSSL (https) per le connessioni JSON-RPC - - Use UPnP to map the listening port (default: 0) - Usa UPnP per mappare la porta in ascolto (predefinito: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Usa UPnP per mappare la porta in ascolto (predefinito: 1 when listening) - + Use the test network Utilizza la rete di prova - + Username for JSON-RPC connections Nome utente per connessioni JSON-RPC - + Value more than Darksend pool maximum allows. - + Più valore di Darksend piscina massima permette. - + Verifying blocks... Verifica blocchi... - + Verifying wallet... Verifica portafoglio... - - Wait for RPC server to start - Attendere l'avvio dell'RPC server - - - + Wallet %s resides outside data directory %s Il portafoglio %s si trova al di fuori dalla cartella dati %s - + Wallet is locked. Portafoglio bloccato - - Wallet needed to be rewritten: restart Dash to complete - Il portafoglio necessita di essere riscritto: riavvare Dash per compeltare. - - - + Wallet options: Opzioni portafoglio: - + Warning Attenzione - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Attenzione: Argomento deprecato -debugnet ignorato, usare -debug=net - - - + Warning: This version is obsolete, upgrade required! Attenzione: questa versione è obsoleta, aggiornamento necessario! - + You need to rebuild the database using -reindex to change -txindex È necessario ricostruire il database usando -reindex per cambiare -txindex - + + Your entries added successfully. + + + + + Your transaction was accepted into the pool! + + + + Zapping all transactions from wallet... Cancella e ricompila tutte le transazioni dal wallet... - + on startup all'avvio - - version - versione - - - + wallet.dat corrupt, salvage failed wallet.dat corrotto, recupero fallito - + \ No newline at end of file diff --git a/src/qt/locale/dash_pl.ts b/src/qt/locale/dash_pl.ts index 5dbf43b05..e72f6d0b3 100644 --- a/src/qt/locale/dash_pl.ts +++ b/src/qt/locale/dash_pl.ts @@ -1,202 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - O Dash Core - - - - <b>Dash Core</b> version - <b>Dash Core<b> wersja - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Prawa autorskie %copy; 2009-2014 deweloperzy Bitcoin Core -Prawa autorskie %copy; 2014-YYYY deweloperzy Dash Core - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Jest to oprogramowanie eksperymentalne. - -Dystrybutowane pod licencją oprogramowania MIT/X11, zobacz akompaniujący plik COPYING lub odwiedź http://www.opensource.org/licenses/mit-license.php. - -Ten produkt zawiera oprogramowanie opracowane przez Projekt OpenSSL do użycia w OpenSSL Toolkit (http://www.openssl.org/) i oprogramowanie kryptograficzne napisane przez Eric Young (eay@cryptsoft.com) i także oprogramowanie UPnP napisane przez Thomas Bernard. - - - Copyright - Prawo autorskie - - - The Bitcoin Core developers - Deweloperzy Bitcoin Core - - - The Dash Core developers - Deweloperzy Dash Core - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Kliknij dwukrotnie, aby edytować adres lub etykietę - - - + Right-click to edit address or label - + Kliknij prawym przyciskiem myszki w celu edycji adresu lub etykiety - + Create a new address Utwórz nowy adres - + &New &Nowy - + Copy the currently selected address to the system clipboard Skopiuj aktualnie wybrany adres do schowka - + &Copy &Kopiuj - + Delete the currently selected address from the list Usuń obecnie zaznaczony adres z listy - + &Delete &Usuń - + Export the data in the current tab to a file Eksportuj dane z aktywnej karty do pliku - + &Export &Eksportuj - + C&lose Z&amknij - + Choose the address to send coins to Wybierz adres na który wysłać monety - + Choose the address to receive coins with Wybierz adres do otrzymania monet. - + C&hoose W&ybierz - + Sending addresses Adres wysyłania - + Receiving addresses Adres odbiorczy - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. - To są twoje adresy Dash z których wysyłasz Darkcoiny. Zawsze upewnij się, że kwota i adres do ktoórego wysyłasz Dash są prawidłowe. + To są twoje adresy Dash na które wysyłasz płatności. Zawsze upewnij się, że kwota i adres są prawidłowe zanim wyślesz monety. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. To są twoje adresy do otrzymywania Dashów. Zaleca się aby tworzyć nowy adres dla każdej transakcji - + &Copy Address &Kopiuj adres - + Copy &Label Kopiuj &Etykietę - + &Edit &Modyfikuj - + Export Address List Eksportuj listę adresową - + Comma separated file (*.csv) Plik *.CSV (rozdzielany przecinkami) - + Exporting Failed Błąd przy próbie eksportu - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Wystąpił błąd podczas próby zapisu listy adresów do %1. + Wystąpił błąd podczas próby zapisu listy adresów do %1. Proszę spróbować ponownie. AddressTableModel - + Label Etykieta - + Address Adres - + (no label) (bez etykiety) @@ -204,154 +143,150 @@ Ten produkt zawiera oprogramowanie opracowane przez Projekt OpenSSL do użycia w AskPassphraseDialog - + Passphrase Dialog Okienko Hasła - + Enter passphrase Wpisz hasło - + New passphrase Nowe hasło - + Repeat new passphrase Powtórz nowe hasło - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Służy do zablokowania funkcji wysyłania monet gdy konto użytkownika systemu operacyjnego zostało przejęte przez kogoś innego. Nie oferuje prawdziwego bezpieczeństwa. Wirus lub haker wciąż może uzyskać dostęp do twojego portfela. - + For anonymization only Tylko dla anonimizacji - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Wprowadź nowe hasło dla portfela.<br/>Proszę użyć hasła składającego się z <b>10 lub więcej losowych znaków</b> lub <b>ośmiu lub więcej słów</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Wprowadź nowe hasło dla twojego portfela.<br/>Proszę używać hasła o długości co najmniej <b>dziesięciu (najlepiej losowych) znaków</b>, lub <b>co najmniej 8 słów</b>. - + Encrypt wallet Zaszyfruj portfel - + This operation needs your wallet passphrase to unlock the wallet. Ta operacja wymaga hasła do portfela ażeby odblokować portfel. - + Unlock wallet Odblokuj portfel - + This operation needs your wallet passphrase to decrypt the wallet. Ta operacja wymaga hasła do portfela ażeby odszyfrować portfel. - + Decrypt wallet Odszyfruj portfel - + Change passphrase Zmień hasło - + Enter the old and new passphrase to the wallet. Podaj stare i nowe hasło do portfela. - + Confirm wallet encryption Potwierdź szyfrowanie portfela - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! Ostrzeżenie: Jeśli zaszyfrujesz swój portfel i zgubisz swoje hasło, <b>STRACISZ WSZYSTKIE DASHY</b> - + Are you sure you wish to encrypt your wallet? Jesteś pewien, że chcesz zaszyfrować swój portfel? - - + + Wallet encrypted Portfel zaszyfrowany - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. Dash zostanie teraz zamknięty aby zakończyć proces szyfrowania. Pamiętaj, że zaszyfrowanie portfela nie gwarantuje pełnej ochrony przed kradzieżą twoich monet przez złośliwe oprogramowanie. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. WAŻNE: Wszystkie wykonane wcześniej kopie pliku portfela powinny być zamienione na nowe, szyfrowane pliki. Z powodów bezpieczeństwa, poprzednie kopie nieszyfrowanych plików portfela staną się bezużyteczne jak tylko zaczniesz korzystać z nowego, szyfrowanego portfela. - - - - + + + + Wallet encryption failed Szyfrowanie portfela nie powiodło się - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Szyfrowanie portfela nie powiodło się z powodu wewnętrznego błędu. Twój portfel nie został zaszyfrowany. - - + + The supplied passphrases do not match. Podane hasła nie są takie same. - + Wallet unlock failed Odblokowanie portfela nie powiodło się - - - + + + The passphrase entered for the wallet decryption was incorrect. Wprowadzone hasło do odszyfrowania portfela jest niepoprawne. - + Wallet decryption failed Odszyfrowanie portfela nie powiodło się - + Wallet passphrase was successfully changed. Hasło portfela zostało pomyślnie zmienione. - - + + Warning: The Caps Lock key is on! Uwaga: Klawisz Caps Lock jest włączony @@ -359,443 +294,425 @@ Ten produkt zawiera oprogramowanie opracowane przez Projekt OpenSSL do użycia w BitcoinGUI - + + Dash Core Dash Core - + Wallet Portfel - + Node Węzeł - [testnet] - [testnet] - - - + &Overview P&odsumowanie - + Show general overview of wallet Pokazuje ogólny zarys portfela - + &Send Wyślij - + Send coins to a Dash address Wyślij monety na adres Darkcoina - + &Receive Odbie&rz - + Request payments (generates QR codes and dash: URIs) Poproś o płatności (tworzy kod QR oraz dash: link) - + &Transactions &Transakcje - + Browse transaction history Przeglądaj historię transakcji - + E&xit &Zakończ - + Quit application Zamknij program - + &About Dash Core &O Dash Core - Show information about Dash - Pokaż informacje na temat Dash - - - + Show information about Dash Core - + Pokaż informacje o Dash Core - - + + About &Qt O &Qt - + Show information about Qt Pokazuje informacje o Qt - + &Options... &Opcje... - + Modify configuration options for Dash Zmień opcje konfiguracji dla Dash - + &Show / Hide &Pokaż / Ukryj - + Show or hide the main Window Pokazuje lub ukrywa główne okno - + &Encrypt Wallet... Zaszyfruj Portf&el - + Encrypt the private keys that belong to your wallet Szyfruj klucze prywatne, które są powiązane z twoim portfelem - + &Backup Wallet... Wykonaj kopię zapasową... - + Backup wallet to another location Zapasowy portfel w innej lokalizacji - + &Change Passphrase... &Zmień hasło... - + Change the passphrase used for wallet encryption Zmień hasło użyte do szyfrowania portfela - + &Unlock Wallet... Odblok&uj Portfel - + Unlock wallet Odblokuj portfel - + &Lock Wallet Zab&lokuj Porftel - + Sign &message... Podpisz wiado&mość... - + Sign messages with your Dash addresses to prove you own them Podpisz wiadomości swoim adresem Dash aby udowodnić, że jesteś ich właścicielem. - + &Verify message... &Zweryfikuj wiadomość... - + Verify messages to ensure they were signed with specified Dash addresses Zweryfikuj wiadomości aby upewnić się, że zostały one podpisane wybranym adresem Dash - + &Information &Informacje - + Show diagnostic information Pokaż informacje diagnostyczne - + &Debug console Konsola &debugowania - + Open debugging console Otwórz konsole debugowania - + &Network Monitor Mo&nitor Sieci - + Show network monitor Pokaż monitor sieci - + + &Peers list + &lista peerów + + + + Show peers info + Pokaż informacje peerów + + + + Wallet &Repair + Naprawa po&rfela + + + + Show wallet repair options + Pokaż opcje naprawcze portfela + + + Open &Configuration File Otwórz plik konfiguracji - + Open configuration file Otworz plik konfiguracji - + + Show Automatic &Backups + Pokaż automatyczne kopie zapasowe (&Backups) + + + + Show automatically created wallet backups + Pokaż automatycznie stworzone kopie zapasowe porfela. + + + &Sending addresses... Adres wysyłania - + Show the list of used sending addresses and labels Pokaż listę użytych adresów wysyłających i etykiety - + &Receiving addresses... Adres odbiorczy - + Show the list of used receiving addresses and labels Pokaż listę użytych adresów odbiorczych i etykiety - + Open &URI... Otwórz URI... - + Open a dash: URI or payment request Otwórz dash: Link lub żądanie zapłaty - + &Command-line options &Opcje konsoli - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Klient Dash Core - + Processed %n blocks of transaction history. - - - - - + + Show the Dash Core help message to get a list with possible Dash command-line options - Pokaż wiadomość pomocy Dash Core aby otrzymać listę z dostępnymi opcjami linii komend. + Pokaż wiadomość pomocy Dash Core aby otrzymać listę z dostępnymi opcjami linii komend. - + &File &Plik - + &Settings P&referencje - + &Tools &Narzędzia - + &Help Pomo&c - + Tabs toolbar Pasek zakładek - - Dash client - Klient Dash - - + %n active connection(s) to Dash network - - %n aktywne połączenie do sieci Dash - %n aktywne połączenia do sieci Dash - %n aktywnych połączeń do sieci Dash - + aktywne połączenie do sieci Dashaktywne połączenia do sieci Dashaktywne połączenia do sieci Dash - + Synchronizing with network... Synchronizacja z siecią... - + Importing blocks from disk... Importowanie bloków z dysku... - + Reindexing blocks on disk... Ponowne indeksowanie bloków na dysku... - + No block source available... Brak dostępnych źródeł bloków... - Processed %1 blocks of transaction history. - Pobrano %1 bloków z historią transakcji. - - - + Up to date Aktualny - + %n hour(s) - - %n godzina - %n godziny - %n godzina(y) - + godzinagodzingodziny - + %n day(s) - - %n dzień - %n dni - %n dzień(dni) - + dzieńdnidni - - + + %n week(s) - - %n tydzień - %n tygodnie - %n tydzień(tygodnie) - + tydzieńtygodnitygodnie - + %1 and %2 %1 i %2 - + %n year(s) - - %n rok - %n lat - %n rok(lata) - + roklatlata - + %1 behind %1 wstecz - + Catching up... Łapanie bloków... - + Last received block was generated %1 ago. Ostatni otrzymany blok został wygenerowany %1 temu. - + Transactions after this will not yet be visible. Transakcje po tym momencie nie będą jeszcze widoczne. - - Dash - Dash - - - + Error Błąd - + Warning Ostrzeżenie - + Information Informacja - + Sent transaction Transakcja wysłana - + Incoming transaction Transakcja przychodząca - + Date: %1 Amount: %2 Type: %3 @@ -808,30 +725,25 @@ Adres: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> Portfel jest <b>zaszyfrowany</b> i obecnie <b>niezablokowany</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Portfel jest <b>zaszyfrowany</b> a obecnie <b>odblokowany</b> tylko w celu miksowania - + Wallet is <b>encrypted</b> and currently <b>locked</b> Portfel jest <b>zaszyfrowany</b> i obecnie <b>zablokowany</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Wystąpił poważny błąd. Dash zostanie zamknięty. - ClientModel - + Network Alert Sieć Alert @@ -839,333 +751,302 @@ Adres: %4 CoinControlDialog - Coin Control Address Selection - Sterowanie Monetą Wybór Adresu - - - + Quantity: Ilość: - + Bytes: Bajtów: - + Amount: Kwota: - + Priority: Priorytet: - + Fee: Opłata: - Low Output: - Niska wartość wyjściowa - - - + Coin Selection - + Wybór Monet - + Dust: - + Pył: - + After Fee: Po opłacie: - + Change: Reszta: - + (un)select all Zaznacz/Odznacz wszystko - + Tree mode Widok drzewa - + List mode Widok listy - + (1 locked) (1 zablokowana) - + Amount Kwota - + Received with label - + Otrzymane z nazwą - + Received with address - + Otrzymano z adresem - Label - Etykieta - - - Address - Adres - - - + Darksend Rounds Ilość rund mieszania - + Date Data - + Confirmations Potwierdzenia - + Confirmed Potwierdzony - + Priority Priorytet - + Copy address Kopiuj adres - + Copy label Kopiuj etykietę - - + + Copy amount Kopiuj kwotę - + Copy transaction ID Skopiuj ID transakcji - + Lock unspent Zablokuj - + Unlock unspent Odblokuj - + Copy quantity Skopiuj ilość - + Copy fee Skopiuj opłatę - + Copy after fee Skopiuj ilość po opłacie - + Copy bytes Skopiuj ilość bajtów - + Copy priority Skopiuj priorytet - + Copy dust - + Kopiuj pył (kwota poniżej 5460 duffów) - Copy low output - Skopiuj niską wartość - - - + Copy change Skopiuj resztę - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Wybrano niezanonimizowane środki. <b>Darksend będzie wyłączony.</b><br><br>Jeśli wciąż chcesz użyć Darksend, cofnij wybór niezanonimizowanych środków i zaznacz kliknij ponownie na pole wyboru obok Darksend. + + + highest najwyższa - + higher wyższa - + high wysoka - + medium-high średnio wysoki - + Can vary +/- %1 satoshi(s) per input. - + Może się różnić około +/- %1 satoshi na transację. - + n/a nie dotyczy - - + + medium średnia - + low-medium średnio niski - + low niski - + lower niższy - + lowest najniższy - + (%1 locked) (%1 zablokowane) - + none żaden - Dust - Pył - - - + yes tak - - + + no nie - + This label turns red, if the transaction size is greater than 1000 bytes. Etykieta staje się czerwona kiedy transakcja jest większa niż 1000 bajtów. - - + + This means a fee of at least %1 per kB is required. Oznacza to wymaganą opłatę minimum %1 na kB. - + Can vary +/- 1 byte per input. Waha się +/- 1 bajt na wejście. - + Transactions with higher priority are more likely to get included into a block. Transakcje o wyższym priorytecie zostają szybciej dołączone do bloku. - + This label turns red, if the priority is smaller than "medium". Ta etykieta jest czerwona, jeżeli priorytet jest mniejszy niż "średni" - + This label turns red, if any recipient receives an amount smaller than %1. Etykieta staje się czerwona kiedy którykolwiek odbiorca otrzymuje kwotę mniejszą niż %1. - This means a fee of at least %1 is required. - Oznacza to, że wymagana jest opłata przynajmniej %1. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Kwoty poniżej 0.546 razy mniejsze od minimalnej ustawionej opłaty pokazane są jako pył. - - - This label turns red, if the change is smaller than %1. - Etykieta staje się czerwona kiedy reszta jest mniejsza niż %1. - - - - + + (no label) (bez etykiety) - + change from %1 (%2) reszta z %1 (%2) - + (change) (reszta) @@ -1173,84 +1054,84 @@ Adres: %4 DarksendConfig - + Configure Darksend Skonfiguruj Darksend - + Basic Privacy Podstawowa prywatność - + High Privacy Wysoka prywatność - + Maximum Privacy Maksymalna prywatność - + Please select a privacy level. Proszę wybrać poziom bezpieczeństwa. - + Use 2 separate masternodes to mix funds up to 1000 DASH Użyj 2 oddzielnych masternodów aby wymieszać środki max. do 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH Użyj 8 oddzielnych masternodów aby wymieszać środki max. do 1000 DASH - + Use 16 separate masternodes Użyj 16 oddzielnych masternodów - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Ta opcja jest najszybsza i kosztuje około 0.025 DASH za zanonimizowanie 1000 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Ta opcja jest w miarę szybka i kosztuje około 0.05 DASH za zanonimizowanie 1000 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH za każde 1000 DASH które zanonimizujesz. - + This is the slowest and most secure option. Using maximum anonymity will cost Jest to najwolniejsza lecz najbardziej bezpieczna opcja. Maksymalny poziom zanonimizowania będzie kosztować - - - + + + Darksend Configuration Konfiguracja Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend został pomyślnie ustawiony na poziom podstawowy (%1 oraz 2 rundy). Możesz to zmienić kiedy chcesz, otwierając ekran z konfiguracją Dash. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend został pomyślnie ustawiony na poziom wysoki (%1 oraz 8 rund). Możesz to zmienić kiedy chcesz, otwierając ekran z konfiguracją Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend został pomyślnie ustawiony na poziom maksymalny (%1 oraz 16 rund). Możesz to zmienić kiedy chcesz, otwierając ekran z konfiguracją Dash. @@ -1258,67 +1139,67 @@ Adres: %4 EditAddressDialog - + Edit Address Edytuj adres - + &Label &Etykieta - + The label associated with this address list entry Etykieta skojarzona z tym wpisem na liście adresów - + &Address &Adres - + The address associated with this address list entry. This can only be modified for sending addresses. Ten adres jest skojarzony z wpisem na liście adresów. Może być zmodyfikowany jedynie dla adresów wysyłających. - + New receiving address Nowy adres odbiorczy - + New sending address Nowy adres wysyłania - + Edit receiving address Zmień adres odbioru - + Edit sending address Zmień adres wysyłania - + The entered address "%1" is not a valid Dash address. Wprowadzony adres "%1" nie jest właściwym adresem Dash. - + The entered address "%1" is already in the address book. Wprowadzony adres "%1" już istnieje w książce adresowej. - + Could not unlock wallet. Nie można było odblokować portfela. - + New key generation failed. Tworzenie nowego klucza nie powiodło się. @@ -1326,27 +1207,27 @@ Adres: %4 FreespaceChecker - + A new data directory will be created. Utworzono nowy folder danych. - + name nazwa - + Directory already exists. Add %1 if you intend to create a new directory here. Katalog już istnieje. Dodaj %1 jeśli masz zamiar utworzyć tutaj nowy katalog. - + Path already exists, and is not a directory. Ścieżka już istnieje i nie wskazuje na folder. - + Cannot create data directory here. Nie można było tutaj utworzyć folderu. @@ -1354,72 +1235,68 @@ Adres: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Opcje wiersza poleceń - - - + Dash Core Dash Core - + version wersja - - + + (%1-bit) - (%1-bit) + (%1-bit) - + About Dash Core - O Dash Core + Informacje o Dash Core - + Command-line options - + Opcje lini poleceń - + Usage: Użycie: - + command-line options opcje konsoli - + UI options UI opcje - + Choose data directory on startup (default: 0) Wybierz folder danych przy starcie (domyślnie: 0) - + Set language, for example "de_DE" (default: system locale) Ustaw Język, na przykład "pl_PL" (domyślnie: systemowy) - + Start minimized Uruchom zminimalizowany - + Set SSL root certificates for payment request (default: -system-) Ustaw główne cerytfikaty SSL dla żądań płatności (domyślnie: -system-) - + Show splash screen on startup (default: 1) Pokazuj okno powitalne przy starcie (domyślnie: 1) @@ -1427,109 +1304,85 @@ Adres: %4 Intro - + Welcome Witaj - + Welcome to Dash Core. Witaj w Dash Core - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Ponieważ uruchomiłeś ten program po raz pierwszy, możesz wybrać gdzie Dash Core będzie przechowywał dane. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. Dash Core ściągnie i przechowa kopię blockchain na twoim dysku. Co najmniej 1GB danych zostanie zapisanych w tym katalogu, a wraz z upływem czasu blockchain będzie stopniowo wymagał coraz więcej miejsca. Twój portfel również zostanie zapisany w tym katalogu. - + Use the default data directory Użyj domyślnego folderu danych - + Use a custom data directory: Użyj wybranego folderu dla danych - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Błąd: Określony folder danych "%1" nie mógł zostać utworzony. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Wystąpił błąd: Katalog "%1" nie może zostać stworzony. - + Error Błąd - - - %n GB of free space available - - - - - - - - - (of %n GB needed) - - - - - + + + %1 GB of free space available + %1 GB wolnego miejsca na dysku - GB of free space available - GB dostępnego wolnego miejsca - - - (of %1GB needed) - (z %1GB potrzebnego) + + (of %1 GB needed) + (z %1GB potrzebnego) OpenURIDialog - + Open URI Otwórz URI: - + Open payment request from URI or file Otwórz żądanie zapłaty z URI lub pliku - + URI: URI: - + Select payment request file Otwórz żądanie zapłaty z pliku - + Select payment request file to open Wybierz plik żądania zapłaty do otwarcia @@ -1537,313 +1390,281 @@ Adres: %4 OptionsDialog - + Options Opcje - + &Main Główne - + Automatically start Dash after logging in to the system. Automatycznie uruchom Dash po zalogowaniu się do systemu. - + &Start Dash on system login &Uruchom Dash po zalogowaniu się do systemu - + Size of &database cache Rozmiar &pamięci podręcznej bazy danych. - + MB MB - + Number of script &verification threads Liczba wątków &weryfikacji skryptu - + (0 = auto, <0 = leave that many cores free) (0=auto, <0 = zostaw tyle wolnych rdzeni) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Tutaj możesz ustawić liczbę masternodów, przez które transakcja zostanie przepuszczona. Im większa liczba masternodów tym większy poziom anonimowości, ale opłata jest również wyższa.</p></body></html> - + Darksend rounds to use Ilość rund Darksend. - + This amount acts as a threshold to turn off Darksend once it's reached. Ta kwota działa jako próg po którego przekroczeniu Darksend zostaje wyłączony. - + Amount of Dash to keep anonymized Ilość Dashów, które mają pozostać anonimowe. - + W&allet Portfel - + Accept connections from outside - + Akceptuj połączenia z zewnątrz - + Allow incoming connections - + Zezwól na przychdzące połączenia - + Connect to the Dash network through a SOCKS5 proxy. - + Połącz się z siecią Dash przez proxy SOCKS5. - + &Connect through SOCKS5 proxy (default proxy): - + Połą&cz się przez SOCKS5 proxy (opcja domyślna): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Opcjonalna prowizja za transakcje za kB, wspomaga ona szybkość przebiegu transakcji. Większość transakcji jest 1 kB. - - - Pay transaction &fee - Płać prowizję za transakcje - - - + Expert Ekspert - + Whether to show coin control features or not. Czy pokazać funkcje kontroli monet czy nie. - + Enable coin &control features Włącz funkcje &kontroli monet - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Jeśli wyłączysz możliwość wydawania niepotwierdzonej reszty, to reszta z transakcji nie może zostać użyta dopóki nie ma przynajmniej jednego potwierdzona. To również wpływa na to jak wyliczane jest twoje saldo. - + &Spend unconfirmed change &Wydaj niepotwierdzoną resztę - + &Network &Sieć - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Automatycznie uruchamiaj port klienta Darkcoina na ruterze. To działa tylko jeśli twój ruter wspiera i ma włączone UPnP. - + Map port using &UPnP Mapuj port używając &UPnP - Connect to the Dash network through a SOCKS proxy. - Połącz się z siecią Darkcoina przez proxy SOCKS - - - &Connect through SOCKS proxy (default proxy): - &Połącz się przez SOCKS proxy (opcja domyślna): - - - + Proxy &IP: Proxy &IP: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Adres IP serwera proxy (np. IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Port: - + Port of the proxy (e.g. 9050) Port proxy (np. 9050) - SOCKS &Version: - Wersja &SOCKS - - - SOCKS version of the proxy (e.g. 5) - SOCKS wersja serwera proxy (np. 5) - - - + &Window &Okno - + Show only a tray icon after minimizing the window. Pokazuj tylko ikonę przy zegarku po zminimalizowaniu okna. - + &Minimize to the tray instead of the taskbar &Minimalizuj do paska przy zegarku zamiast do paska zadań - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Minimalizuje zamiast zakończyć działanie programu przy zamykaniu okna. Kiedy ta opcja jest włączona, program zakończy działanie po wybieraniu Zamknij w menu. - + M&inimize on close M&inimalizuj przy zamknięciu - + &Display &Wyświetlanie - + User Interface &language: Język &Użytkownika: - + The user interface language can be set here. This setting will take effect after restarting Dash. Tutaj można ustawić język interfejsu użytkownika. To ustawienie zostanie zapisane po ponownym uruchomieniu Dash. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Dash Core nie został przetłumaczony na twój język? Tłumaczenie jest niepełne lub niepoprawne? Możesz pomóc nam tłumaczyć tutaj: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Motyw interefejsu użytkownika: - + &Unit to show amounts in: &Jednostka pokazywana przy kwocie: - + Choose the default subdivision unit to show in the interface and when sending coins. Wybierz podział jednostki pokazywany w interfejsie oraz podczas wysyłania monet - Whether to show Dash addresses in the transaction list or not. - Czy wyświetlić adres Dash w liście transakcji czy nie - - - &Display addresses in transaction list - &Wyświetlaj adresy w liście transakcji - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. URL osób trzecich (np. eksplorator bloków), które pojawiają się w zakładce transakcji jako pozycje w menu kontekstowym. %s w URL jest zastąpione przez hash transakcji. Wielokrotne URL są oddzielane przez pionową poprzeczkę |. - + Third party transaction URLs URL transakcji osób trzecich - + Active command-line options that override above options: Aktywne opcje linii komend, które nadpisują powyższe opcje: - + Reset all client options to default. Przywróć domyślne wszystkie ustawienia klienta. - + &Reset Options Z&resetuj Ustawienia - + &OK &OK - + &Cancel &Anuluj - + default domyślny - + none żaden - + Confirm options reset Potwierdź reset ustawień - - + + Client restart required to activate changes. Wymagany restart programu, aby uaktywnić zmiany. - + Client will be shutdown, do you want to proceed? Program zostanie wyłączony. Czy chcesz kontynuować? - + This change would require a client restart. Ta zmiana może wymagać ponownego uruchomienia klienta. - + The supplied proxy address is invalid. Adres podanego proxy jest nieprawidłowy @@ -1851,368 +1672,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Formularz - Wallet - Portfel - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. Wyświetlona informacja może być przedawniona. Twój portfel automatycznie zsynchronizuje sie z siecią Dash jak tylko zostanie ustanowione połączenie, jednakże proces ten jeszcze się nie zakończył. - + Available: Dostępne: - + Your current spendable balance Twoje obecne saldo - + Pending: W toku: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Suma transakcji, które nie zostały jeszcze potwierdzone, a które nie zostały wliczone do twojego obecnego salda - + Immature: Niedojrzały: - + Mined balance that has not yet matured Balans wydobycia, który jeszcze nie dojrzał - + Balances - + Balans - + Unconfirmed transactions to watch-only addresses - + Nipotwierdzone transakcje do adresów mogących być jedynie do odczytu. - + Mined balance in watch-only addresses that has not yet matured - + Wykopane fundusze jeszcze nie gotowe będące w adresie tylko do odczytu. - + Total: Wynosi ogółem: - + Your current total balance Twoje obecne saldo - + Current total balance in watch-only addresses - + Obecny stan konta adresu tylko do odczytu. - + Watch-only: - + Tylko do podglądu: - + Your current balance in watch-only addresses - + Twój obecny stan konta w adresie tylko do odczytu - + Spendable: - + Możliwe do wydania: - + Status: Status: - + Enabled/Disabled Włączony/Wyłączony - + Completion: Ukończone: - + Darksend Balance: Bilans Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Ilość oraz Rundy: - + 0 DASH / 0 Rounds 0 DASH / 0 Rund - + Submitted Denom: Zgłoszone denominacje: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Denominacje zgłoszone do Masternodów. Aby je wymieszać, pozostali uzytkownicy muszą zgłosić dokładnie te same denominacje. - - - + n/a nie dotyczy - - - - + + + + Darksend Darksend - + Recent transactions - + Ostatnie transakcje - + Start/Stop Mixing Start/Stop Mieszanie - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Denominacje, które wysłałeś do Masternoda.<br>Aby zostały one ymieszane, inni użytkownicy muszą wysłać dokładnie takie same denominacje. + + + (Last Message) (Ostatnia Wiadomość) - + Try to manually submit a Darksend request. Prubój ręcznie zgłosić żądanie Darksend. - + Try Mix Mieszaj - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Zresetuj obecny stan darksend (może przerwać Darksend, jeżeli jest w trakcie mieszania. Może Cię to kosztować! ) - + Reset Reset - <b>Recent transactions</b> - <b>Ostatnie transakcje</b> - - - - - + + + out of sync desynchronizacja - - + + + + Disabled Wyłączony - - - + + + Start Darksend Mixing Uruchom miksowanie Darksend - - + + Stop Darksend Mixing Zatrzymaj miksowanie Darksend - + No inputs detected Nie wykryto wejść + + + + + %n Rounds + RundaRundyRundy + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Znaleziono niepotwierdzone zdenominowane wyjścia, wstrzymam się z rekalkulacją do czasu ich potwierdzenia. - - - Rounds - Rundy + + + Progress: %1% (inputs have an average of %2 of %n rounds) + - + + Found enough compatible inputs to anonymize %1 + Znaleziono wystarczającą ilość odpowiednich środków aby zanonimizowaź %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Nie ma wystarczającej ilośći środków aby moć dokonać anonimizacji <span style='color:red;'>%1</span>,<br/>zamiast oryginalnej sumy <spam style='color:red;'>%2</spam> zostanie zanonimizowanych. + + + Enabled Włączony - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Ostatnia wiadomość Darksend: - - - Darksend is idle. - Darksend jest w stanie spoczynku. - - - - Mixing in progress... - - - - - Darksend request complete: Your transaction was accepted into the pool! - Żądanie Daeksend zostało zakończone: Twoja transakcja została zaakceptowana do wspólnego funduszu kopaczy. - - - - Submitted following entries to masternode: - Następujące wpisy zostały przesłane do masternoda: - - - Submitted to masternode, Waiting for more entries - Przesłano do masternoda. Czekam na więcej wpisów. - - - - Found enough users, signing ... - Znaleziono wystarczającą ilość użytkowników, trwa podpisywanie ... - - - Found enough users, signing ( waiting. ) - Znaleziono wystarczającą ilość użytkowników, trwa podopisywanie ( poczekaj chwilę. ) - - - Found enough users, signing ( waiting.. ) - Znaleziono wystarczająco użytkowników, trwa podpisywanie ( poczekaj chwilę.. ) - - - Found enough users, signing ( waiting... ) - Znaleziono wystarczająco użytkowników, trwa podpisywanie ( poczekaj chwilę... ) - - - - Transmitting final transaction. - Trwa wysyłanie pierwszej transakcji. - - - - Finalizing transaction. - Finalizowanie transakcji. - - - - Darksend request incomplete: - Żądanie Darksend zakończyło się niepowodzeniem: - - - - Will retry... - spóbuję ponownie - - - - Darksend request complete: - Żądanie Darksend zakończyło się powodzeniem: - - - Submitted to masternode, waiting in queue . - Przesłano do masterdnoda, czekaj na swoją kolej. - - - Submitted to masternode, waiting in queue .. - Przesłano do masterdnoda, czekaj na swoją kolej.. - - - Submitted to masternode, waiting in queue ... - Przesłano do masterdnoda, czekaj na swoją kolej... - - - - Unknown state: - Status nieznany: - - - + N/A NIEDOSTĘPNE - + Darksend was successfully reset. Darksend został pomyślnie zresetowany - + Darksend requires at least %1 to use. Darksend wymaga użycia conajmniej %1 - + Wallet is locked and user declined to unlock. Disabling Darksend. Portfel jest zablokowany a użytkownik odmówił odblokowania. Darksend zostaje wyłączony. @@ -2220,141 +1947,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Błąd żądania płatności - + Cannot start dash: click-to-pay handler Nie można włączyć dash: kliknij-aby-zapłacić ubsługującemu. - Net manager warning - Ostrzeżenie menedżera sieci - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Twoje aktywne proxy nie obsługuje SOCKS5, co jest wymagane dla żądania płatności przez proxy. - - - - - + + + URI handling Obsługa URI - + Payment request fetch URL is invalid: %1 Żądanie płatności podowduje że URL jest niewłaściwy: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - URI nie może zostać przeanalizowany! Mogło to być spowodowane przez niewłaściwy adres Dash lub niewłaściwe parametry URI - - - + Payment request file handling Obsługa pliku z żądaniem płatności - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Plik z żądaniem płatności nie może zostać odczytany lub przetworzony! Może to być spowodowane przez niewłaściwy plik z żądaniem płatności. - - - + Invalid payment address %1 - błędny adres płatności %1 + Nieprawidłowy adres płatności %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + URI nie może zostać przeanalizowany! Mogło to być spowodowane przez niewłaściwy adres Dash lub niewłaściwe parametry URI - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Plik z żądaniem płatności nie może zostać odczytany! Może to być spowodowane przez niewłaściwy plik z żądaniem płatności. - - - + + + Payment request rejected - + Żądanie płatności zostało odrzucone - + Payment request network doesn't match client network. - + Sieć żądania płatnośc nie pasuje do sieci klienta. - + Payment request has expired. - + Żądanie płatności straciło ważność. - + Payment request is not initialized. - + Żądanie płatności nie zostało zainicjonowane. - + Unverified payment requests to custom payment scripts are unsupported. Niezweryfikowane żądania płatności dla specjalnych skryptów z płatnościami nie są obsługiwane. - + Requested payment amount of %1 is too small (considered dust). Żądana kwota %1 jest za niska (uznana za pył). - + Refund from %1 Zwrot z %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Żądanie płatności %1 jest zbyt duże (%2 bitów, maksymalny rozmiar to %3 bitów). - + Payment request DoS protection - + Ochrona żądania płaności przed DoS - + Error communicating with %1: %2 Błąd komunikacji z %1 : %2 - + Payment request cannot be parsed! - + Żądanie płatności nie może zostać przeanalizowane! - Payment request can not be parsed or processed! - Żądanie płatności nie może zostać przeanalizowne lub przetworzone! - - - + Bad response from server %1 Błędna odpowiedź z serwera %1 - + Network request error Błąd żądania sieci - + Payment acknowledged Płatność potwierdzona @@ -2362,139 +2069,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Adres/Hostname - + User Agent - + Agent użytkownika - + Ping Time - + czas opóźnienia sieci QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Błąd: Określony folder danych "%1" nie istnieje. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Błąd: Nie można przetworzyć pliku konfiguracyjnego: %1. Używaj tylko składni klucz=wartość. - - - - Error reading masternode configuration file: %1 - Błąd podczas wczytywania pliku z konfiguracją masternoda: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Błąd: Niepoprawna kombinacja -regtest i -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core jeszcze się nie wyłaczył... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Wpisz adres Dash (np. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Kwota + Ilość - + Enter a Dash address (e.g. %1) - + Wpisz adres Dash (np. %1) - + %1 d - + 1 dzień - + %1 h - %1 h + 1 godz. - + %1 m - %1 m + 1 min. - + %1 s - + 1 sec. - + NETWORK - + SIEĆ - + UNKNOWN - + NIEZNANY - + None - + Żaden - + N/A - NIEDOSTĘPNE + Nie ważne - + %1 ms - + 1 milisec. QRImageWidget - + &Save Image... &Zapisz obraz... - + &Copy Image &Kopiuj obraz - + Save QR Code Zapisz Kod QR - + PNG Image (*.png) Obraz PNG (*.png) @@ -2502,436 +2168,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Okno narzędzi - + &Information &Informacje - + Masternode Count Ilość masternodów - + General Ogólne - + Name Nazwa - + Client name Nazwa klienta - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A NIEDOSTĘPNE - + Number of connections Liczba połączeń - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Otwiera plik z zapisami debugowania Darkcoina z obecnego katalogu. Może to potrfać kilka sekund w zależności od rozmiaru pliku. - + &Open &Otwórz - + Startup time Czas uruchomienia - + Network Sieć - + Last block time Czas ostatniego bloku - + Debug log file Plik logowania debugowania - + Using OpenSSL version Używana wersja OpenSSL - + Build date Data kompilacji - + Current number of blocks Aktualna liczba bloków - + Client version Wersja klienta - + Using BerkeleyDB version - + Używana wersja BerkeleyDB - + Block chain Ciąg bloków - + &Console &Konsola - + Clear console Wyczyść konsolę - + &Network Traffic $Ruch sieci - + &Clear &Wyczyść - + Totals Kwota ogólna - + Received - + Otrzymany - + Sent - + Wysłany - + &Peers - + &peery - - - + + + Select a peer to view detailed information. - + Wybierz peera aby zobaczyć jego szczegółowe informacje. - + Direction - + Kierunek - + Version - + Wersja - + User Agent - + Agent użytkownika - + Services - + Usługi - + Starting Height - + Początkowa wysokość - + Sync Height - + Synchronizuj wysokość - + Ban Score - + zablokuj wynik - + Connection Time - + Czas Połączenia - + Last Send - + Ostatnio Wysłane - + Last Receive - + Ostatnio Odebrane - + Bytes Sent - + Bajty Wysłane - + Bytes Received - + Bajty Odebrane - + Ping Time - + czas opóźnienia sieci - + + &Wallet Repair + &Naprawa portfela + + + + Salvage wallet + Ratuj portfel + + + + Rescan blockchain files + Przeskanuj pliki lańcucha + + + + Recover transactions 1 + Odzyskaj transakcję 1 + + + + Recover transactions 2 + Odzyskaj transakcję 2 + + + + Upgrade wallet format + Udoskonal format portfela + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + Przycisk poniżej, zrestartuje portfel z opcjami lini komend słóżących do naprawy porfela, rozwiązania problemów z plikami łańcucha bloków oraz zgubionych lub nieważnych transakcji . + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: Próbuje przywrócić prywatne klucze z uszkodzonego portfela. + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Przeskanuje łańcuch w poszukiwaniu brakujących transakcji portfela. + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + + + + + Wallet repair options. + Opcje naprawy portfela. + + + + Rebuild index + Przebuduj indeks + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + + + + In: Wejście: - + Out: Wyjście: - + Welcome to the Dash RPC console. Witaj w konsoli RPC Darkcoina - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Użyj strzałek do przewijania historii i <b>Ctrl-L</b> aby wyczyścić ekran - + Type <b>help</b> for an overview of available commands. Wpisz <b>help</b> aby uzyskać listę dostępnych komend - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + - - + + never - + nigdy - + Inbound - + przychodzące - + Outbound - + wychodzące - + Unknown - + nieznane - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + W trakcie pobierania.... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Użyj jeden z poprzednio użytych adresów odbiorczych. Podczas ponownego używania adresów występują problemy z bezpieczeństwem i prywatnością. Nie korzystaj z tej opcji, chyba że odtwarzasz żądanie płatności wykonane już wcześniej. - + R&euse an existing receiving address (not recommended) O&drzuć istniejący adres odbiorczy (nie zalecane) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Opcjonalna wiadomość do żądania płatności. Wiadomość wyświetli się po otwarciu żądania. Pamiętaj: Wiadomość nie zostanie wysłana razem z płatnością poprzez sieć Dash. + Opcjonalna wiadomość do żądania płatności. Wiadomość wyświetli się po otwarciu żądania. Pamiętaj: Wiadomość nie zostanie wysłana razem z płatnością poprzez sieć Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Wiadomość: - - + + An optional label to associate with the new receiving address. Opcjonalna etykieta do skojarzenia z nowym adresem odbiorczym. - + Use this form to request payments. All fields are <b>optional</b>. Użyj tego formularza do zażądania płatności. Wszystkie pola są <b>opcjonalne</b>. - + &Label: &Etykieta: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Opcjonalna kwota żądania. Pozostaw puste pole lub zero aby nie podawać konkretnej kwoty. - + &Amount: &Ilość: - + &Request payment &Żądaj płatności - + Clear all fields of the form. Wyczyść pola formularza - + Clear Wyczyść - + Requested payments history Żądanie historii płatności - + Show the selected request (does the same as double clicking an entry) Pokaż zaznaczone żądanie (działa jak podwójne kliknięcie) - + Show Pokaż - + Remove the selected entries from the list Usuń zaznaczone z listy - + Remove Usuń - + Copy label Kopiuj etykietę - + Copy message Kopiuj wiadomość - + Copy amount Kopiuj kwotę @@ -2939,67 +2664,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code Kod QR - + Copy &URI Kopiuj &URI - + Copy &Address Kopiuj &adres - + &Save Image... &Zapisz obraz... - + Request payment to %1 Żądaj płatności do %1 - + Payment information Informacje o płatności - + URI URI - + Address Adres - + Amount Kwota - + Label Etykieta - + Message Wiadomość - + Resulting URI too long, try to reduce the text for label / message. Wynikowy URI jest zbyt długi, spróbuj zmniejszyć tekst etykiety / wiadomości - + Error encoding URI into QR Code. Błąd kodowania URI w Kodzie QR. @@ -3007,37 +2732,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Data - + Label Etykieta - + Message Wiadomość - + Amount Kwota - + (no label) (bez etykiety) - + (no message) (brak wiadomości) - + (no amount) (brak kwoty) @@ -3045,412 +2770,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Wyślij Monety - + Coin Control Features Funkcje sterowania monetami - + Inputs... Wejścia... - + automatically selected zaznaczone automatycznie - + Insufficient funds! Niewystarczające środki - + Quantity: Ilość: - + Bytes: Bajtów: - + Amount: Kwota: - + Priority: Priorytet: - + medium średnia - + Fee: Opłata: - Low Output: - Niska wartość wyjściowa: - - - + Dust: - + Pył - + no nie - + After Fee: Po opłacie: - + Change: Reszta: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Kiedy ta opcja jest wybrana, ale adres reszty jest pusty lub nieprawidłowy to reszta będzie wysyłana na adres nowo-wygenerowany. - + Custom change address Niestandardowe zmiany adresu - + Transaction Fee: - + Opłata za transakcje: - + Choose... - + Wybierz... - + collapse fee-settings - + zamknij ustawienia opłat - + Minimize - + Zminimalizuj - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Jeśli ręcznie ustalona opłata wynosi 1000 Duffów a sama transakcja ma tylko 250 bitów, to opłata jako "za kilobajt" wynosi tylko 250 duffów. Dzieje się tak dla każdej transakcji poniżej 1000 duffów. W przypadku transakcji większych niż jedn kilobajt opłata jest naliczana od kilobajta. - + per kilobyte - + na kilobajt - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + - + total at least - + - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + - + (read the tooltip) - + - + Recommended: - + Polecany: - + Custom: - + - + (Smart fee not initialized yet. This usually takes a few blocks...) - + - + Confirmation time: - + Czas potwierdzenia: - + normal - + normalny - + fast - + szybki - + Send as zero-fee transaction if possible - + Wyślij transakcję bez uiszczania opłat jeśli jest to możliwe. - + (confirmation may take longer) - + (potwierdzenie może zająć trochę więcej czasu) - + Confirm the send action Potwierdź akcję wysyłania - + S&end Wy&syłka - + Clear all fields of the form. Wyczyść wszystkie pola formularza - + Clear &All Wyczyść &wszystko - + Send to multiple recipients at once Wyślij do wielu odbiorców na raz - + Add &Recipient Dodaj Odbio&rce - + Darksend Darksend - + InstantX InstantX - + Balance: Saldo: - + Copy quantity Skopiuj ilość - + Copy amount Kopiuj kwotę - + Copy fee Skopiuj opłatę - + Copy after fee Skopiuj ilość po opłacie - + Copy bytes Skopiuj ilość bajtów - + Copy priority Skopiuj priorytet - Copy low output - Skopiuj niską wartość - - - + Copy dust - + - + Copy change Skopiuj resztę - - - + + + using używając - - + + anonymous funds anonimowe środki - + (darksend requires this amount to be rounded up to the nearest %1). (darksend wymaga aby kwota ta została zaokrąglona do najbliższego 1%). - + any available funds (not recommended) jakiekolwiek dostępne środki (niezalecane) - + and InstantX i InstantX - - - - + + + + %1 to %2 %1 do %2 - + Are you sure you want to send? Czy na pewno chcesz wysłać? - + are added as transaction fee dodane są jako opłata za transakcje - + Total Amount %1 (= %2) Łączna kwota %1 (= %2) - + or lub - + Confirm send coins Potwierdź wysyłanie monet - Payment request expired - Zażądanie płatności upłynęło + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + + + + + Estimated to begin confirmation within %n block(s). + - Invalid payment address %1 - błędny adres płatności %1 - - - + The recipient address is not valid, please recheck. Adres odbiorcy jest nieprawidłowy, proszę poprawić - + The amount to pay must be larger than 0. Kwota do zapłacenia musi być większa od 0. - + The amount exceeds your balance. Kwota przekracza twoje saldo. - + The total exceeds your balance when the %1 transaction fee is included. Suma przekracza twoje saldo, gdy doliczymy %1 prowizji transakcyjnej. - + Duplicate address found, can only send to each address once per send operation. Znaleziono powtórzony adres, można wysłać tylko raz na każdy adres podczas operacji wysyłania. - + Transaction creation failed! Utworzenie transakcji nie powiodło się! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Transakcja została odrzucona! Może się to zdarzyć jeśli część monet z portfela została już wydana używając kopii pliku wallet.dat i nie zostało to tutaj uwzględnione. - + Error: The wallet was unlocked only to anonymize coins. Błąd: Portfel został odblokowany tylko dla anonimizacji monet. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Ostrzeżenie: adres Dash jest nieprawidlowy - + Warning: Unknown change address Ostrzeżenie: Nieznany adres - + (no label) (bez etykiety) @@ -3458,102 +3167,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. To jest standardowa płatność - + Pay &To: Zapłać &dla: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Adres na który wysłać płatność (np. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + Adres Dash na który wysłać fundusze - + Choose previously used address Wybierz wcześniej użyty adres - + Alt+A Alt+A - + Paste address from clipboard Wklej adres ze schowka - + Alt+P Alt+P - - - + + + Remove this entry Usuń ten wpis - + &Label: &Etykieta: - + Enter a label for this address to add it to the list of used addresses Wprowadź etykietę dla tego adresu by dodać go do listy użytych adresów - - - + + + A&mount: Su&ma: - + Message: Wiadomość: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Wiadomość, która została dołączona do dash: Link, który zostanie zapisany wraz z transakcją do wglądu w przyszłości. Zauważ. że sama wiadomość nie zostanie wysłana przez sieć Darkcoina. - + This is an unverified payment request. To żądanie zapłaty nie zostało zweryfikowane. - - + + Pay To: Wpłać do: - - + + Memo: Notatka: - + This is a verified payment request. Zweryfikowano żądanie zapłaty. - + Enter a label for this address to add it to your address book Wprowadź etykietę dla tego adresu by dodać go do książki adresowej @@ -3561,12 +3266,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... Trwa zamykanie Dash Core - + Do not shut down the computer until this window disappears. Nie wyłączaj komputera dopóki to okno nie zniknie. @@ -3574,193 +3279,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Podpisy - Podpisz / zweryfikuj wiadomość - + &Sign Message Podpi&sz Wiadomość - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Możesz podpisywać wiadomości swoimi adresami aby udowodnić, że jesteś ich właścicielem. Uważaj, aby nie podpisywać niczego co wzbudza Twoje podejrzenia, ponieważ ktoś może stosować phishing próbując nakłonić Cię do ich podpisania. Akceptuj i podpisuj tylko w pełni zrozumiałe komunikaty i wiadomości. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Adres, którym ma być podpisana wiadomość (np.: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + Adres Dash do podpisu wiadomości - - + + Choose previously used address Wybierz wcześniej użyty adres - - + + Alt+A Alt+A - + Paste address from clipboard Wklej adres ze schowka - + Alt+P Alt+P - + Enter the message you want to sign here Wprowadź wiadomość, którą chcesz podpisać, tutaj - + Signature Podpis - + Copy the current signature to the system clipboard Kopiuje aktualny podpis do schowka systemowego - + Sign the message to prove you own this Dash address Podpisz wiadomość aby udowodnić, że jesteś właścicielem adresu Dash. - + Sign &Message Podpisz Wiado&mość - + Reset all sign message fields Zresetuj wszystkie pola podpisanej wiadomości - - + + Clear &All Wyczyść &wszystko - + &Verify Message &Zweryfikuj wiadomość - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Wpisz adres podpisujący, podaj wiadomość (upewnij się, że dokładnie skopiujesz wszystkie zakończenia linii, spacje, tabulacje itp.) oraz podpis poniżej by sprawdzić wiadomość. Uważaj by nie dodać więcej do podpisu niż do samej podpisywanej wiadomości by uniknąć ataku man-in-the-middle (człowiek pośrodku) - + The Dash address the message was signed with - + Adres Dash którym wiadomość została podpisana - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Adres, którym została podpisana wiadomość (np.: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Zweryfikuj wiadomość aby upewnić się, że została zapisana przez konkretny adres Dash - + Verify &Message Zweryfikuj Wiado&mość - + Reset all verify message fields Resetuje wszystkie pola weryfikacji wiadomości - + Click "Sign Message" to generate signature Kliknij "Podpisz Wiadomość" żeby uzyskać podpis - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Wpisz adres Dash (np. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Podany adres jest nieprawidłowy. - - - - + + + + Please check the address and try again. Proszę sprawdzić adres i spróbować ponownie. - - + + The entered address does not refer to a key. Wprowadzony adres nie odnosi się do klucza. - + Wallet unlock was cancelled. Odblokowanie portfela zostało anulowane. - + Private key for the entered address is not available. Klucz prywatny dla podanego adresu nie jest dostępny - + Message signing failed. Podpisanie wiadomości nie powiodło się - + Message signed. Wiadomość podpisana. - + The signature could not be decoded. Podpis nie może zostać zdekodowany. - - + + Please check the signature and try again. Sprawdź podpis i spróbuj ponownie. - + The signature did not match the message digest. Podpis nie odpowiadał streszczeniu wiadomości - + Message verification failed. Weryfikacja wiadomości nie powiodła się. - + Message verified. Wiadomość zweryfikowana. @@ -3768,27 +3461,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Wersja %1 - + The Bitcoin Core developers Deweloperzy Bitcoin Core - + The Dash Core developers Deweloperzy Dash Core - + [testnet] [testnet] @@ -3796,7 +3489,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s KB/s @@ -3804,257 +3497,245 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - Otwórz na %n kolejny blok - Otwórz na %n kolejnych bloków - Otwórz na %n kolejnych blok(ów) - + - + Open until %1 Otwórz do %1 - - - - + + + + conflicted konflikt - + %1/offline (verified via instantx) %1/offline (zweryfikowane przez instantx) - + %1/confirmed (verified via instantx) 1%/potwierdzony (zweryfikowane przez instantx) - + %1 confirmations (verified via instantx) 1% potwierdzeń (zweryfikowane przez instantx) - + %1/offline %1/offline - + %1/unconfirmed %1/niezatwierdzone - - + + %1 confirmations %1 potwierdzeń - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/nieaktywny (w trakcie weryfikacji InstantX - %2 z %3 oznaczeń) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/potwierdzony (w trakcie weryfikacji InstantX - %2 z %3 oznaczeń) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1/potwierdzeń (w trakcie weryfikacji InstantX - %2 z %3 oznaczeń) - + %1/offline (InstantX verification failed) %1/nieaktywny (weryfikacja InstantX niepowiodła się) - + %1/confirmed (InstantX verification failed) %1/potwierdzony (weryfikacja InstantX nie powiodła się) - + Status Status - + , has not been successfully broadcast yet , nie został jeszcze pomyślnie wyemitowany - + , broadcast through %n node(s) - - , transmituj przez %n węzeł - , transmituj przez %n węzłów - , transmituj przez %n węzeł(ów) - + - + Date Data - + Source Źródło - + Generated Wygenerowano - - - + + + From Od - + unknown nieznany - - - + + + To Do - + own address własny adres - - + + watch-only - + Tylko do podglądu - + label etykieta - - - - - + + + + + Credit Przypisy - + matures in %n more block(s) - - dojrzałe w %n kolejnym bloku - dojrzałe w %n kolejnych bloków - dojrzałe w %n kolejnych blok(ów) - + - + not accepted niezaakceptowane - - - + + + Debit Debet - + Total debit - + Całkowity debet - + Total credit - + Całkowity kredyt - + Transaction fee Prowizja transakcji - + Net amount Kwota netto - - + + Message Wiadomość - + Comment Komentarz - + Transaction ID ID transakcji - + Merchant Kupiec - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Wygenerowane monety muszą dojrzeć przez %1 bloków zanim będzie można je wysłać. Gdy wygenerowałeś ten blok, został on ogłoszony w sieci i dodany do łańcucha bloków. Jeżeli nie uda mu się wejść do łańcucha, jego status zostanie zmieniony na "nie zaakceptowano" i nie będzie można go wydać. To czasem zdarza się gdy inny węzeł wygeneruje blok kilka sekund przed tobą. - + Debug information Informacje debugowania - + Transaction Transakcja - + Inputs Wejścia - + Amount Kwota - - + + true prawda - - + + false fałsz @@ -4062,12 +3743,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Szczegóły transakcji - + This pane shows a detailed description of the transaction Ten panel pokazuje szczegółowy opis transakcji @@ -4075,170 +3756,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Data - + Type Typ - + Address Adres - - Amount - Kwota - - + Open for %n more block(s) - - Otwórz na %n kolejny blok - Otwórz na %n kolejnych bloków - Otwórz na %n kolejny(ch) blok(ów) - + Otwarty na kolejny blokOtwarty na kolejne blokiOtwarty na kolejne bloki - + Open until %1 Otwórz do %1 - + Offline Offline - + Unconfirmed Niepotwierdzone: - + Confirming (%1 of %2 recommended confirmations) Potwierdzanie (%1 z %2 rekomendowanych potwierdzeń) - + Confirmed (%1 confirmations) Zatwierdzony (%1 potwierdzeń) - + Conflicted Konflikt - + Immature (%1 confirmations, will be available after %2) Niedojrzały (%1 potwierdzenia, będzie dostępny po %2) - + This block was not received by any other nodes and will probably not be accepted! Ten blok nie został odebrany przez jakikolwiek inny węzeł i prawdopodobnie nie zostanie zaakceptowany! - + Generated but not accepted Wygenerowano ale nie zaakceptowano - + Received with Otrzymane przez - + Received from Odebrano od - + Received via Darksend Otrzymane przez Darksend - + Sent to Wysłano do - + Payment to yourself Płatność do siebie - + Mined Wydobyto - + Darksend Denominate Denominacja Darksend - + Darksend Collateral Payment Płatność zabezpieczająca Darksend - + Darksend Make Collateral Inputs Darksend tworzy poboczne wejscia - + Darksend Create Denominations Darksend tworzy denominacje - + Darksent Darksent - + watch-only - + Tylko do podgądu - + (n/a) (brak) - + Transaction status. Hover over this field to show number of confirmations. Status transakcji. Najedź na pole, aby zobaczyć liczbę potwierdzeń. - + Date and time that the transaction was received. Data i czas odebrania transakcji. - + Type of transaction. Rodzaj transakcji. - + Whether or not a watch-only address is involved in this transaction. - + - + Destination address of transaction. Adres docelowy transakcji. - + Amount removed from or added to balance. Kwota usunięta z lub dodana do konta. @@ -4246,207 +3919,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Wszystko - + Today Dzisiaj - + This week W tym tygodniu - + This month W tym miesiącu - + Last month W zeszłym miesiącu - + This year W tym roku - + Range... Zakres... - + + Most Common + + + + Received with Otrzymane przez - + Sent to Wysłano do - + Darksent Darksent - + Darksend Make Collateral Inputs Darksend tworzy poboczne wejscia - + Darksend Create Denominations Darksend tworzy denominacje - + Darksend Denominate Denominacja Darksend - + Darksend Collateral Payment Płatność zabezpieczająca Darksend - + To yourself Do siebie - + Mined Wydobyto - + Other Inne - + Enter address or label to search Wprowadź adres albo etykietę żeby wyszukać - + Min amount Min suma - + Copy address Kopiuj adres - + Copy label Kopiuj etykietę - + Copy amount Kopiuj kwotę - + Copy transaction ID Skopiuj ID transakcji - + Edit label Zmień etykietę - + Show transaction details Pokaż szczegóły transakcji - + Export Transaction History Eksport historii transakcji - + Comma separated file (*.csv) CSV (rozdzielany przecinkami) - + Confirmed Potwierdzony - + Watch-only - + Tylko do odczytu - + Date Data - + Type Typ - + Label Etykieta - + Address Adres - Amount - Kwota - - - + ID ID - + Exporting Failed Błąd przy próbie eksportu - + There was an error trying to save the transaction history to %1. Wystąpił błąd przy próbie zapisu historii transakcji do %1. - + Exporting Successful Eksport powiódł się - + The transaction history was successfully saved to %1. Historia transakcji została zapisana do %1. - + Range: Zakres: - + to do @@ -4454,15 +4128,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + WalletFrame - + No wallet has been loaded. Nie załadowano żadnego portfela. @@ -4470,60 +4144,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins Wyślij płatność - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX nie obsługuje jeszcze tak wysokiej ilości. Transakcja jest obecnie ograniczona do %n DASH - InstantX nie obsługuje jeszcze tak wysokich ilości. Transakcje są obecnie ograniczone do %n DASH - InstantX nie obsługuje jeszcze tak wysokich ilości. Transakcje są obecnie ograniczone do %n DASH - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + WalletView - + &Export &Eksportuj - + Export the data in the current tab to a file Eksportuj dane z aktywnej karty do pliku - + Backup Wallet Kopia Zapasowa Portfela - + Wallet Data (*.dat) Dane Portfela (*.dat) - + Backup Failed Nie udało się wykonać kopii zapasowej - + There was an error trying to save the wallet data to %1. Wystąpił błąd przy próbie zapisu pliku portfela do %1. - + Backup Successful Wykonano Kopię Zapasową - + The wallet data was successfully saved to %1. Plik portfela został zapisany do %1. @@ -4531,8 +4203,503 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Związany z danym adresem oraz zawsze prowadzący na nim nasłuch. Użyj [host]:oznaczenie dla IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Nie można zablokować katalogu danych %s. Prawdopodobnie Dash jest już uruchomiony. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend używa dokładnych denominowanych kwot do przesyłania środków, możliwe że musisz zanonimizować trochę więcej monet. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Wejdź w regresyjny tryb testowy, który używa specjalnego łańcucha, w którym bloki mogą być rozwiązywane natychmiastowo. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Błąd: Nie powiodło się nasłuchiwanie połączeń przychodzących (nasłuch zwrócił błąd %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Wykonaj komendę po otrzymaniu odpowiedniego zawiadomienia lub po obserwacji bardzo długiego rozszczepienia (%s w konsoli jest zastąpiony przez wiadomość) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Wykonaj komendę kiedy zmienia się transakcja portfela (%s w konsoli jest zastąpione przez TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Wykonaj komendę przy zmianie najlepszego bloku (%s w konsoli jest zastąpione przez hasz bloku) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Znaleziono niepotwierdzone denominowane transakcje wyjściowe, poczekam aż zostaną one potwierdzone aby móc kontynuować dalej. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + W tym trybie -genproclimit kontroluje ile bloków jest generowanych natychmiastowo. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX potrzebuje aby transakcja wejściowa miała co najmniej 6 potwierdzeń. Poczekaj kilka minut i spróbuj ponownie. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Nazwa służąca do stworzenia linka do KeePass w którym trzymane jest hasło portfela + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Jeśli pula adresów jest niska, pytaj o adresy peer przez podgląd DNS (domyślnie: 1 chyba że -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Ustaw zewnętrzny adres:port aby połączyć się z tym masternodem (na przykład: adres:port) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Ustaw maksymalny rozmiar transakcji o wysokim/niskim priorytecie w bajtach (domyślny: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Ustaw liczbę wątków weryfikacji skryptu (%u do %d, 0 = auto, <0 = zostaw tyle rdzeni wolnych, domyślnie: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Ta wersja nie jest jeszcze gotowa na oficjalne wydanie - używaj jej na własne ryzyko - nie używaj tej wersji do kopania monet lub do świadczenia usług komercyjnych. + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Niezdolny do związania z %s na tym komputerze. Prawdopodobnie Dash jest już uruchomiony. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Nie znaleziono wystarczających denominowanych środków Darksend do wykonania tej transakcji. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Nie znaleziono wystarczającej ilości nie zdenominowanych środków Darksend dla tej transakcji, które nie równają się 1000 DASH + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Nie znaleziono wystarczającej ilości zdenominowanych środków Darksend dla tej transakcji. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Uwaga: -paytxfee jest bardzo wysoka! To jest opłata którą będziesz musiał uiścić jeśli dokonasz transakcji. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Uwaga: Wygląda na to, że istnieją pewne rozbieżności w sieci! Możliwe, że niektórzy kopacze doświadczają problemów technicznych. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + dadf + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Uwaga: wystąpił błąd podczas odczytu pliku wallet.dat! Wszystkie klucze są odczytywane poprawnie ale dane transakcji lub wpis w bazie adresów jest niepoprawny lub nie istnieje. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Uwaga: plik wallet.dat jest uszkodzony, ale dane zostały odzyskane! Oryginalny plik wallet.dat został zapisany jako wallet.{timestamp}.bak w %s; jeżeli twoje saldo lub transakcje są nieprawidłowe powinieneś przwyrócić ten plik z kopi zapasowej. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Musisz sprecyzować masternodeprivkey w konfiguracji. Proszę przeglądnij dokumentacje w celu pomocy. + + + + (default: 1) + (standardowo: 1) + + + + Accept command line and JSON-RPC commands + Zaakceptuj linie poleceń oraz polecenia JSON-RPC + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Pozwól na połączenia z zewnątrz (domyślnie: 1 jeśli nie -proxy lub -connect) + + + + Add a node to connect to and attempt to keep the connection open + Dodaj węzeł do połączenia się oraz spróbuj utrzymać połączenie otwarte + + + + Allow DNS lookups for -addnode, -seednode and -connect + Pozwól na wyszukiwanie DNS dla -addnode, -seednode oraz -connect + + + + Already have that input. + Ta wartość wejściowa już istnieje + + + + Attempt to recover private keys from a corrupt wallet.dat + Spróbuj odzyskać prywatne klucze z uszkodzonego wallet.dat + + + + Block creation options: + Opcje tworzenia bloku + + + + Can't denominate: no compatible inputs left. + Niemożna denominować: Nie ma kompatybilnych transakcji wejściowych. + + + + Cannot downgrade wallet + Nie można obniżyć wersji portfela + + + + Cannot resolve -bind address: '%s' + Nie można rozwiązać -bind dla adresu adresu: '%s' + + + + Cannot resolve -externalip address: '%s' + Nie można rozwiązać -externalip dla adresu: '%s' + + + + Cannot write default address + Nie można zapisać domyślnych adresów + + + + Collateral not valid. + Transakcja pod zastaw jest nie niewłaściwa. + + + + Connect only to the specified node(s) + Podłącz tylko do wyszczególnionych węzła(ów) + + + + Connect to a node to retrieve peer addresses, and disconnect + Podłącz do węzła aby odzyskać adresy peerów, a potem odłącz + + + + Connection options: + Opcje połączenia: + + + + Corrupted block database detected + Wykryto uszkodzoną bazę danych bloków + + + + Darksend is disabled. + Darksend jest wyłączony. + + + + Darksend options: + Opcje Darksend: + + + + Debugging/Testing options: + Opcje debugowania/testowania: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Wykryj własny adres IP (domyślny:1 kiedy nasłuchuje oraz nie ma -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Nie wczytuj portfela oraz wyłącz połączenia RPC + + + + Do you want to rebuild the block database now? + Czy chcesz teraz przebudować bazę danych bloków? + + + + Done loading + Wczytywanie zakończone + + + + Entries are full. + Wpisy są pełne. + + + + Error initializing block database + Błąd podczas inicjowania bazy dancyh bloku + + + + Error initializing wallet database environment %s! + Błąd podczas inicjowania środowiska bazy danych portfela + + + + Error loading block database + Błąd wczytywania bloku bazy danych + + + + Error loading wallet.dat + Błąd wczytywania wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Błąd wczytywania wallet.dat: Portfel uszkodzony + + + + Error opening block database + Błąd otwarcia bloku bazy danych + + + + Error reading from database, shutting down. + Błąd odczytu bazy danych, następuje zamknięcie. + + + + Error recovering public key. + Błąd odzyskiwania klucza publicznego. + + + + Error + Błąd + + + + Error: Disk space is low! + Błąd: Przestrzeń dyskowa jest niska! + + + + Error: Wallet locked, unable to create transaction! + Błąd: Portfel zamknięty, stworzenie transakcji jest niemożliwe! + + + + Error: You already have pending entries in the Darksend pool + Błąd: Już masz oczekujące wejścia do puli Darksend + + + + Failed to listen on any port. Use -listen=0 if you want this. + Nie powiódł się nasłuch żadnego z portów. Użyj -listen=0 jeśli chcesz. + + + + Failed to read block + Niepowodzenie przy odczycie bloku + + + + If <category> is not supplied, output all debugging information. + Jeśli <kategoria> nie jest dostarczona, utwórz informacje o debugowaniu. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + + + + + Output debugging information (default: %u, supplying <category> is optional) + + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + + + + + Require high priority for relaying free or low-fee transactions (default:%u) + + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4543,1359 +4710,913 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, musisz ustawić hasło rpc w pliku konfiguracji: -%s -Zalecane jest abyś użył te o to losowo stworzone hasło -rpcuser=dashrpc -rpcpassword=%s -(Nie musisz pamiętać tego hasła) -Twoje hasło NIE MOŻE być takie samo jak twój login. -Jeśli plik ten nie istnieje, stwórz go z uprawnieniami do odczytu tylko przez właściciela. -Zaleca się również aby ustawić alarm powiadomień tzw. alertnotify, aby dać ci znać w razie wystąpienia jekiegoś problemu, na przykład: alertnotify=echo %%s I -s "Dash Alert" admin@foo.com - + - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Akceptowane szyfry (domyślny: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH)) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Wystąpił błąd podczas zakładania portu %u RPC służącego do nasłuchu na IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Wystąpił błąd podczas ustawiania portu %u służącego do nasłuchu na IPv6 przez co nastąpił powrót do do IPv4: s% + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Związany z danym adresem oraz zawsze prowadzący na nim nasłuch. Użyj [host]:oznaczenie dla IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Nie można zablokować katalogu danych %s. Prawdopodobnie Dash jest już uruchomiony. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Utrzymuj limit tempa darmowych transakcji do <n>*1000 bitów na minutę (domyślnie: 15) + + (default: %s) + - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend używa dokładnych denominowanych kwot do przesyłania środków, możliwe że musisz zanonimizować trochę więcej monet. + + <category> can be: + + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Wyłącz wszystkie funkcje związane z Masternode i Darksend + + Accept public REST requests (default: %u) + - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Włącz instantx, pokaż potwierdzenia dla zamkniętych transakcji (bool, domyślnie: true) + + Acceptable ciphers (default: %s) + - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Włącz możliwość automatyzacji Darksend dla środków zgromadzonych w tym portfelu (0-1, domyślnie: 0) + + Always query for peer addresses via DNS lookup (default: %u) + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Wejdź w regresyjny tryb testowy, który używa specjalnego łańcucha, w którym bloki mogą być rozwiązywane natychmiastowo. Tryb ten został stworzony dla narzędzi do testowania regresyjnego oraz dla tworzenia aplikacji. + + Cannot resolve -whitebind address: '%s' + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Wejdź w regresyjny tryb testowy, który używa specjalnego łańcucha, w którym bloki mogą być rozwiązywane natychmiastowo. + + Connect through SOCKS5 proxy + - - Error: Listening for incoming connections failed (listen returned error %s) - Błąd: Nie powiodło się nasłuchiwanie połączeń przychodzących (nasłuch zwrócił błąd %s) + + Connect to KeePassHttp on port <port> (default: %u) + - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Transakcja została odrzucona! Może się to zdarzyć jeśli część monet z portfela została już wydana używając kopii pliku wallet.dat i nie zostało to tutaj uwzględnione. + + Copyright (C) 2009-%i The Bitcoin Core Developers + - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Błąd: Z powodu wielkości kwoty, swojego skomplikowania, lub użycia niedawno otrzymanych monet, transakcja ta wymaga uiszczenia opłaty o wysokości co najmniej %s + + Copyright (C) 2014-%i The Dash Core Developers + - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Błąd: Portfel jest odblokowany tylko dla celu anonimizacji, nie możliwe jest przeprowadzenie transakcji. + + Could not parse -rpcbind value %s as network address + - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Wykonaj komendę po otrzymaniu odpowiedniego zawiadomienia lub po obserwacji bardzo długiego rozszczepienia (%s w konsoli jest zastąpiony przez wiadomość) + + Darksend is idle. + Darksend jest w stanie spoczynku. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Wykonaj komendę kiedy zmienia się transakcja portfela (%s w konsoli jest zastąpione przez TxID) + + Darksend request complete: + Żądanie Darksend zakończone: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Wykonaj komendę przy zmianie najlepszego bloku (%s w konsoli jest zastąpione przez hasz bloku) + + Darksend request incomplete: + Żądanie Darksend niezakończone: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Opłaty mniejsze niż ta, są uważane są za równoznaczne z brakiem opłat (dla przeprowadzenia transakcji) (domyślnie: + + Disable safemode, override a real safe mode event (default: %u) + - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Zrzuć zapisy aktywności bazy danych z pamięci na dysk co <n> megabajtów (domyślnie: 100) + + Enable the client to act as a masternode (0-1, default: %u) + - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Znaleziono niepotwierdzone denominowane transakcje wyjściowe, poczekam aż zostaną one potwierdzone aby móc kontynuować dalej. + + Error connecting to Masternode. + Błąd w połączeniu z Masternodem. - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Jak szczegółowa jest weryfikacja bloków (0-4, domyślnie: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + - - In this mode -genproclimit controls how many blocks are generated immediately. - W tym trybie -genproclimit kontroluje ile bloków jest generowanych natychmiastowo. + + Error: A fatal internal error occured, see debug.log for details + - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX potrzebuje aby transakcja wejściowa miała co najmniej 6 potwierdzeń. Poczekaj kilka minut i spróbuj ponownie. + + Error: Unsupported argument -tor found, use -onion. + - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Prowadź nasłuch połączeń JSON-RPC na <port> (domyślnie: 9998 lub testnet: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + - - Name to construct url for KeePass entry that stores the wallet passphrase - Nazwa służąca do stworzenia linka do KeePass w którym trzymane jest hasło portfela + + Finalizing transaction. + Finalizuje transakcje. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Ilość czasu liczonego w sekundach jaki musi upłynąć zanim wadliwy peer znowu może spróbować nawiązać połączenie (domyślnie 86400) + + Force safe mode (default: %u) + - - Output debugging information (default: 0, supplying <category> is optional) - . + + Found enough users, signing ( waiting %s ) + - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Dostarcz Darksend płynności przez rzadkie ale ciągłe mieszanie monet (0-100, domyślnie: 0, 1=bardzo często, wysokie opłaty, 100=bardzo rzadko, małe opłaty) + + Found enough users, signing ... + Znaleziono wystarczającą ilość użytkowników, zapisuje ... - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Jeśli pula adresów jest niska, pytaj o adresy peer przez podgląd DNS (domyślnie: 1 chyba że -connect) + + Generate coins (default: %u) + - - Set external address:port to get to this masternode (example: address:port) - Ustaw zewnętrzny adres:port aby połączyć się z tym masternodem (na przykład: adres:port) + + How many blocks to check at startup (default: %u, 0 = all) + - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Ustaw maksymalny rozmiar transakcji o wysokim/niskim priorytecie w bajtach (domyślny: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + Ignoruj masternody niższej wersji (np. 70050; domyślnie: %u) - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Ustaw liczbę wątków weryfikacji skryptu (%u do %d, 0 = auto, <0 = zostaw tyle rdzeni wolnych, domyślnie: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Ustaw limit na pracę procesora kiedy generowanie jest włączone (-1 = brak limitu, domyślnie: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Pokaż N potwierdzeń dla skutecznie zamkniętej transakcji (0-9999, domyślnie: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Ta wersja nie jest jeszcze gotowa na oficjalne wydanie - używaj jej na własne ryzyko - nie używaj tej wersji do kopania monet lub do świadczenia usług komercyjnych. - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Niezdolny do związania z %s na tym komputerze. Prawdopodobnie Dash jest już uruchomiony. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Nie znaleziono wystarczających denominowanych środków Darksend do wykonania tej transakcji. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Nie znaleziono wystarczającej ilości nie zdenominowanych środków Darksend dla tej transakcji, które nie równają się 1000 DASH - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Nie znaleziono wystarczającej ilości zdenominowanych środków Darksend dla tej transakcji. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Użyj osobnego proxy SOCK5 aby połączyć się z peerami przez sieć Tor (domyślnie: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Uwaga: -paytxfee jest bardzo wysoka! To jest opłata którą będziesz musiał uiścić jeśli dokonasz transakcji. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Uwaga: Proszę sprawdzić czy data i czas na twoim komputerze są poprawne! Jeśli twój zegar nie pokazuje prawidłowej godziny to Dash może nie działać poprawnie. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Uwaga: Wygląda na to, że istnieją pewne rozbieżności w sieci! Możliwe, że niektórzy kopacze doświadczają problemów technicznych. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - dadf - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Uwaga: wystąpił błąd podczas odczytu pliku wallet.dat! Wszystkie klucze są odczytywane poprawnie ale dane transakcji lub wpis w bazie adresów jest niepoprawny lub nie istnieje. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Uwaga: plik wallet.dat jest uszkodzony, ale dane zostały odzyskane! Oryginalny plik wallet.dat został zapisany jako wallet.{timestamp}.bak w %s; jeżeli twoje saldo lub transakcje są nieprawidłowe powinieneś przwyrócić ten plik z kopi zapasowej. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Musisz ustawić rpcpassword=<password> w pliku konfiguracji: -%s -Jeżeli plik ten nie istnieje, stwórz go z uprawnieniami tylko do odczytu przez właściciela. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Musisz sprecyzować masternodeprivkey w konfiguracji. Proszę przeglądnij dokumentacje w celu pomocy. - - - - (default: 1) - (standardowo: 1) - - - - (default: wallet.dat) - (standardowo: wallet.dat) - - - - <category> can be: - <category> może być: - - - - Accept command line and JSON-RPC commands - Zaakceptuj linie poleceń oraz polecenia JSON-RPC - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Pozwól na połączenia z zewnątrz (domyślnie: 1 jeśli nie -proxy lub -connect) - - - - Add a node to connect to and attempt to keep the connection open - Dodaj węzeł do połączenia się oraz spróbuj utrzymać połączenie otwarte - - - - Allow DNS lookups for -addnode, -seednode and -connect - Pozwól na wyszukiwanie DNS dla -addnode, -seednode oraz -connect - - - - Allow JSON-RPC connections from specified IP address - Pozwól na połączenia JSON-RPC z określonego adresu IP - - - - Already have that input. - Ta wartość wejściowa już istnieje - - - - Always query for peer addresses via DNS lookup (default: 0) - Zawsze wysyłaj zapytanie o adres peera przez podgląd DNS (domyślnie: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Spróbuj odzyskać prywatne klucze z uszkodzonego wallet.dat - - - - Block creation options: - Opcje tworzenia bloku - - - - Can't denominate: no compatible inputs left. - Niemożna denominować: Nie ma kompatybilnych transakcji wejściowych. - - - - Cannot downgrade wallet - Nie można obniżyć wersji portfela - - - - Cannot resolve -bind address: '%s' - Nie można rozwiązać -bind dla adresu adresu: '%s' - - - - Cannot resolve -externalip address: '%s' - Nie można rozwiązać -externalip dla adresu: '%s' - - - - Cannot write default address - Nie można zapisać domyślnych adresów - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Wyczyść listę transakcji w portfelu (opcja diagnostyczna; oznacza -rescan) - - - - Collateral is not valid. - Transakcja pod zastaw jest nie niewłaściwa. - - - - Collateral not valid. - Transakcja pod zastaw jest nie niewłaściwa. - - - - Connect only to the specified node(s) - Podłącz tylko do wyszczególnionych węzła(ów) - - - - Connect through SOCKS proxy - Połączenie poprzez SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Podłącz do JSON-RPC na porcie <port> (domyślny: 9998 lub sieć testowa: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Podłącz do KeePassHttp na porcie <port> (domyślny: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Podłącz do węzła aby odzyskać adresy peerów, a potem odłącz - - - - Connection options: - Opcje połączenia: - - - - Corrupted block database detected - Wykryto uszkodzoną bazę danych bloków - - - - Dash Core Daemon - Dash Core Daemon - - - - Dash Core RPC client version - Wersja klienta Dash Core RPC - - - - Darksend is disabled. - Darksend jest wyłączony. - - - - Darksend options: - Opcje Darksend: - - - - Debugging/Testing options: - Opcje debugowania/testowania: - - - - Disable safemode, override a real safe mode event (default: 0) - Wyłącz tryb awaryjny, nadpisz przawdziwy tryb awaryjny (domyślny:0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Wykryj własny adres IP (domyślny:1 kiedy nasłuchuje oraz nie ma -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Nie wczytuj portfela oraz wyłącz połączenia RPC - - - - Do you want to rebuild the block database now? - Czy chcesz teraz przebudować bazę danych bloków? - - - - Done loading - Wczytywanie zakończone - - - - Downgrading and trying again. - - - - - Enable the client to act as a masternode (0-1, default: 0) - Upoważnia klienta aby działał jako masternode (0-1, domyślny: 0) - - - - Entries are full. - Wpisy są pełne. - - - - Error connecting to masternode. - Błąd podłączania do masternoda. - - - - Error initializing block database - Błąd podczas inicjowania bazy dancyh bloku - - - - Error initializing wallet database environment %s! - Błąd podczas inicjowania środowiska bazy danych portfela - - - - Error loading block database - Błąd wczytywania bloku bazy danych - - - - Error loading wallet.dat - Błąd wczytywania wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Błąd wczytywania wallet.dat: Portfel uszkodzony - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Błą wczytywania wallet.dat: Portfel wymaga nowszej wersji Dash - - - - Error opening block database - Błąd otwarcia bloku bazy danych - - - - Error reading from database, shutting down. - Błąd odczytu bazy danych, następuje zamknięcie. - - - - Error recovering public key. - Błąd odzyskiwania klucza publicznego. - - - - Error - Błąd - - - - Error: Disk space is low! - Błąd: Przestrzeń dyskowa jest niska! - - - - Error: Wallet locked, unable to create transaction! - Błąd: Portfel zamknięty, stworzenie transakcji jest niemożliwe! - - - - Error: You already have pending entries in the Darksend pool - Błąd: Już masz oczekujące wejścia do puli Darksend - - - - Error: system error: - Błąd systemu - - - - Failed to listen on any port. Use -listen=0 if you want this. - Nie powiódł się nasłuch żadnego z portów. Użyj -listen=0 jeśli chcesz. - - - - Failed to read block info - Niepowodzenie przy odczycie informacji o bloku - - - - Failed to read block - Niepowodzenie przy odczycie bloku - - - - Failed to sync block index - Niepowodzenie przy synchronizacji indeksu bloku - - - - Failed to write block index - Niepowodzenie przy próbie zapisu indeksu bloku - - - - Failed to write block info - Niepowodzenie przy zapisie informacji o bloku - - - - Failed to write block - Niepowodzenie przy próbie zapisu bloku - - - - Failed to write file info - Niepowodzenie przy zapisie informacji o pliku - - - - Failed to write to coin database - Niepowodzenie przy zapisie do bazy danych monet - - - - Failed to write transaction index - NIepowodzenie przy zapisie indeksu transakcji - - - - Failed to write undo data - NIepowodzenie przy zapisie cofniętych danych - - - - Fee per kB to add to transactions you send - Opłata za kB do dodania do transakcji, którą wysyłasz - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Opłaty mniejsze niż te, są uważane za zerowe opłaty (dla przekazywania) (domyślny: - - - - Force safe mode (default: 0) - Wymuś tryb bezpieczny (domyślny: 0) - - - - Generate coins (default: 0) - Generuj monety (domyślny: 0) - - - - Get help for a command - Poproś o pomoc dla polecenia - - - - How many blocks to check at startup (default: 288, 0 = all) - Ile bloków do sprawdzenia podczas uruchomienia (domyślny: 280, 0 = wszystkie) - - - - If <category> is not supplied, output all debugging information. - Jeśli <kategoria> nie jest dostarczona, utwórz informacje o debugowaniu. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Ignoruj masternody niższe wersją od (przykład: 70050; domyślny: 0) - - - + Importing... Importuje... - + Imports blocks from external blk000??.dat file Importuje bloki z zewnętrznego pliku blk000??.dat - + + Include IP addresses in debug output (default: %u) + + + + Incompatible mode. Niekompatybilny tryb. - + Incompatible version. Niekompatybilna wersja. - + Incorrect or no genesis block found. Wrong datadir for network? Znaleziono nieprawidłowy blok lub brak bloku początkowego. Nieprawidłowy katalog danych dla sieci - + Information Informacja - + Initialization sanity check failed. Dash Core is shutting down. Inicjalizacja kontroli poprawności nie powiodła się. Trwa zamykanie Dash Core - + Input is not valid. Transakcja wejściowa jest niewłaściwa. - + InstantX options: Opcje InstantX: - + Insufficient funds Niewystarczające środki - + Insufficient funds. Niewystarczające środki - + Invalid -onion address: '%s' Nieprawidłowy adres -onion: '%s' - + Invalid -proxy address: '%s' Nieprawidłowy adres -proxy: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Nieprawidłowa kwota dla -minrelaytxfee=<kwota>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Nieprawidłowa kwota dla -mintxfee=<kwota>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + + + + Invalid amount for -paytxfee=<amount>: '%s' Nieprawidłowa kwota dla -paytxfee=<kwota>: '%s' - - Invalid amount - Niewłaściwa ilość + + Last successful Darksend action was too recent. + Za mało czasu upłynęło od ostatniej udanej transakcji Darksend. - + + Limit size of signature cache to <n> entries (default: %u) + + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + + + + + Listen for connections on <port> (default: %u or testnet: %u) + + + + + Lock masternodes from masternode configuration file (default: %u) + + + + + Maintain at most <n> connections to peers (default: %u) + + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + + + + + Mixing in progress... + W trakcie mieszania... + + + + Need to specify a port with -whitebind: '%s' + + + + + No Masternodes detected. + Nie wykryto żadnego Masternoda. + + + + No compatible Masternode found. + Nie znalezione zadnego kompatybilnego Masternoda. + + + + Not in the Masternode list. + + + + + Number of automatic wallet backups (default: 10) + + + + + Only accept block chain matching built-in checkpoints (default: %u) + + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + + + + + Prepend debug output with timestamp (default: %u) + + + + + Run a thread to flush wallet periodically (default: %u) + + + + + Send transactions as zero-fee transactions if possible (default: %u) + + + + + Server certificate file (default: %s) + + + + + Server private key (default: %s) + + + + + Session timed out, please resubmit. + + + + + Set key pool size to <n> (default: %u) + + + + + Set minimum block size in bytes (default: %u) + + + + + Set the number of threads to service RPC calls (default: %d) + + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + + + + + Specify configuration file (default: %s) + + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + + + + + Specify masternode configuration file (default: %s) + + + + + Specify pid file (default: %s) + + + + + Spend unconfirmed change when sending transactions (default: %u) + + + + + Stop running after importing blocks from disk (default: %u) + + + + + Submitted following entries to masternode: %u / %d + + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + + + + + Submitted to masternode, waiting in queue %s + + + + + This is not a Masternode. + To nie jest Masternode. + + + + Threshold for disconnecting misbehaving peers (default: %u) + + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + + + + + Use UPnP to map the listening port (default: %u) + + + + + Wallet needed to be rewritten: restart Dash Core to complete + Portfel potrzebuje być przepisany: uruchom ponownie Dash Core aby zakończyć. + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + + + + + Will retry... + Spróbuje ponownie... + + + Invalid masternodeprivkey. Please see documenation. Nieprawidłowy klucz prywatny masternoda. Przeczytaj dokumentację. - + + Invalid netmask specified in -whitelist: '%s' + + + + Invalid private key. Nieprawidłowy klucz prywatny. - + Invalid script detected. Wykryto nieprawidłowy skrypt. - + KeePassHttp id for the established association ID KeePassHttp dla ustanowionego skojażenia - + KeePassHttp key for AES encrypted communication with KeePass Klucz KeePassHttp dla zaszyfrowanego metodą AES połączenia z KeePass - - Keep N dash anonymized (default: 0) - Utrzymuj N zanonimizowanych dash (domyślny: 0) + + Keep N DASH anonymized (default: %u) + - - Keep at most <n> unconnectable blocks in memory (default: %u) - Utrzymuj najwyżej <n> niepodłączalnych bloków w pamięci (domyślny: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Utrzymuj najwyżej <n> niepodłączalnych transakcji w pamięci (domyślny: %u) - + Last Darksend was too recent. Za mało czasu upłynęło od ostatniej transakcji Darksend. - - Last successful darksend action was too recent. - Za mało czasu upłynęło od ostatniej udanej transakcji Darksend. - - - - Limit size of signature cache to <n> entries (default: 50000) - Ogranicz rozmiar pamięci podrecznej podpisu do <n> wejść (domyślny: 50000) - - - - List commands - Lista poleceń - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Nasłuchuj połączeń na <port> (domyślny: 9999 lub sieć testowa: 19999) - - - + Loading addresses... - Ładuje adresy... + Wczytuje adresy... - + Loading block index... - Ładuje indeks bloków + Wczytuje indeks bloków - + + Loading budget cache... + Ładuje pamięć podręczną budżetu... + + + Loading masternode cache... - + Ładuje pamięć podręczną masternoda... - Loading masternode list... - Ładuję listę masternodów... - - - + Loading wallet... (%3.2f %%) Ładuje portfel... (%3.2f %%) - + Loading wallet... Ładuje portfel... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Rejestruj priorytet transakcji oraz opłatę za kB podczas wykopywania bloków (domyślny: 0) - - - - Maintain a full transaction index (default: 0) - Utrzymuj indeks pełnych transakcji (domyślny: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Utrzymuj najwyżej <n> połączeń do peerów (domyślny: 125) - - - + Masternode options: Opcje masternodów: - + Masternode queue is full. Kolejka masternodów jest pełna. - + Masternode: Masternod: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Maksymalny bufor odbierający na każde połączenie, <n>*1000 bajtów (domyślny: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Maksymalny bufor wysyłania na każde połączenie, <n>*1000 bajtów (domyślny: 1000) - - - + Missing input transaction information. Brak informacji o transakcji wejściowej. - - No compatible masternode found. - Nie znaleziono kompatybilnego masternoda. - - - + No funds detected in need of denominating. Nie odnaleziono środków w celu denominacji. - - No masternodes detected. - Nie wykryto żadnych masternodów. - - - + No matching denominations found for mixing. Nie znaleziono pasujących denominacji w celu miksowania. - + + Node relay options: + + + + Non-standard public key detected. Wykryto niestandardowy klucz publiczny. - + Not compatible with existing transactions. Nie kompatybilny z istniejącymi transakcjami. - + Not enough file descriptors available. Dostępny niewystarczający opis pliku. - - Not in the masternode list. - Nieobecny na liście masternodów. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Akceptuj tylko łańcuch bloków pasujący do wbudowanych punktów kontrolnych (domyślny: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Połącz tylko do węzłów (node) w sieci <net> (IPv4, IPv6 lub Tor) - - - + Options: Opcje: - + Password for JSON-RPC connections Hasło dla połączeń JSON-RPC - - Prepend debug output with timestamp (default: 1) - Wyjście debugowania poprzedzone znacznikiem czasu (domyślny: 1) - - - - Print block on startup, if found in block index - Pokaż blok podczas startu, jeśli istnieje w indeksie bloków - - - - Print block tree on startup (default: 0) - Pokaż drzewo bloków podczas startu (domyślny: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opcje RPC SSL: (przeglądnij Bitcoin Wiki po instrukcje ustawień SSL) - - RPC client options: - Opcje klienta RPC: - - - + RPC server options: Opcje serwera RPC: - + + RPC support for HTTP persistent connections (default: %d) + + + + Randomly drop 1 of every <n> network messages Losowo odrzuć 1 co każde <n> komunikatów sieciowych - + Randomly fuzz 1 of every <n> network messages Rozmyj losowo 1 co każde <n> komunikatów sieciowych - + Rebuild block chain index from current blk000??.dat files Odbuduj łańcuch bloków (block chain) od bieżącego pliku blk000??.dat - + + Relay and mine data carrier transactions (default: %u) + + + + + Relay non-P2SH multisig (default: %u) + + + + Rescan the block chain for missing wallet transactions Skanuj ponownie łańcuch bloków (block chain) dla brakujących transakcji w portfelu - + Rescanning... Ponowne skanowanie... - - Run a thread to flush wallet periodically (default: 1) - Włącz wątek aby od czasu do czasu wyrównać portfel (domyślny: 1) - - - + Run in the background as a daemon and accept commands Działaj w tle jako daemon i akceptuj polecenia - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Opcje SSL: (przeglądnij Bitcoin Wiki po instrukcje ustawień SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Wybierz wersję SOCKS dla -proxy (4 lub 5, domyślny: 5) - - - - Send command to Dash Core - Wyślij polecenie do Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Wyślij polecenie do węzła (node) działającego na <ip> (domyślny: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Wyślij informacje o debugowaniu/śladach do konsoli zamiast do pliku debug.log - - Server certificate file (default: server.cert) - Serwer pliku certyfikatu (domyślny: server.cert) - - - - Server private key (default: server.pem) - Serwer klucza prywatnego (domyślny: server.pem) - - - + Session not complete! Sesja nie została ukończona! - - Session timed out (30 seconds), please resubmit. - Sesja wygasła (30 sekund), proszę spróbuj ponownie. - - - + Set database cache size in megabytes (%d to %d, default: %d) Ustaw pamięć podręczną bazy danych w megabajtach (%d to %d, domyślny: %d) - - Set key pool size to <n> (default: 100) - Ustaw ilość kluczy w key pool do <n> (domyślny: 100) - - - + Set maximum block size in bytes (default: %d) Ustaw maksymalny rozmiar bloku w bajtach (domyślny: %d) - - Set minimum block size in bytes (default: 0) - Ustaw minimalny rozmiar bloku w bajtach (domyślny: 0) - - - + Set the masternode private key Ustaw klucz prywatny masternoda - - Set the number of threads to service RPC calls (default: 4) - Ustaw liczbę wątków dla usługi połączen RPC (domyślny: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Ustaw flagę DB_PRIVATE w środowisku db portfela (domyślny: 1) - - - + Show all debugging options (usage: --help -help-debug) Pokaż wszystkie opcje debugowania (użyj: --help -help-debug) - - Show benchmark information (default: 0) - Pokaż nformacje o benchmarku (domyślny: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Zmniejsz plik debug.log podczas włączania klienta (domyślny: 1 kiedy nie ma -debug) - + Signing failed. Przypisywanie nie powiodło się. - + Signing timed out, please resubmit. Sesja logowania wygasła, proszę spróbować ponownie. - + Signing transaction failed Podpisywanie transakcji nie powiodło się - - Specify configuration file (default: dash.conf) - Sprecyzuj plik konfiguracyjny (domyślny: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Sprecyzuj limit czasu połączenia w milisekundach (domyślny: 5000) - - - + Specify data directory Sprecyzuj katalog danych - - Specify masternode configuration file (default: masternode.conf) - Sprecyzuj plik konfiguracji masternoda (domyślny: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Sprecyjzuj plik pid (domyślny: dashd.pid) - - - + Specify wallet file (within data directory) Sprecyzuj plik wallet (w katalogu danych) - + Specify your own public address Sprecyzuj swój adres publiczny - - Spend unconfirmed change when sending transactions (default: 1) - Zużyj niepotwierdzoną resztę podczas wysyłania transakcji (domuślny: 1) - - - - Start Dash Core Daemon - Włącz Dash Core Daemon - - - - System error: - Błąd systemu: - - - + This help message Ten komunikat pomocny - + + This is experimental software. + Jest to oprogramowanie testowe. + + + This is intended for regression testing tools and app development. Używa się tego dla regresywnego testowania narzędzi (opcji) oraz rozwoju aplikacji. - - This is not a masternode. - To nie jest masternod. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Próg dla niewłaściwie działających, odłączających sie peerów (domyślny: 100) - - - - To use the %s option - Aby użyć opcję %s - - - + Transaction amount too small Zbyt mała kwota - + Transaction amounts must be positive Kwota musi być dodatnia - + Transaction created successfully. Skutecznie utworzono transakcję. - + Transaction fees are too high. Opłaty za transakcję są zbyt wysokie. - + Transaction not valid. Transakcja niewłaściwa. - + + Transaction too large for fee policy + + + + Transaction too large Za duża transakcja - + + Transmitting final transaction. + + + + Unable to bind to %s on this computer (bind returned error %s) Nie udało się powiązać do %s na tym komputerze (powiązanie zwróciło błąd %s) - - Unable to sign masternode payment winner, wrong key? - Nie można podpisać zwyciezcy płatności masternoda, nieprawidłowy klucz? - - - + Unable to sign spork message, wrong key? Niemożliwe podpisanie wiadomości spork, nieprawidłowy klucz? - - Unknown -socks proxy version requested: %i - Nieznana wersja -socks proxy zażądana: %i - - - + Unknown network specified in -onlynet: '%s' Nieznana sieć określona w -onlynet: '%s' - + + Unknown state: id = %u + + + + Upgrade wallet to latest format Ulepsz plik wallet.dat do nowego formatu - - Usage (deprecated, use dash-cli): - Użycie (niewłaściwy, użyj dash-cli): - - - - Usage: - Użycie: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Użyj zintegrowany KeePass 2 używając wtyczkę KeePass Http (domyślny: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Użyj N oddzielnych masternodów aby zanonimizować pieniądze (2-8, domyślny: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Użyj OpenSSL (https) dal połączeń JSON-RPC - - Use UPnP to map the listening port (default: 0) - Użyj UPnP aby zmapować używany port (domyślny: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Użyj UPnP aby zmapować używany port (domyślny: 1 kiedy nasłuchuje) - + Use the test network Użyj sieci testowej - + Username for JSON-RPC connections Nazwa użytkownika dla połączeń JSON-RPC - + Value more than Darksend pool maximum allows. Wartość jest większa niż ta maksymalnie dopuszczalna przez Darksend pool - + Verifying blocks... Weryfikacja bloków... - + Verifying wallet... Weryfikacja portfela... - - Wait for RPC server to start - Zaczekaj na start serwera RPC - - - + Wallet %s resides outside data directory %s Plik wallet %s znajduje się poza katalogiem danych %s - + Wallet is locked. Portfel jest zamknięty. - - Wallet needed to be rewritten: restart Dash to complete - Portfel musi zostać ponownie zapisany: uruchom Dash ponownie aby dokończyć operacje - - - + Wallet options: Opcje portfela: - + Warning Ostrzeżenie - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Ostrzeżenie: Niewłaściwy argument -debugnet zignorowany, użyj -debug=net - - - + Warning: This version is obsolete, upgrade required! Ostrzeżenie: Wersja nieaktualna, zalecana aktualizacja! - + You need to rebuild the database using -reindex to change -txindex Musisz odnowić bazę danych używając -reindex aby zmienić -txindex - + + Your entries added successfully. + Twoje wejścia zostały dodane z powodzeniem. + + + + Your transaction was accepted into the pool! + + + + Zapping all transactions from wallet... Zappowanie wszystkich transakcji z portfela - + on startup podczas uruchomienia - - version - wersja - - - + wallet.dat corrupt, salvage failed Plik wallet.dat zepsuty, odzyskiwanie nie powiodło się - + \ No newline at end of file diff --git a/src/qt/locale/dash_pt.ts b/src/qt/locale/dash_pt.ts index 0c999c4e2..f5e08a513 100644 --- a/src/qt/locale/dash_pt.ts +++ b/src/qt/locale/dash_pt.ts @@ -1,202 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Acerca do Dash Core - - - - <b>Dash Core</b> version - Versão do <b>Dash Core</b> - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Copyright &copy; 2009-2014 Os programadores Bitcoin Core. -Copyright &copy; 2014-YYYY Os programadores Dash Core. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Este é um programa experimental. - -Distribuído sob uma licença de software MIT/X11, por favor verifique o ficheiro anexo license.txt ou http://www.opensource.org/licenses/mit-license.php. - -Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no OpenSSL Toolkit (http://www.openssl.org/), software criptográfico escrito por Eric Young (eay@cryptsoft.com) e software UPnP escrito por Thomas Bernard. - - - Copyright - Copyright - - - The Bitcoin Core developers - Os programadores Bitcoin Core - - - The Dash Core developers - Os programadores Dash Core - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Clique duas vezes para editar o endereço ou o rótulo - - - + Right-click to edit address or label - + Clique com o botão direito para editar o endereço ou o rótulo - + Create a new address Criar novo endereço - + &New &Novo - + Copy the currently selected address to the system clipboard Copiar o endereço seleccionado para a área de transferência - + &Copy &Copiar - + Delete the currently selected address from the list Apagar o endereço seleccionado - + &Delete &Apagar - + Export the data in the current tab to a file Exportar os dados do separador actual para um ficheiro - + &Export &Exportar - + C&lose &Fechar - + Choose the address to send coins to Escolha o endereço para onde enviar as moedas - + Choose the address to receive coins with Escolha o endereço onde deseja receber as moedas - + C&hoose E&scolha - + Sending addresses Endereços para envio - + Receiving addresses Endereços para recepção - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Estes são os endereços Dash para envio de pagamentos. Confirme sempre a quantia e o endereço antes de enviar as moedas. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Estes são os seus endereços Dash para receber pagamentos. É recomendado que seja usado um novo endereço para cada transacção. - + &Copy Address &Copiar Endereço - + Copy &Label Copiar &Rótulo - + &Edit &Editar - + Export Address List Exportar lista de endereços - + Comma separated file (*.csv) Ficheiro separado por vírgulas (*.csv) - + Exporting Failed A exportação falhou - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Ocorreu um erro ao tentar gravar a lista de endereços para %1. + Ocorreu um erro ao tentar gravar a lista de endereços para %1. Por favor, tente de novo. AddressTableModel - + Label Rótulo - + Address Endereço - + (no label) (sem rótulo) @@ -204,154 +143,150 @@ Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no Open AskPassphraseDialog - + Passphrase Dialog Diálogo de Palavra Passe - + Enter passphrase Palavra Passe Actual - + New passphrase Nova Palavra Passe - + Repeat new passphrase Repita a Nova Palavra Passe - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Serve para desactivar o envio de dinheiro quando a conta do SO for comprometida. Não oferece segurança real. - + For anonymization only Apenas para anonimização - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Insira a nova palavra-passe para a carteira.<br/>Por favor use uma palavra-chave com <b>10 ou mais caracteres aleatórios</b>, ou <b>8 ou mais palavras</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Insira a nova palavra-passe para a carteira.<br/>Por favor use uma palavra-chave com <b>10 ou mais caracteres aleatórios</b>, ou <b>8 ou mais palavras</b>. - + Encrypt wallet Cifrar carteira - + This operation needs your wallet passphrase to unlock the wallet. Esta operação necessita da sua palavra-passe para desbloquear a carteira. - + Unlock wallet Desbloquear carteira - + This operation needs your wallet passphrase to decrypt the wallet. Esta operação necessita da sua palavra-passe para decifrar a carteira. - + Decrypt wallet Decifrar carteira - + Change passphrase Mudar palavra-passe - + Enter the old and new passphrase to the wallet. Insira a antiga e a nova palavra-passe para a carteira. - + Confirm wallet encryption Confirme cifra da carteira - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! Atenção: Se cifrar a carteira e perder a palavra-passe, irá <b>PERDER TODAS AS SUAS MOEDAS DASH</b>! - + Are you sure you wish to encrypt your wallet? Tem a certeza que quer cifrar a carteira? - - + + Wallet encrypted Carteira cifrada - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. O cliente Dash irá fechar para finalizar o processo de cifra. Lembre-se que cifrar a sua carteira não consegue proteger totalmente as suas dashs contra roubos feitos por malware presente no seu computador. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. IMPORTANTE: Quaisquer copias de segurança feitas anteriormente à sua carteira, devem ser substituídas pelo novo ficheiro cifrado. Por razões de segurança, as copias de segurança anteriores não cifradas ficarão obsoletas assim que comece a usar a nova carteira cifrada, - - - - + + + + Wallet encryption failed Cifra da carteira falhou - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. A cifra da carteira falhou devido a um erro interno. A sua carteira não foi cifrada. - - + + The supplied passphrases do not match. As palavras-passe fornecidas não coincidem. - + Wallet unlock failed O desbloqueio da carteira falhou - - - + + + The passphrase entered for the wallet decryption was incorrect. A palavra-passe fornecida para decifrar a carteira está incorrecta. - + Wallet decryption failed Decifra da carteira falhou - + Wallet passphrase was successfully changed. A palavra-passe foi alterada com sucesso. - - + + Warning: The Caps Lock key is on! Atenção: O Caps Lock está activo! @@ -359,437 +294,425 @@ Este produto inclui software desenvolvido pelo Projecto OpenSSL para uso no Open BitcoinGUI - + + Dash Core Dash Core - + Wallet Carteira - + Node - [testnet] - [testnet] - - - + &Overview &Global - + Show general overview of wallet Mostrar visão global da carteira - + &Send &Enviar - + Send coins to a Dash address Enviar moedas para um endereço Dash - + &Receive &Receber - + Request payments (generates QR codes and dash: URIs) Solicitar pagamentos (gera códigos QR e dash: URIs) - + &Transactions &Transacções - + Browse transaction history Visualiza histórico de transacções - + E&xit &Sair - + Quit application Sair da aplicação - + &About Dash Core &Acerca do Dash Core - Show information about Dash - Mostra informação acerca do Dash - - - + Show information about Dash Core - + Mostra informação acerca do Dash Core - - + + About &Qt Acerca do &Qt - + Show information about Qt Mostra informação acerca do Qt - + &Options... &Opções... - + Modify configuration options for Dash Modificar opções de configuração do Dash - + &Show / Hide &Mostar / Esconder - + Show or hide the main Window Mostrar ou esconder a Janela principal - + &Encrypt Wallet... &Cifrar Carteira - + Encrypt the private keys that belong to your wallet Cifra as chaves privadas que pertencem à sua carteira - + &Backup Wallet... Copia de &Segurança - + Backup wallet to another location Criar copia de segurança da carteira noutra localização - + &Change Passphrase... &Mudar Palavra-passe - + Change the passphrase used for wallet encryption Mudar a palavra-passe usada na cifra da carteira - + &Unlock Wallet... &Desbloquear Carteira - + Unlock wallet Desbloquear carteira - + &Lock Wallet &Bloquear Carteira - + Sign &message... &Assinar Mensagem - + Sign messages with your Dash addresses to prove you own them Assine mensagens com os seus endereços Dash para provar que são seus - + &Verify message... &Verificar Mensagem - + Verify messages to ensure they were signed with specified Dash addresses Verifica mensagens para garantir que foram assinadas com um endereço Dash específico - + &Information &Informação - + Show diagnostic information Mostra informação de diagnóstico - + &Debug console Consola de &Depuração - + Open debugging console Abrir consola de depuração - + &Network Monitor Monitor de &Rede - + Show network monitor Mostrar monitor de rede - + + &Peers list + + + + + Show peers info + + + + + Wallet &Repair + &Reparar Carteira + + + + Show wallet repair options + Mostra as opções de reparação da carteira + + + Open &Configuration File Abrir Ficheiro de &Configuração - + Open configuration file Abrir ficheiro de configuração - + + Show Automatic &Backups + + + + + Show automatically created wallet backups + + + + &Sending addresses... &Endereços de envio... - + Show the list of used sending addresses and labels Mostra a lista de endereços de envio e respectivos rótulos - + &Receiving addresses... Endereços de &Recepção... - + Show the list of used receiving addresses and labels Mostra a lista de endereços de recepção e respectivos rótulos - + Open &URI... Abrir &URI... - + Open a dash: URI or payment request Abre um dash: URI ou solicitação de pagamento - + &Command-line options Opções de linha de &comandos - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Cliente Dash Core - + Processed %n blocks of transaction history. - - - - + %n bloco do histórico de transacções processado.%n blocos do histórico de transacções processados. + Show the Dash Core help message to get a list with possible Dash command-line options - Mostra a mensagem de ajuda do Dash Core para obter a lista com as possíveis opções de linha de comandos + Mostra a mensagem de ajuda do Dash Core para obter a lista com as possíveis opções de linha de comandos - + &File &Ficheiro - + &Settings &Definições - + &Tools &Ferramentas - + &Help &Ajuda - + Tabs toolbar Barra de ferramentas - - Dash client - Cliente Dash - - + %n active connection(s) to Dash network - - %n ligação activa à rede Dash - %n ligações activas à rede Dash - + %n ligação activa à rede Dash%n ligações activas à rede Dash - + Synchronizing with network... A sincronizar com a rede... - + Importing blocks from disk... A carregar blocos do disco... - + Reindexing blocks on disk... A indexar blocos no disco... - + No block source available... Nenhuma fonte de blocos disponível... - Processed %1 blocks of transaction history. - %1 blocos do histórico de transacções processados. - - - + Up to date Actualizado - + %n hour(s) - - %n hora - %n horas - + %n hora%n horas - + %n day(s) - - %n dia - %n dias - + %n dia%n dias - - + + %n week(s) - - %n semana - %n semanas - + %n semana%n semanas - + %1 and %2 %1 e %2 - + %n year(s) - - %n ano - %n anos - + %n ano%n anos - + %1 behind %1 de atraso - + Catching up... A alcançar - + Last received block was generated %1 ago. O último bloco recebido foi gerado à %1. - + Transactions after this will not yet be visible. Transacções posteriores ainda não serão visíveis. - - Dash - Dash - - - + Error Erro - + Warning Aviso - + Information Informação - + Sent transaction Transacção enviada - + Incoming transaction Transacção recebida - + Date: %1 Amount: %2 Type: %3 @@ -802,30 +725,25 @@ Endereço: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> A carteira encontra-se <b>cifrada</b> e actualmente <b>desbloqueada</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only A carteira encontra-se <b>cifrada</b> e actualmente <b>desbloqueada</b> somente para anonimização - + Wallet is <b>encrypted</b> and currently <b>locked</b> A carteira encontra-se <b>cifrada</b> e actualmente <b>bloqueada</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Ocorreu um erro fatal. O cliente Dash não pode continuar de forma segura e irá fechar. - ClientModel - + Network Alert Alerta de Rede @@ -833,333 +751,302 @@ Endereço: %4 CoinControlDialog - Coin Control Address Selection - Selecção de Endereços do Coin Control - - - + Quantity: Quantidade: - + Bytes: Bytes: - + Amount: Quantia: - + Priority: Prioridade: - + Fee: Taxa: - Low Output: - Baixo débito: - - - + Coin Selection - + Selecção de Moedas - + Dust: - + Poeira: - + After Fee: Com taxa: - + Change: Troco: - + (un)select all (des)seleccionar todos - + Tree mode Vista em árvore - + List mode Vista em lista - + (1 locked) (1 bloqueada) - + Amount Quantia - + Received with label - + Recebido com rótulo - + Received with address - + Recebido com endereço - Label - Rótulo - - - Address - Endereço - - - + Darksend Rounds Voltas Darksend - + Date Data - + Confirmations Confirmações - + Confirmed Confirmada - + Priority Prioridade - + Copy address Copiar endereço - + Copy label Copiar rótulo - - + + Copy amount Copiar quantia - + Copy transaction ID Copiar ID de transacção - + Lock unspent Bloquear não gasto - + Unlock unspent Desbloquear não gasto - + Copy quantity Copiar quantidade - + Copy fee Copiar taxa - + Copy after fee Copiar depois da taxa - + Copy bytes Copiar bytes - + Copy priority Copiar prioridade - + Copy dust - + Copiar poeira - Copy low output - Copiar baixo débito - - - + Copy change Copiar troco - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Entrada não anonimizada seleccionada. <b>O Darksend será desactivado.</b><br><br>Se deseja usar o Darksend, por favor desseleccione primeiro todas as entradas não anonimizadas e em seguida volte a marcar a opção Darksend. + + + highest a-mais-alta - + higher mais-alta - + high alta - + medium-high média-alta - + Can vary +/- %1 satoshi(s) per input. - + Pode variar +/- %1 satoshi(s) por entrada. - + n/a n/d - - + + medium média - + low-medium média-baixa - + low baixa - + lower mais-baixa - + lowest a-mais-baixa - + (%1 locked) (%1 bloqueado) - + none nenhuma - Dust - Poeira - - - + yes sim - - + + no não - + This label turns red, if the transaction size is greater than 1000 bytes. Este rótulo fica vermelho se o tamanho da transacção exceder 1000 bytes. - - + + This means a fee of at least %1 per kB is required. Isto significa que é necessária uma taxa de pelo menos %1 por kB. - + Can vary +/- 1 byte per input. Pode variar +/- 1 byte por entrada. - + Transactions with higher priority are more likely to get included into a block. Transacções com prioridade mais alta tem uma maior probabilidade de ser incluídas num bloco. - + This label turns red, if the priority is smaller than "medium". Este rótulo fica vermelho se a prioridade for inferior a "média". - + This label turns red, if any recipient receives an amount smaller than %1. Este rótulo fica vermelho se algum destinatário receber uma quantia inferior a %1. - This means a fee of at least %1 is required. - Isto significa que é necessária uma taxa de pelo menos %1. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Quantia inferiores a 0.546 vezes a taxa mínima de retransmissão são mostradas como poeira. - - - This label turns red, if the change is smaller than %1. - Este rótulo fica vermelho se o troco for inferior a %1. - - - - + + (no label) (sem rótulo) - + change from %1 (%2) troco de %1 (%2) - + (change) (troco) @@ -1167,84 +1054,84 @@ Endereço: %4 DarksendConfig - + Configure Darksend Configurar Darksend - + Basic Privacy Privacidade Básica - + High Privacy Privacidade Alta - + Maximum Privacy Privacidade Máxima - + Please select a privacy level. Por favor seleccione um nível de privacidade. - + Use 2 separate masternodes to mix funds up to 1000 DASH Usar 2 masternodes distintos para misturar os fundos até 1000DRK - + Use 8 separate masternodes to mix funds up to 1000 DASH Usar 8 masternodes distintos para misturar os fundos até 1000DRK - + Use 16 separate masternodes Usar 16 masternodes - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Esta opção é a mais rápida e irá custar cerca de ~0.025 DASH para anonimizar 1000 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Esta opção é relativamente rápida e irá custar cerca de ~0.05 DASH para anonimizar 1000 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH por cada 1000 DASH a anonimizar. - + This is the slowest and most secure option. Using maximum anonymity will cost Esta é a opção mais lenta e mais segura. Usando anonimização máxima irá custar - - - + + + Darksend Configuration Configuração Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend foi colocado com sucesso no modo básico (%1 e 2 voltas). Pode mudar esta definição em qualquer altura abrindo o ecrã de configuração Dash. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend foi colocado com sucesso no modo alto (%1 e 8 voltas). Pode mudar esta definição em qualquer altura abrindo o ecrã de configuração Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend foi colocado com sucesso no modo máximo (%1 e 16 voltas). Pode mudar esta definição em qualquer altura abrindo o ecrã de configuração Dash. @@ -1252,67 +1139,67 @@ Endereço: %4 EditAddressDialog - + Edit Address Editar Endereço - + &Label &Rótulo - + The label associated with this address list entry Rótulo associado com este item da lista de endereços - + &Address &Endereço - + The address associated with this address list entry. This can only be modified for sending addresses. O endereço associado com este item da lista. Isto só pode ser modificado para endereços de envio. - + New receiving address Novo endereço de recepção - + New sending address Novo endereço de envio - + Edit receiving address Editar endereço de recepção - + Edit sending address Editar endereço de envio - + The entered address "%1" is not a valid Dash address. O endereço introduzido "%1" não é um endereço Dash válido. - + The entered address "%1" is already in the address book. O endereço introduzido "%1" já se encontra no livro de endereços. - + Could not unlock wallet. Não foi possível desbloquear carteira. - + New key generation failed. Falhou a geração de nova chave. @@ -1320,27 +1207,27 @@ Endereço: %4 FreespaceChecker - + A new data directory will be created. Será criada uma nova pasta de dados. - + name nome - + Directory already exists. Add %1 if you intend to create a new directory here. A pasta já existe. Adicione %1 se desejar criar uma nova pasta aqui. - + Path already exists, and is not a directory. O caminho já existe e não é uma pasta. - + Cannot create data directory here. Não é possível criar a pasta de dados aqui. @@ -1348,72 +1235,68 @@ Endereço: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Opções de linha de comandos - - - + Dash Core Dash Core - + version versão - - + + (%1-bit) - (%1-bit) + (%1-bit) - + About Dash Core - Acerca do Dash Core + Acerca do Dash Core - + Command-line options - + Opções de linha de comandos - + Usage: Utilização: - + command-line options opções de linha de comandos - + UI options Opções do interface - + Choose data directory on startup (default: 0) Escolher pasta de dados no arranque (omissão: 0) - + Set language, for example "de_DE" (default: system locale) Defina a linguagem, por exemplo "pt-PT" (omissão: linguagem do sistema) - + Start minimized Arrancar minimizado - + Set SSL root certificates for payment request (default: -system-) Definir certificados de raiz SSL para solicitações de pagamento (omissão: -sistema-) - + Show splash screen on startup (default: 1) Mostrar ecrã de boas vindas no arranque (omissão: 1) @@ -1421,107 +1304,85 @@ Endereço: %4 Intro - + Welcome Bem-vindo - + Welcome to Dash Core. Bem-vindo ao Dash Core. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Como esta é a primeira vez que o programa é executado, pode escolher onde o cliente Dash Core irá guardar os seus dados. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. O cliente Dash Core irá descarregar e guardar uma copia da cadeia de blocos Dash. Pelo menos %1GB de dados serão guardados nesta pasta e irá aumentar com o tempo. A carteira também ficará guardada nesta pasta. - + Use the default data directory Usar a pasta de dados por omissão - + Use a custom data directory: Usar uma pasta de dados personalizada - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Erro: A pasta especificada "%1" não pode ser criada. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Erro: A pasta especificada "%1" não pode ser criada. - + Error Erro - - - %n GB of free space available - - - - - - - - (of %n GB needed) - - - - + + + %1 GB of free space available + %1 GB de espaço livre disponível - GB of free space available - GB de espaço livre disponível - - - (of %1GB needed) - (de %1GB necessários) + + (of %1 GB needed) + (de %1 GB necessários) OpenURIDialog - + Open URI Abrir URI - + Open payment request from URI or file Abrir solicitação de pagamento a partir de um URI ou ficheiro - + URI: URI: - + Select payment request file Seleccionar ficheiro de solicitação de pagamento - + Select payment request file to open Seleccionar ficheiro de solicitação de pagamento para abrir @@ -1529,313 +1390,281 @@ Endereço: %4 OptionsDialog - + Options Opções - + &Main &Geral - + Automatically start Dash after logging in to the system. Executar automaticamente o cliente Dash quando entrar no sistema. - + &Start Dash on system login &Iniciar o cliente Dash ao entrar no sistema - + Size of &database cache Tamanho da &cache de dados - + MB MB - + Number of script &verification threads Número de processos de &verificação de scripts - + (0 = auto, <0 = leave that many cores free) (0 = auto, <0 = deixar este número de cores livres) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Esta opção determina o número de masternodes pelos quais uma entrada será anonimizada. Mais voltas de anonimização fornecem um maior grau de privacidade, mas também tem um custo mais elevado em taxas.</p></body></html> - + Darksend rounds to use Número de voltas Darksend a usar - + This amount acts as a threshold to turn off Darksend once it's reached. Esta quantia actua como um limite, a partir do qual o Darksend é desligado. - + Amount of Dash to keep anonymized Quantia de Dash a manter anonimizada - + W&allet C&arteira - + Accept connections from outside - + Aceitar ligações do exterior - + Allow incoming connections - + Aceitar ligações de entrada - + Connect to the Dash network through a SOCKS5 proxy. - + Efectuar a ligação à rede Dash através de um proxy SOCKS5. - + &Connect through SOCKS5 proxy (default proxy): - + &Ligar através de um proxy SOCKS5 (proxy por omissão) - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Taxa de transacção opcional por kB que ajuda a garantir que as suas transacções são processadas rapidamente. A maioria das transacções são de 1 kB. - - - Pay transaction &fee - Pagar &taxa da transacção - - - + Expert Avançado - + Whether to show coin control features or not. Se deve mostrar as opções de coin control. - + Enable coin &control features Activar opções coin &control - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Se desabilitar a funcionalidade de gastar o troco não confirmado, este troco não poderá ser usado até que a transacção tenha pelo menos uma confirmação. Isto também afecta a maneira como o seu saldo é calculado. - + &Spend unconfirmed change &Gastar troco não confirmado - + &Network &Rede - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Abrir automaticamente a porta do cliente Dash no router. Isto só funciona quando o seu router suporta UPnP e este está activo. - + Map port using &UPnP Mapear porta usando &UPnP - Connect to the Dash network through a SOCKS proxy. - Efectuar a ligação à rede Dash através de um proxy SOCKS. - - - &Connect through SOCKS proxy (default proxy): - &Ligar através de um proxy SOCKS (proxy por omissão) - - - + Proxy &IP: IP do proxy - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Endereço IP do proxy (ex. IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Porta: - + Port of the proxy (e.g. 9050) Porta do servidor proxy (ex. 9050) - SOCKS &Version: - &Versão SOCKS: - - - SOCKS version of the proxy (e.g. 5) - Versão do proxy SOCKS (ex. 5) - - - + &Window &Janela - + Show only a tray icon after minimizing the window. Somente mostrar o ícone no tabuleiro após minimizar aplicação - + &Minimize to the tray instead of the taskbar &Minimizar para o tabuleiro, em vez da barra de tarefas - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Minimizar em vez de fechar ao sair da aplicação. Quando esta opção está activada, a aplicação só será fechada quando seleccionar Sair no menu. - + M&inimize on close M&inimizar ao fechar - + &Display &Interface - + User Interface &language: &Linguagem do interface: - + The user interface language can be set here. This setting will take effect after restarting Dash. A linguagem do interface pode ser definida aqui. Esta definição terá efeito depois de reiniciar a aplicação. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Linguagem não encontrada ou tradução incompleta? Ajude a traduzir aqui: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Tema do interface: - + &Unit to show amounts in: &Unidade por omissão usada para mostrar as quantias: - + Choose the default subdivision unit to show in the interface and when sending coins. Escolha a unidade subdivisão por omissão para mostrar na interface e no envio de moedas. - Whether to show Dash addresses in the transaction list or not. - Se deseja mostrar os endereços Dash na lista de transacções ou não. - - - &Display addresses in transaction list - &Mostrar endereços na lista de transacções - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. URLs de terceiros (ex. explorador de blocos) que aparecem no separador de transacções como itens do menu de contexto. %s no URL é substituído pelo hash da transacção. URLs múltiplos são separados pela barra vertical |. - + Third party transaction URLs URLs de transacções de terceiros - + Active command-line options that override above options: Opções activas de linha de comandos que sobrescrevem as opções acima: - + Reset all client options to default. Reiniciar todas as opções do cliente para os valores por omissão. - + &Reset Options &Reiniciar Opções - + &OK &OK - + &Cancel &Cancelar - + default omissão - + none nenhum - + Confirm options reset Confirme reinicialização das opções - - + + Client restart required to activate changes. Para activar as alterações é necessário reiniciar o cliente. - + Client will be shutdown, do you want to proceed? O cliente será fechado, deseja continuar? - + This change would require a client restart. Esta alteração necessita que o cliente seja reiniciado. - + The supplied proxy address is invalid. O endereço proxy fornecido é inválido. @@ -1843,368 +1672,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form De - Wallet - Carteira - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. A informação mostrada pode estar desactualizada. A sua carteira sincroniza automaticamente com a rede Dash assim que for estabelecida uma ligação, mas este processo ainda não terminou. - + Available: Disponível: - + Your current spendable balance O seu saldo disponível - + Pending: Pendente: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Total de transacções que ainda não foram confirmadas e não contam para o saldo disponível - + Immature: Imaturo: - + Mined balance that has not yet matured Saldo minado que ainda não atingiu a maturidade - + Balances - + Saldos - + Unconfirmed transactions to watch-only addresses - + Transações não confirmadas para endereços somente de visualização - + Mined balance in watch-only addresses that has not yet matured - + Saldo minado que ainda não atingiu a maturidade em endereços somente de visualização - + Total: Total: - + Your current total balance O seu saldo total - + Current total balance in watch-only addresses - + Saldo total em endereços somente de visualização - + Watch-only: - + Somente de visualização: - + Your current balance in watch-only addresses - + O seu saldo actual em endereços somente de visualização - + Spendable: - + - + Status: Estado: - + Enabled/Disabled Activado/Desactivado - + Completion: Progresso: - + Darksend Balance: Saldo Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Quantia e Voltas: - + 0 DASH / 0 Rounds 0 DASH / 0 Voltas - + Submitted Denom: Denominação submetida: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - As denominações que foram submetidas para o Masternode. Para misturar, outros utilizadores terão que submeter denominações iguais. - - - + n/a n/d - - - - + + + + Darksend Darksend - + Recent transactions - + Transacções recentes - + Start/Stop Mixing Iniciar/Parar Mistura - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + As denominações que foram submetidas para o Masternode.<br>Para misturar, outros utilizadores terão que submeter denominações iguais. + + + (Last Message) (Última Mensagem) - + Try to manually submit a Darksend request. Tentar submeter um pedido Darksend manualmente. - + Try Mix Tentar Mistura - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Reinicia o estado actual Darksend (pode interromper o Darksend mesmo quando em processo de Mistura, o que pode ter custos!) - + Reset Reiniciar - <b>Recent transactions</b> - <b>Transacções recentes</b> - - - - - + + + out of sync fora de sincronia - - + + + + Disabled Desactivado - - - + + + Start Darksend Mixing Iniciar Mistura Darksend - - + + Stop Darksend Mixing Parar Mistura Darksend - + No inputs detected Nenhuma entrada detectada + + + + + %n Rounds + %n volta%n voltas + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Foram encontradas saídas denominadas não confirmadas, a aguardar pela confirmação para recalcular - - - Rounds - Voltas + + + Progress: %1% (inputs have an average of %2 of %n rounds) + - + + Found enough compatible inputs to anonymize %1 + Encontradas entradas suficientes para anonimizar %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + + + + Enabled Activado - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Última mensagem Darksend: - - - Darksend is idle. - Darksend inactivo. - - - - Mixing in progress... - Mistura em progresso... - - - - Darksend request complete: Your transaction was accepted into the pool! - Pedido Darksend concluído: A sua transacção foi aceite! - - - - Submitted following entries to masternode: - As seguintes entradas foram submetidas para o masternode: - - - Submitted to masternode, Waiting for more entries - Enviado para o masternode. A aguardar por mais entradas - - - - Found enough users, signing ... - Número necessário de utilizadores encontrado, a assinar ... - - - Found enough users, signing ( waiting. ) - Número necessário de utilizadores encontrado, a assinar (em espera.) - - - Found enough users, signing ( waiting.. ) - Número necessário de utilizadores encontrado, a assinar (em espera..) - - - Found enough users, signing ( waiting... ) - Número necessário de utilizadores encontrado, a assinar (em espera...) - - - - Transmitting final transaction. - A transmitir transacção final. - - - - Finalizing transaction. - A finalizar transacção. - - - - Darksend request incomplete: - Pedido Darksend incompleto: - - - - Will retry... - Irá tentar de novo... - - - - Darksend request complete: - Pedido Darksend completo: - - - Submitted to masternode, waiting in queue . - Enviado para o masternode, a aguardar na fila . - - - Submitted to masternode, waiting in queue .. - Enviado para o masternode, a aguardar na fila .. - - - Submitted to masternode, waiting in queue ... - Enviado para o masternode, a aguardar na fila ... - - - - Unknown state: - Estado desconhecido: - - - + N/A N/D - + Darksend was successfully reset. Darksend foi reposto com sucesso. - + Darksend requires at least %1 to use. Darksend necessita de pelo menos %1 para ser usado. - + Wallet is locked and user declined to unlock. Disabling Darksend. A carteira está bloqueada e o utilizador recusou o desbloqueamento. A desactivar Darksend. @@ -2212,141 +1947,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Erro na solicitação de pagamento - + Cannot start dash: click-to-pay handler Não é possível iniciar o dash: click-to-pay handler - Net manager warning - Aviso do gestor de rede - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - O seu proxy activo não suporta SOCKS5, o que é necessário para solicitar pagamentos através de proxy. - - - - - + + + URI handling Manipulação de URI - + Payment request fetch URL is invalid: %1 URL de solicitação de pagamento é inválido: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - O URI não pode ser carregado! Isto pode ser causado por um endereço Dash inválido ou parâmetros do URI incorrectos. - - - + Payment request file handling Manipulação de ficheiros de solicitação de pagamento - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - O ficheiro de solicitação de pagamento não pode ser aberto ou processado! Isto pode ser causado por um ficheiro de solicitação de pagamento inválido. - - - + Invalid payment address %1 - Endereço de pagamento inválido %1 + Endereço de pagamento inválido %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + O URI não pode ser carregado! Isto pode ser causado por um endereço Dash inválido ou parâmetros do URI incorrectos. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + O ficheiro de solicitação de pagamento não pode ser aberto ou processado! Isto pode ser causado por um ficheiro de solicitação de pagamento inválido. - - - + + + Payment request rejected - + Solicitação de pagamento rejeitada - + Payment request network doesn't match client network. - + A rede da solicitação de pagamento não corresponde à rede do cliente. - + Payment request has expired. - + A solicitação de pagamento expirou. - + Payment request is not initialized. - + A solicitação de pagamento não está inicializada. - + Unverified payment requests to custom payment scripts are unsupported. Solicitações de pagamento não verificadas para scripts de pagamento personalizados não são suportadas. - + Requested payment amount of %1 is too small (considered dust). A quantia %1 para solicitação de pagamento é demasiado pequena (considerada poeira) - + Refund from %1 Devolução de %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + A solicitação de pagamento %1 é demasiado grande (%2 bytes, permitido %3 bytes). - + Payment request DoS protection - + Protecção DoS à solicitação de pagamento - + Error communicating with %1: %2 Erro de comunicação com %1: %2 - + Payment request cannot be parsed! - + A solicitação de pagamento não pode ser carregada! - Payment request can not be parsed or processed! - A solicitação de pagamento não pode ser carregada ou processada! - - - + Bad response from server %1 Resposta inválida do servidor %1 - + Network request error Erro no pedido à rede - + Payment acknowledged Pagamento confirmado @@ -2354,139 +2069,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Endereço/Servidor - + User Agent - + Agente de Usuário - + Ping Time - + Tempo de Ping QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Erro: A pasta de dados especificada "%1" não existe. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Erro: Não foi possível carregar o ficheiro de configuração: %1. Use somente a sintaxe chave=valor. - - - - Error reading masternode configuration file: %1 - Erro ao ler o ficheiro de configuração de masternodes: %1. - - - - Error: Invalid combination of -regtest and -testnet. - Erro: Combinação inválida de -regtest e -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core ainda não terminou de forma segura... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Insira um endereço Dash (ex. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Quantia + Quantia - + Enter a Dash address (e.g. %1) - + Insira um endereço Dash (ex. %1) - + %1 d - + %1 d - + %1 h - %1 h + %1 h - + %1 m - %1 m + %1 m - + %1 s - + %1 s - + NETWORK - + REDE - + UNKNOWN - + DESCONHECIDO - + None - + Nenhum - + N/A - N/D + N/D - + %1 ms - + %1 ms QRImageWidget - + &Save Image... &Salvar Imagem... - + &Copy Image &Copiar Imagem - + Save QR Code Guardar código QR - + PNG Image (*.png) Imagem PNG (*.png) @@ -2494,436 +2168,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Janela de ferramentas - + &Information &Information - + Masternode Count Número de Masternodes - + General Geral - + Name Nome - + Client name Nome do Cliente - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A N/D - + Number of connections Número de ligações - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Abrir o ficheiro de registo de depuração Dash a partir da pasta de dados actual. Para grandes ficheiros de registo pode demorar alguns segundos. - + &Open &Abrir - + Startup time Hora de inicialização - + Network Rede - + Last block time Data do último bloco - + Debug log file Ficheiro de registo de depuração - + Using OpenSSL version A usar versão do OpenSSL - + Build date Data de compilação - + Current number of blocks Número actual de blocos - + Client version Versão do Cliente - + Using BerkeleyDB version - + A usar a versão do BerkeleyDB - + Block chain Cadeia de blocos - + &Console &Consola - + Clear console Limpar consola - + &Network Traffic &Tráfego de Rede - + &Clear &Limpar - + Totals Totais - + Received - + Recebido - + Sent - + Enviado - + &Peers - + - - - + + + Select a peer to view detailed information. - + - + Direction - + Direcção - + Version - + Versão - + User Agent - + Agente de Usuário - + Services - + Serviços - + Starting Height - + Altura Inicial - + Sync Height - + Altura de Sincronização - + Ban Score - + Pontuação para Banir - + Connection Time - + Tempo de Ligação - + Last Send - + Última Enviado - + Last Receive - + Último Recebido - + Bytes Sent - + Bytes Enviados - + Bytes Received - + Bytes Recebidos - + Ping Time - + Tempo de Ping - + + &Wallet Repair + &Reparar Carteira + + + + Salvage wallet + Recuperar Carteira + + + + Rescan blockchain files + Reprocessar ficheiros da cadeia de blocos + + + + Recover transactions 1 + Recuperar transacções 1 + + + + Recover transactions 2 + Recuperar transacções 2 + + + + Upgrade wallet format + Actualizar o formato da carteira + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + + + + + -rescan: Rescan the block chain for missing wallet transactions. + + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + + + + + Wallet repair options. + + + + + Rebuild index + + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + + + + In: Entrada: - + Out: Saída: - + Welcome to the Dash RPC console. Bem-vindo à consola RPC Dash - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Use as setas para cima / baixo para navegar no histórico, e <b>Ctrl-L</b> para limpar o ecran. - + Type <b>help</b> for an overview of available commands. Digite <b>help</b> para ter uma visão global dos comandos disponíveis. - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + - - + + never - + - + Inbound - + - + Outbound - + - + Unknown - + - - + + Fetching... - - - - %1 m - %1 m - - - %1 h - %1 h - - - %1 h %2 m - %1 h %2 m + ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Reutilizar um dos endereços de recebimento usados anteriormente. Reutilizar endereços tem problemas de segurança e privacidade. Não use isto a menos que se trate de uma reutilização de um pedido de pagamento feito anteriormente. - + R&euse an existing receiving address (not recommended) R&eutilizar um endereço de recebimento existente (não recomendado) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Mensagem opcional para anexar à solicitação de pagamento, que será mostrada quando a solicitação for aberta. Nota: A mensagem não será enviada com o pagamento através da rede Dash. + Mensagem opcional para anexar à solicitação de pagamento, que será mostrada quando a solicitação for aberta. Nota: A mensagem não será enviada com o pagamento através da rede Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Mensagem: - - + + An optional label to associate with the new receiving address. Rótulo opcional para associar com o novo endereço de recebimento. - + Use this form to request payments. All fields are <b>optional</b>. Utilize este formulário para solicitar pagamentos. Todos os campos são <b>opcionais</b>. - + &Label: &Rótulo: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Quantia opcional a solicitar. Deixar vazio ou zero para não solicitar uma quantia específica. - + &Amount: &Quantia - + &Request payment &Pedir pagamento - + Clear all fields of the form. Limpar todos os campos do formulário. - + Clear Limpar - + Requested payments history Histórico de solicitações de pagamento - + Show the selected request (does the same as double clicking an entry) Mostrar a solicitação seleccionada (igual a clicar duas vezes) - + Show Mostrar - + Remove the selected entries from the list Remover as entradas seleccionadas da lista - + Remove Remover - + Copy label Copiar rótulo - + Copy message Copiar mensagem - + Copy amount Copiar quantia @@ -2931,67 +2664,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code QR Code - + Copy &URI Copiar &URI - + Copy &Address Copiar &Endereço - + &Save Image... &Salvar Imagem... - + Request payment to %1 Solicitar pagamento a %1 - + Payment information Informação de pagamento - + URI URI - + Address Endereço - + Amount Quantia - + Label Rótulo - + Message Mensagem - + Resulting URI too long, try to reduce the text for label / message. O URI resultante é demasiado longo, tente reduzir o texto do rótulo ou da mensagem. - + Error encoding URI into QR Code. Erro ao codificar o URI para código QR. @@ -2999,37 +2732,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Data - + Label Rótulo - + Message Mensagem - + Amount Quantia - + (no label) (sem rótulo) - + (no message) (sem mensagem) - + (no amount) (sem quantia) @@ -3037,412 +2770,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Enviar Moedas - + Coin Control Features Funcionalidades de Coin Control - + Inputs... Entradas... - + automatically selected seleccionadas automáticamente - + Insufficient funds! Fundos insuficientes! - + Quantity: Quantidade: - + Bytes: Bytes: - + Amount: Quantia: - + Priority: Prioridade: - + medium média - + Fee: Taxa: - Low Output: - Baixo débito: - - - + Dust: - + - + no não - + After Fee: Com taxa: - + Change: Troco: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Se isto for activado e o endereço de troco se encontrar vazio, o troco será enviado para um novo endereço gerado. - + Custom change address Endereço de troco personalizado - + Transaction Fee: - + - + Choose... - + - + collapse fee-settings - + - + Minimize - + - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + - + per kilobyte - + - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + - + total at least - + - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + - + (read the tooltip) - + - + Recommended: - + - + Custom: - + - + (Smart fee not initialized yet. This usually takes a few blocks...) - + - + Confirmation time: - + - + normal - + - + fast - + - + Send as zero-fee transaction if possible - + - + (confirmation may take longer) - + - + Confirm the send action Confirmar envio - + S&end &Enviar - + Clear all fields of the form. Limpar todos os campos do formulário. - + Clear &All Limpar &Tudo - + Send to multiple recipients at once Enviar para múltiplos destinatários de uma vez - + Add &Recipient Adicionar &Destinatário - + Darksend Darksend - + InstantX InstantX - + Balance: Saldo: - + Copy quantity Copiar quantidade - + Copy amount Copiar quantia - + Copy fee Copiar taxa - + Copy after fee Copiar depois da taxa - + Copy bytes Copiar bytes - + Copy priority Copiar prioridade - Copy low output - Copiar baixo débito - - - + Copy dust - + - + Copy change Copiar troco - - - + + + using a usar - - + + anonymous funds fundos anónimos - + (darksend requires this amount to be rounded up to the nearest %1). (o darksend requer que esta quantia seja arredondada até ao %1 mais próximo). - + any available funds (not recommended) quaisquer fundos disponíveis (não recomendado) - + and InstantX e InstantX - - - - + + + + %1 to %2 %1 a %2 - + Are you sure you want to send? Tem a certeza que quer enviar? - + are added as transaction fee são adicionadas como taxa de transacção - + Total Amount %1 (= %2) Quantia Total %1 (= %2) - + or ou - + Confirm send coins Confirmar envio de moedas - Payment request expired - Solicitação de pagamento expirada + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + + + + + Estimated to begin confirmation within %n block(s). + - Invalid payment address %1 - Endereço de pagamento inválido %1 - - - + The recipient address is not valid, please recheck. O endereço do destinatário é inválido, por favor verifique. - + The amount to pay must be larger than 0. A quantia a pagar tem que ser maior que 0. - + The amount exceeds your balance. A quantia excede o seu saldo. - + The total exceeds your balance when the %1 transaction fee is included. O total excede o seu saldo quando é incluído o valor %1 relativo a taxas de transacção. - + Duplicate address found, can only send to each address once per send operation. Endereço duplicado encontrado, só pode enviar para um endereço uma vez por cada operação de envio. - + Transaction creation failed! Falha ao criar transacção! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. A transacção foi rejeitada! Isto pode acontecer se algumas das moedas da sua carteira tiverem sido gastas, tal como se usou uma copia do ficheiro wallet.dat e moedas tiverem sido gastas nessa cópia mas não aqui. - + Error: The wallet was unlocked only to anonymize coins. Erro: A carteira foi somente desbloqueada para anonimização de moedas. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Aviso: Endereço Dash inválido - + Warning: Unknown change address Aviso: Endereço de troco desconhecido - + (no label) (sem rótulo) @@ -3450,102 +3167,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Este é um pagamento normal. - + Pay &To: &Pagar a: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Endereço para envio do pagamento (ex. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + - + Choose previously used address Escolher endereço usado previamente - + Alt+A Alt+A - + Paste address from clipboard Colar endereço da área de transferência - + Alt+P Alt+P - - - + + + Remove this entry Remover esta entrada - + &Label: &Rótulo: - + Enter a label for this address to add it to the list of used addresses Digite um rótulo para este endereço para adicioná-lo à lista de endereços usados - - - + + + A&mount: &Quantidade - + Message: Mensagem: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Mensagem que foi anexada ao dash: URI e que será guardada com a transacção para sua referência. Nota: Esta mensagem não será enviada para a rede Dash. - + This is an unverified payment request. Este é um pedido de pagamento não verificado. - - + + Pay To: Pagar a: - - + + Memo: Rótulo: - + This is a verified payment request. Este é um pedido de pagamento verificado. - + Enter a label for this address to add it to your address book Introduza um rótulo para este endereço para adicionar ao livro de endereços @@ -3553,12 +3266,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... O Dash Core está a desligar... - + Do not shut down the computer until this window disappears. Não desligue o computador enquanto está janela estiver visível. @@ -3566,193 +3279,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Assinaturas - Assinar / Verificar uma Mensagem - + &Sign Message &Assinar Mensagem - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Pode assinar mensagens com os seus endereços para provar que são seus. Tenha atenção para não assinar mensagens vagas, já que, ataques de phishing podem levá-lo a assinar a sua própria identidade para os atacantes. Apenas assine declarações detalhadas com as quais concorde. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Endereço com o qual deseja assinar a mensagem (ex. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + - - + + Choose previously used address Escolher endereço usado previamente - - + + Alt+A Alt+A - + Paste address from clipboard Colar endereço da área de transferência - + Alt+P Alt+P - + Enter the message you want to sign here Escreva aqui a mensagem que deseja assinar - + Signature Assinatura - + Copy the current signature to the system clipboard Copiar a assinatura actual para a área de transferência - + Sign the message to prove you own this Dash address Assinar a mensagem para provar que é o proprietário deste endereço Dash - + Sign &Message Assinar &Mensagem - + Reset all sign message fields Repor todos os campos de assinatura de mensagem - - + + Clear &All Limpar &Tudo - + &Verify Message &Verificar Mensagem - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Introduza o endereço de assinatura, mensagem (assegure-se que copia exactamente as quebras de linha, espaços, tabulações, etc) e assinatura abaixo para verificar a mensagem. Tenha atenção para não ler mais na assinatura do que o que estiver na mensagem assinada, para evitar ser enganado por um atacante que se encontre entre si e quem assinou a mensagem. - + The Dash address the message was signed with - + - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Endereço com o qual a mensagem foi assinada (ex. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Verificar a mensagem de forma a garantir que foi assinada com o endereço Dash especificado - + Verify &Message Verificar &Mensagem - + Reset all verify message fields Repor todos os campos de verificação de mensagem - + Click "Sign Message" to generate signature Prima "Assinar Mensagem" para gerar a assinatura - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Insira um endereço Dash (ex. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. O endereço inserido é inválido. - - - - + + + + Please check the address and try again. Por favor verifique o endereço e tente de novo. - - + + The entered address does not refer to a key. O endereço introduzido não corresponde a uma chave. - + Wallet unlock was cancelled. O desbloqueamento da carteira foi cancelado. - + Private key for the entered address is not available. A chave privada correspondente ao endereço introduzido não está disponível. - + Message signing failed. A assinatura da mensagem falhou. - + Message signed. Mensagem assinada. - + The signature could not be decoded. A assinatura não pode ser descodificada. - - + + Please check the signature and try again. Por favor verifique a assinatura e tente de novo. - + The signature did not match the message digest. A assinatura não corresponde à compilação da mensagem. - + Message verification failed. A verificação da mensagem falhou. - + Message verified. Mensagem verificada. @@ -3760,27 +3461,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Versão %1 - + The Bitcoin Core developers Os programadores Bitcoin Core - + The Dash Core developers Os programadores Dash Core - + [testnet] [rede de testes] @@ -3788,7 +3489,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s KB/s @@ -3796,254 +3497,245 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - Aberta durante mais %n bloco - Aberta durante mais %n blocos - + - + Open until %1 Aberta até %1 - - - - + + + + conflicted conflituosa - + %1/offline (verified via instantx) %1/desligado (verificado através de instantx) - + %1/confirmed (verified via instantx) %1/confirmado (verificado através de instantx) - + %1 confirmations (verified via instantx) %1 confirmações (verificado através de instantx) - + %1/offline %1/desligada - + %1/unconfirmed %1/não confirmada - - + + %1 confirmations %1 confirmações - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/desligado (verificação InstantX em progresso - %2 de %3 assinaturas) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/confirmada (verificação InstantX em progresso - %2 de %3 assinaturas) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 confirmações (verificação InstantX em progresso - %2 de %3 assinaturas) - + %1/offline (InstantX verification failed) %1/desligado (a verificação InstantX falhou) - + %1/confirmed (InstantX verification failed) %1/confirmada (a verificação InstantX falhou) - + Status Estado - + , has not been successfully broadcast yet , ainda não foi transmitida com sucesso - + , broadcast through %n node(s) - - , transmitida através de %n nó - , transmitida através de %n nós - + - + Date Data - + Source Origem - + Generated Gerada - - - + + + From De - + unknown desconhecido - - - + + + To Para - + own address endereço próprio - - + + watch-only - + - + label rótulo - - - - - + + + + + Credit Credito - + matures in %n more block(s) - - maturidade em %n bloco - maturidade em %n blocos - + - + not accepted rejeitada - - - + + + Debit Débito - + Total debit - + - + Total credit - + - + Transaction fee Taxa de transacção - + Net amount Valor líquido - - + + Message Mensagem - + Comment Comentário - + Transaction ID ID de transacção - + Merchant Comerciante - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. As moedas geradas tem que amadurecer %1 blocos antes de poderem ser gastas. Quando gerou este bloco, este foi propagado para a rede de modo a ser incluído na cadeia de blocos. Se não foi incluído na cadeia, o seu estado será alterado para "rejeitado" e não será possível gastar as moedas. Isto pode acontecer ocasionalmente quando outro nó gera um bloco a poucos segundos do seu. - + Debug information Informação de depuração - + Transaction Transacção - + Inputs Entradas - + Amount Quantia - - + + true verdadeiro - - + + false falso @@ -4051,12 +3743,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Detalhes da transação - + This pane shows a detailed description of the transaction Esta janela mostra uma descrição detalhada da transação @@ -4064,169 +3756,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Data - + Type Tipo - + Address Endereço - - Amount - Quantia - - + Open for %n more block(s) - - Aberta durante mais %n bloco - Aberta durante mais %n blocos - + - + Open until %1 Aberta até %1 - + Offline Desligado - + Unconfirmed Não confirmado - + Confirming (%1 of %2 recommended confirmations) A confirmar (%1 de %2 confirmações recomendadas) - + Confirmed (%1 confirmations) Confirmada (%1 confirmações) - + Conflicted Conflituosa - + Immature (%1 confirmations, will be available after %2) Imatura (%1 confirmações, estará disponível após %2) - + This block was not received by any other nodes and will probably not be accepted! Este bloco não foi recebido por nenhum outro nó e provavelmente será rejeitado! - + Generated but not accepted Gerado mas rejeitado - + Received with Recebido com - + Received from Recebido de - + Received via Darksend Recebido via Darksend - + Sent to Enviado para - + Payment to yourself Pagamento ao próprio - + Mined Minado - + Darksend Denominate Denominação Darksend - + Darksend Collateral Payment Pagamento Colateral Darksend - + Darksend Make Collateral Inputs Darksend Fazer Entradas Colaterais - + Darksend Create Denominations Darksend Criar Denominações - + Darksent Darksent - + watch-only - + - + (n/a) (n/d) - + Transaction status. Hover over this field to show number of confirmations. Estado da transacção. Passe o ponteiro do rato sobre este campo para mostrar o número de confirmações. - + Date and time that the transaction was received. Data e hora à qual a transacção foi recebida. - + Type of transaction. Tipo de transacção. - + Whether or not a watch-only address is involved in this transaction. - + - + Destination address of transaction. Endereço de destino da transacção. - + Amount removed from or added to balance. Quantia removida ou adicionada ao saldo. @@ -4234,207 +3919,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Todas - + Today Hoje - + This week Esta semana - + This month Este mês - + Last month Mês anterior - + This year Este ano - + Range... Intervalo... - + + Most Common + + + + Received with Recebido com - + Sent to Enviado para - + Darksent Darksent - + Darksend Make Collateral Inputs Darksend Fazer Entradas Colaterais - + Darksend Create Denominations Darksend Criar Denominações - + Darksend Denominate Denominação Darksend - + Darksend Collateral Payment Pagamento Colateral Darksend - + To yourself Ao próprio - + Mined Minado - + Other Outra - + Enter address or label to search Introduza endereço ou rótulo a pesquisar - + Min amount Quantia mínima - + Copy address Copiar endereço - + Copy label Copiar rótulo - + Copy amount Copiar quantia - + Copy transaction ID Copiar ID de transacção - + Edit label Editar rótulo - + Show transaction details Mostrar detalhes da transacção - + Export Transaction History Exportar histórico de transacções - + Comma separated file (*.csv) Ficheiro separado por vírgulas (*.csv) - + Confirmed Confirmada - + Watch-only - + - + Date Data - + Type Tipo - + Label Rótulo - + Address Endereço - Amount - Quantia - - - + ID ID - + Exporting Failed A exportação falhou - + There was an error trying to save the transaction history to %1. Ocorreu um erro ao tentar gravar o histórico de transacções para %1. - + Exporting Successful Exportação Concluída com Sucesso - + The transaction history was successfully saved to %1. O histórico de transacções foi gravado com sucesso para %1. - + Range: Intervalo: - + to para @@ -4442,15 +4128,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + WalletFrame - + No wallet has been loaded. Nenhuma carteira carregada @@ -4458,59 +4144,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins Enviar Moedas - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - O InstantX não suporta valores tão elevados neste momento. As transacções estão limitadas a %n DASH. - O InstantX não suporta valores tão elevados neste momento. As transacções estão limitadas a %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + WalletView - + &Export &Exportar - + Export the data in the current tab to a file Exportar os dados do separador actual para um ficheiro - + Backup Wallet Criar Cópia de Segurança da Carteira - + Wallet Data (*.dat) Dados da Carteira (*.dat) - + Backup Failed A Cópia de Segurança Falhou - + There was an error trying to save the wallet data to %1. Ocorreu um erro ao tentar criar cópia de segurança da carteira para %1. - + Backup Successful Cópia de Segurança Criada com Sucesso - + The wallet data was successfully saved to %1. Os dados da carteira foram gravados com sucesso em %1. @@ -4518,8 +4203,503 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Vincular a um determinado endereço e ouvir sempre aí. Use a notação [endereço]:porta para IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Não foi possível obter acesso exclusivo à pasta de dados %s. Possivelmente o Dash Core já se encontra em execução. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + O Darksend usa denominações exactas para enviar fundos, pode necessitar simplesmente de anonimizar mais algumas moedas. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Entrar no modo de testes de regressão, que usa uma cadeia de blocos especial onde cada bloco é resolvido instantaneamente. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Erro: A escuta por ligações de entrada falhou (a escuta devolveu o erro %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Executar comando quando é recebido um alerta ou vemos uma longa bifurcação na cadeia de blocos (%s no comando é substituído pela mensagem) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Executar comando quando muda uma transacção na carteira (%s no comando é substituído pelo TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Executar comando quando o melhor bloco muda (%s no comando é substituído pela hash do bloco) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Foram encontradas saídas denominadas não confirmadas, a aguardar pela confirmação para prosseguir. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + Neste modo o -genproclimit controla quantos blocos são gerados imediatamente. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + O InstantX necessita de entradas com pelo menos 6 confirmações, pode ser necessário aguardar mais uns minutos e tentar de novo. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Nome para construir o url para a entrada KeePass que guarda a palavra-passe da carteira + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Questionar por endereços dos nós através de pesquisas DNS caso tenha poucos endereços (omissão: 1 excepto -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Definir endereço:porta externo para ligação a este masternode (ex: endereço:porta) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Definir tamanho máximo de transacções com alta-prioridade/taxa-reduzida em bytes (omissão: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Definir número de processos de verificação de scripts (%u a %d, 0 = auto, <0 = deixar este número de cores livres, omissão: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Esta é uma compilação prévia de teste - use por sua conta e risco - não use para minar nem em aplicações comerciais + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Não foi possível vincular a %s neste computador. Provavelmente o Dash Core já está a ser executado. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Não foi possível localizar fundos Darksend denominados suficientes para esta transacção. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Não foi possível localizar fundos Darksend não denominados suficientes para esta transacção que não sejam igual a 1000DRK. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Não foi possível localizar fundos Darksend não denominados suficientes para esta transacção. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Aviso: -paytxfee tem um valor muito elevado! Esta é a taxa de transacção que será paga se enviar uma transacção. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Aviso: A rede não parece estar concordar! Parece haver alguns mineiros com problemas. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Aviso: Parece que não estamos de acordo com outros nós! Talvez necessite actualizar a aplicação ou os outros nós necessitem actualizar. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Aviso: erro ao carregar wallet.dat! Todas as chaves estão correctas mas os dados das transacções ou as entradas do livro de endereços podem estar ausentes ou incorrectas. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Aviso: wallet.dar corrompido mas os dados foram recuperados! A carteira original foi gravada como wallet{data/hora}.bak in %s; se o seu saldo ou transacções forem incorrectos deverá recuperar a partir de uma cópia de segurança. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Tem que especificar uma masternodeprivkey na configuração. Por favor verifique a documentação para ajuda. + + + + (default: 1) + (omissão: 1) + + + + Accept command line and JSON-RPC commands + Aceitar comandos da linha de comandos e JSON-RPC + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Aceitar ligações do exterior (omissão: 1 se não tiver usado -proxy ou -connect) + + + + Add a node to connect to and attempt to keep the connection open + Adicionar um nó ao qual efectuar ligação e tentar manter a ligação aberta + + + + Allow DNS lookups for -addnode, -seednode and -connect + Permitir pesquisas de DNS para -addnode, -deednode e -connect + + + + Already have that input. + Entrada existente. + + + + Attempt to recover private keys from a corrupt wallet.dat + Tentar recuperar as chaves privadas a partir de um ficheiro wallet.dat corrompido + + + + Block creation options: + Opções de criação de blocos: + + + + Can't denominate: no compatible inputs left. + Não é possível denominar: não existem mais entradas compatíveis. + + + + Cannot downgrade wallet + Não é possível reverter para uma versão anterior da carteira + + + + Cannot resolve -bind address: '%s' + Não foi possível resolver endereço de vínculo: '%s' + + + + Cannot resolve -externalip address: '%s' + Não foi possível resolver endereço -externalip: '%s' + + + + Cannot write default address + Não foi possível escrever endereço por omissão + + + + Collateral not valid. + Colateral inválido. + + + + Connect only to the specified node(s) + Ligar apenas ao(s) nó(s) especificados + + + + Connect to a node to retrieve peer addresses, and disconnect + Efectuar ligação a um nó para obter os endereços de outros clientes e desligar + + + + Connection options: + Opções de ligação: + + + + Corrupted block database detected + Detectada corrupção na base de dados dos blocos + + + + Darksend is disabled. + O Darksend encontra-se desactivado. + + + + Darksend options: + Opções Darksend: + + + + Debugging/Testing options: + Opções de Depuração/Teste + + + + Discover own IP address (default: 1 when listening and no -externalip) + Descobrir endereço de IP próprio (omissão: 1 quando em escuta e -externalip não definido) + + + + Do not load the wallet and disable wallet RPC calls + Não carregar a carteira e desabilitar as chamadas RPC + + + + Do you want to rebuild the block database now? + Quer reconstruir agora a base de dados dos blocos? + + + + Done loading + Carregamento completo + + + + Entries are full. + Entradas completas. + + + + Error initializing block database + Erro ao inicializar a base de dados dos blocos + + + + Error initializing wallet database environment %s! + Erro ao inicializar o ambiente de base de dados da carteira %s! + + + + Error loading block database + Erro ao carregar base de dados de blocos + + + + Error loading wallet.dat + Erro ao carregar wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Erro ao carregar wallet.dat: A carteira está corrompida + + + + Error opening block database + Erro ao abrir base de dados de blocos + + + + Error reading from database, shutting down. + Erro ao ler da base de dados, a encerrar. + + + + Error recovering public key. + Erro ao recuperar chave pública. + + + + Error + Erro + + + + Error: Disk space is low! + Erro: Pouco espaço em disco! + + + + Error: Wallet locked, unable to create transaction! + Erro: Carteira bloqueada, não foi possível criar a transacção! + + + + Error: You already have pending entries in the Darksend pool + Erro: Já tem entradas pendentes no conjunto Darksend + + + + Failed to listen on any port. Use -listen=0 if you want this. + Falhou a escuta em qualquer porta. Use -listen=0 se é isto que deseja. + + + + Failed to read block + Falha ao ler bloco + + + + If <category> is not supplied, output all debugging information. + Se a <category> não for fornecida, mostrar toda a informação de depuração. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + + + + + Output debugging information (default: %u, supplying <category> is optional) + + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + + + + + Require high priority for relaying free or low-fee transactions (default:%u) + + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4530,1357 +4710,911 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, necessita colocar uma entrada rpcpassword no ficheiro de configuração: -%s -É recomendados que utilize a seguinte palavra-passe aleatória: -rpcuser=dashrpc -rpcpassword=%s -(não necessita decorar esta palavra-passe) -O nome de utilizador e a palavra-passe não podem ser iguais. -Se o ficheiro não existe, crie-o só com permissões de leitura para o dono. -Também é recomendado que configure o sistema de alertas para poder ser avisado de problemas; -exemplo: alertnotify=echo %%s | mail -s "Alerta Dash" admin@foo.com + - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Cifras suportadas (omissão: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Ocorreu um erro ao configurar a porta RPC %u para aceitar ligações em IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Ocorreu um erro ao configurar a porta RPC %u para aceitar ligações em IPv6, a reverter para IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Vincular a um determinado endereço e ouvir sempre aí. Use a notação [endereço]:porta para IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Não foi possível obter acesso exclusivo à pasta de dados %s. Possivelmente o Dash Core já se encontra em execução. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Continuamente limitar o número de transacções gratuitas por minuto a <n>*1000 bytes (omissão: 15) + + (default: %s) + - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - O Darksend usa denominações exactas para enviar fundos, pode necessitar simplesmente de anonimizar mais algumas moedas. + + <category> can be: + + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Desactivar todas as funcionalidades relacionadas com Masternodes e Darksend (0-1, omissão:0) + + Accept public REST requests (default: %u) + - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Activar instantx, mostrar confirmações para transacções bloqueadas (bool, omissão: true) + + Acceptable ciphers (default: %s) + - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Activar o uso de darksend automatizado para os fundos guardados nesta carteira (0-1, omissão: 0) + + Always query for peer addresses via DNS lookup (default: %u) + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Entrar no modo de testes de regressão, que usa uma cadeia de blocos especial onde cada bloco é resolvido instantaneamente. O objectivo ser usado com ferramentas de testes de regressão e no desenvolvimento da aplicação. + + Cannot resolve -whitebind address: '%s' + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Entrar no modo de testes de regressão, que usa uma cadeia de blocos especial onde cada bloco é resolvido instantaneamente. + + Connect through SOCKS5 proxy + - - Error: Listening for incoming connections failed (listen returned error %s) - Erro: A escuta por ligações de entrada falhou (a escuta devolveu o erro %s) + + Connect to KeePassHttp on port <port> (default: %u) + - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Erro: A transacção foi rejeitada! Isto pode acontecer se algumas das moedas da sua carteira tiverem sido gastas, tal como se usou uma copia do ficheiro wallet.dat e moedas tiverem sido gastas nessa cópia mas não aqui. + + Copyright (C) 2009-%i The Bitcoin Core Developers + - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Erro: Esta transacção necessita de uma taxa de pelo menos %s devido à quantia, complexidade ou uso de fundos recebidos recentemente! + + Copyright (C) 2014-%i The Dash Core Developers + - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Erro: Carteira desbloqueada somente para anonimização, não foi possível criar a transacção. + + Could not parse -rpcbind value %s as network address + - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Executar comando quando é recebido um alerta ou vemos uma longa bifurcação na cadeia de blocos (%s no comando é substituído pela mensagem) + + Darksend is idle. + - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Executar comando quando muda uma transacção na carteira (%s no comando é substituído pelo TxID) + + Darksend request complete: + - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Executar comando quando o melhor bloco muda (%s no comando é substituído pela hash do bloco) + + Darksend request incomplete: + - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Taxas inferiores a esta serão consideradas zero (para a criação da transacção) (omissão: + + Disable safemode, override a real safe mode event (default: %u) + - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Consolidar a actividade de dados de memoria para disco a cada <n> megabytes (omissão: 100) + + Enable the client to act as a masternode (0-1, default: %u) + - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Foram encontradas saídas denominadas não confirmadas, a aguardar pela confirmação para prosseguir. + + Error connecting to Masternode. + - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Quão minuciosa é a verificação dos blocos do -checkblocks (0-4, omissão: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + - - In this mode -genproclimit controls how many blocks are generated immediately. - Neste modo o -genproclimit controla quantos blocos são gerados imediatamente. + + Error: A fatal internal error occured, see debug.log for details + - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - O InstantX necessita de entradas com pelo menos 6 confirmações, pode ser necessário aguardar mais uns minutos e tentar de novo. + + Error: Unsupported argument -tor found, use -onion. + - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Escutar por ligações JSON-RPC na porta <port> (omissão: 9998 ou rede de testes: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + - - Name to construct url for KeePass entry that stores the wallet passphrase - Nome para construir o url para a entrada KeePass que guarda a palavra-passe da carteira + + Finalizing transaction. + - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Número de segundos a não permitir ligações de nós com comportamento inadequado (omissão: 86400) + + Force safe mode (default: %u) + - - Output debugging information (default: 0, supplying <category> is optional) - Informação de depuração de saída (omissão: 0, fornecer <category> é opcional) + + Found enough users, signing ( waiting %s ) + - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Providenciar liquidez para o Darksend misturando moedas continuamente com baixa frequência (0-100, omissão: 0, 1=muito frequente taxas elevadas, 100=pouco frequente, taxas reduzidas) + + Found enough users, signing ... + - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Questionar por endereços dos nós através de pesquisas DNS caso tenha poucos endereços (omissão: 1 excepto -connect) + + Generate coins (default: %u) + - - Set external address:port to get to this masternode (example: address:port) - Definir endereço:porta externo para ligação a este masternode (ex: endereço:porta) + + How many blocks to check at startup (default: %u, 0 = all) + - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Definir tamanho máximo de transacções com alta-prioridade/taxa-reduzida em bytes (omissão: %d) + + Ignore masternodes less than version (example: 70050; default: %u) + - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Definir número de processos de verificação de scripts (%u a %d, 0 = auto, <0 = deixar este número de cores livres, omissão: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Definir o limite de processador quando a geração está activa (-1 = ilimitado, omissão: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Mostrar N confirmações para uma transacção bloqueada com sucesso (0-9999, omissão:1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Esta é uma compilação prévia de teste - use por sua conta e risco - não use para minar nem em aplicações comerciais - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Não foi possível vincular a %s neste computador. Provavelmente o Dash Core já está a ser executado. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Não foi possível localizar fundos Darksend denominados suficientes para esta transacção. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Não foi possível localizar fundos Darksend não denominados suficientes para esta transacção que não sejam igual a 1000DRK. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Não foi possível localizar fundos Darksend não denominados suficientes para esta transacção. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Usar um proxy SOCKS5 diferente para ligar aos nós através dos serviços escondidos Tor (omissão: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Aviso: -paytxfee tem um valor muito elevado! Esta é a taxa de transacção que será paga se enviar uma transacção. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Aviso: Por favor verifique que a data e a hora do computador está correcta! Se o relógio estiver errado o Dash não vai funcionar correctamente. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Aviso: A rede não parece estar concordar! Parece haver alguns mineiros com problemas. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Aviso: Parece que não estamos de acordo com outros nós! Talvez necessite actualizar a aplicação ou os outros nós necessitem actualizar. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Aviso: erro ao carregar wallet.dat! Todas as chaves estão correctas mas os dados das transacções ou as entradas do livro de endereços podem estar ausentes ou incorrectas. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Aviso: wallet.dar corrompido mas os dados foram recuperados! A carteira original foi gravada como wallet{data/hora}.bak in %s; se o seu saldo ou transacções forem incorrectos deverá recuperar a partir de uma cópia de segurança. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Deve definir rpcpassword=<password> no ficheiro de configuração: -%s -Se o ficheiro não existir, deve criá-lo só com permissões de leitura para o dono. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Tem que especificar uma masternodeprivkey na configuração. Por favor verifique a documentação para ajuda. - - - - (default: 1) - (omissão: 1) - - - - (default: wallet.dat) - (omissão: wallet.dat) - - - - <category> can be: - <category> pode ser: - - - - Accept command line and JSON-RPC commands - Aceitar comandos da linha de comandos e JSON-RPC - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Aceitar ligações do exterior (omissão: 1 se não tiver usado -proxy ou -connect) - - - - Add a node to connect to and attempt to keep the connection open - Adicionar um nó ao qual efectuar ligação e tentar manter a ligação aberta - - - - Allow DNS lookups for -addnode, -seednode and -connect - Permitir pesquisas de DNS para -addnode, -deednode e -connect - - - - Allow JSON-RPC connections from specified IP address - Permitir ligações JSON-RPC a partir do endereço IP especificado - - - - Already have that input. - Entrada existente. - - - - Always query for peer addresses via DNS lookup (default: 0) - Questionar sempre por endereços de nós através de pesquisas DNS (omissão: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Tentar recuperar as chaves privadas a partir de um ficheiro wallet.dat corrompido - - - - Block creation options: - Opções de criação de blocos: - - - - Can't denominate: no compatible inputs left. - Não é possível denominar: não existem mais entradas compatíveis. - - - - Cannot downgrade wallet - Não é possível reverter para uma versão anterior da carteira - - - - Cannot resolve -bind address: '%s' - Não foi possível resolver endereço de vínculo: '%s' - - - - Cannot resolve -externalip address: '%s' - Não foi possível resolver endereço -externalip: '%s' - - - - Cannot write default address - Não foi possível escrever endereço por omissão - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Limpar lista de transacções da carteira (ferramenta de diagnóstico; implica -rescan) - - - - Collateral is not valid. - O colateral não é válido. - - - - Collateral not valid. - Colateral inválido. - - - - Connect only to the specified node(s) - Ligar apenas ao(s) nó(s) especificados - - - - Connect through SOCKS proxy - Ligar através de proxy SOCKS - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Ligar ao JSON-RPC na porta <port> (omissão: 9998 ou rede de testes: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Ligar ao KeePassHttp na porta <port> (omissão: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Efectuar ligação a um nó para obter os endereços de outros clientes e desligar - - - - Connection options: - Opções de ligação: - - - - Corrupted block database detected - Detectada corrupção na base de dados dos blocos - - - - Dash Core Daemon - Serviço Dash Core - - - - Dash Core RPC client version - Versão do cliente RPC Dash Core - - - - Darksend is disabled. - O Darksend encontra-se desactivado. - - - - Darksend options: - Opções Darksend: - - - - Debugging/Testing options: - Opções de Depuração/Teste - - - - Disable safemode, override a real safe mode event (default: 0) - Desabilitar modo de segurança, sobrepõe-se a um evento real de modo de segurança (omissão: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Descobrir endereço de IP próprio (omissão: 1 quando em escuta e -externalip não definido) - - - - Do not load the wallet and disable wallet RPC calls - Não carregar a carteira e desabilitar as chamadas RPC - - - - Do you want to rebuild the block database now? - Quer reconstruir agora a base de dados dos blocos? - - - - Done loading - Carregamento completo - - - - Downgrading and trying again. - A diminuir o nível e tentar de novo. - - - - Enable the client to act as a masternode (0-1, default: 0) - Permitir ao cliente actuar como um masternode (0-1, omissão: 0) - - - - Entries are full. - Entradas completas. - - - - Error connecting to masternode. - Erro ao ligar ao masternode. - - - - Error initializing block database - Erro ao inicializar a base de dados dos blocos - - - - Error initializing wallet database environment %s! - Erro ao inicializar o ambiente de base de dados da carteira %s! - - - - Error loading block database - Erro ao carregar base de dados de blocos - - - - Error loading wallet.dat - Erro ao carregar wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Erro ao carregar wallet.dat: A carteira está corrompida - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Erro ao carregar wallet.dat: A carteira necessita de uma versão Dash mais recente - - - - Error opening block database - Erro ao abrir base de dados de blocos - - - - Error reading from database, shutting down. - Erro ao ler da base de dados, a encerrar. - - - - Error recovering public key. - Erro ao recuperar chave pública. - - - - Error - Erro - - - - Error: Disk space is low! - Erro: Pouco espaço em disco! - - - - Error: Wallet locked, unable to create transaction! - Erro: Carteira bloqueada, não foi possível criar a transacção! - - - - Error: You already have pending entries in the Darksend pool - Erro: Já tem entradas pendentes no conjunto Darksend - - - - Error: system error: - Erro: erro de sistema: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Falhou a escuta em qualquer porta. Use -listen=0 se é isto que deseja. - - - - Failed to read block info - Falha ao ler informação de bloco - - - - Failed to read block - Falha ao ler bloco - - - - Failed to sync block index - Falha ao sincronizar o índice de blocos - - - - Failed to write block index - Falha ao escrever índice de blocos - - - - Failed to write block info - Falha ao escrever informação de bloco - - - - Failed to write block - Falha ao escrever bloco - - - - Failed to write file info - Falha ao escrever informação de ficheiro - - - - Failed to write to coin database - Falha ao escrever na base de dados de moedas - - - - Failed to write transaction index - Falha ao escrever o índice de transacções - - - - Failed to write undo data - Falha ao escrever dados de recuperação - - - - Fee per kB to add to transactions you send - Taxa por kB a adicionar à transacção que vai enviar - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Taxas inferiores a esta serão consideradas zero (para retransmissão) (omissão: - - - - Force safe mode (default: 0) - Forçar modo de segurança (omissão: 0) - - - - Generate coins (default: 0) - Gerar moedas (omissão: 0) - - - - Get help for a command - Obter ajuda para um comando - - - - How many blocks to check at startup (default: 288, 0 = all) - Quanto blocos deve verificar no arranque (omissão: 288, 0 = all) - - - - If <category> is not supplied, output all debugging information. - Se a <category> não for fornecida, mostrar toda a informação de depuração. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Ignorar masternodes com versão inferior a (ex: 70050; omissão: 0) - - - + Importing... A importar... - + Imports blocks from external blk000??.dat file Importa blocos a partir de ficheiros blk000??.dat externos - + + Include IP addresses in debug output (default: %u) + + + + Incompatible mode. Modo incompatível. - + Incompatible version. Versão incompatível. - + Incorrect or no genesis block found. Wrong datadir for network? Bloco original não encontrado ou incorrecto. Pasta de dados errada para esta rede? - + Information Informação - + Initialization sanity check failed. Dash Core is shutting down. A verificação de consistência no arranque falhou. O Dash Core está a encerrar. - + Input is not valid. A entrada não é válida. - + InstantX options: Opções InstantX - + Insufficient funds Fundos insuficientes - + Insufficient funds. Fundos insuficientes. - + Invalid -onion address: '%s' Endereço -onion inválido: '%s' - + Invalid -proxy address: '%s' Endereço -proxy inválido: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Quantia inválida para -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Quantia inválida para -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + + + + Invalid amount for -paytxfee=<amount>: '%s' Quantia inválida para -paytxfee=<amount>: '%s' - - Invalid amount - Quantia inválida + + Last successful Darksend action was too recent. + - + + Limit size of signature cache to <n> entries (default: %u) + + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + + + + + Listen for connections on <port> (default: %u or testnet: %u) + + + + + Lock masternodes from masternode configuration file (default: %u) + + + + + Maintain at most <n> connections to peers (default: %u) + + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + + + + + Mixing in progress... + + + + + Need to specify a port with -whitebind: '%s' + + + + + No Masternodes detected. + + + + + No compatible Masternode found. + + + + + Not in the Masternode list. + + + + + Number of automatic wallet backups (default: 10) + + + + + Only accept block chain matching built-in checkpoints (default: %u) + + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + + + + + Prepend debug output with timestamp (default: %u) + + + + + Run a thread to flush wallet periodically (default: %u) + + + + + Send transactions as zero-fee transactions if possible (default: %u) + + + + + Server certificate file (default: %s) + + + + + Server private key (default: %s) + + + + + Session timed out, please resubmit. + + + + + Set key pool size to <n> (default: %u) + + + + + Set minimum block size in bytes (default: %u) + + + + + Set the number of threads to service RPC calls (default: %d) + + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + + + + + Specify configuration file (default: %s) + + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + + + + + Specify masternode configuration file (default: %s) + + + + + Specify pid file (default: %s) + + + + + Spend unconfirmed change when sending transactions (default: %u) + + + + + Stop running after importing blocks from disk (default: %u) + + + + + Submitted following entries to masternode: %u / %d + + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + + + + + Submitted to masternode, waiting in queue %s + + + + + This is not a Masternode. + + + + + Threshold for disconnecting misbehaving peers (default: %u) + + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + + + + + Use UPnP to map the listening port (default: %u) + + + + + Wallet needed to be rewritten: restart Dash Core to complete + + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + + + + + Will retry... + + + + Invalid masternodeprivkey. Please see documenation. masternodeprivkey inválida. Por favor reveja a documentação. - + + Invalid netmask specified in -whitelist: '%s' + + + + Invalid private key. Chave privada inválida. - + Invalid script detected. Script inválido detectado. - + KeePassHttp id for the established association Identificador KeePassHttp para a associação estabelecida - + KeePassHttp key for AES encrypted communication with KeePass Chave KeePassHttp para usar na comunicação cifrada AES com o KeePass - - Keep N dash anonymized (default: 0) - Manter N dash anonimizadas (omissão: 0) + + Keep N DASH anonymized (default: %u) + - - Keep at most <n> unconnectable blocks in memory (default: %u) - Manter no máximo <n> blocos não conectáveis em memória (omissão: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Manter no máximo <n> transacções não conectáveis em memória (omissão: %u) - + Last Darksend was too recent. O último Darksend é muito recente. - - Last successful darksend action was too recent. - A última acção de Darksend é muito recente. - - - - Limit size of signature cache to <n> entries (default: 50000) - Limitar o tamanho da cache de assinaturas a <n> elementos (omissão: 50000) - - - - List commands - Listar comandos - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Escutar ligações na <port> (omissão: 9999 ou rede de testes: 19999) - - - + Loading addresses... A carregar endereços... - + Loading block index... A carregar índice de blocos... - + + Loading budget cache... + + + + Loading masternode cache... - + - Loading masternode list... - A carregar lista de masternodes... - - - + Loading wallet... (%3.2f %%) A carregar carteira... (%3.2f %%) - + Loading wallet... A carregar carteira... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Salvar prioridade e taxa da transacção por kB quando minar blocos (omissão: 0) - - - - Maintain a full transaction index (default: 0) - Manter um índice completo de transacções (omissão: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Manter no máximo <n> ligações a outros nós (omissão: 125) - - - + Masternode options: Opções de masternode: - + Masternode queue is full. A fila do masternode está cheia. - + Masternode: Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Tamanho máximo da memória intermédia de recepção por ligação, <n>*1000 bytes (omissão: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Tamanho máximo da memória intermédia de envio por ligação, <n>*1000 bytes (omissão: 1000) - - - + Missing input transaction information. A informação da transacção de entrada não foi encontrada. - - No compatible masternode found. - Nenhum masternode compatível encontrado. - - - + No funds detected in need of denominating. Não foram detectados fundos a necessitar de denominação. - - No masternodes detected. - Nenhum masternode detectado. - - - + No matching denominations found for mixing. Não foram encontradas denominações correspondentes para misturar. - + + Node relay options: + + + + Non-standard public key detected. Detectada chave pública fora do padrão. - + Not compatible with existing transactions. Não é compatível com as transacções existentes. - + Not enough file descriptors available. Número insuficiente de descritores de ficheiros disponíveis. - - Not in the masternode list. - Não se encontra na lista de masternodes. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Somente aceitar pontos de inspecção apropriados presentes na cadeia de blocos (omissão: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Somente ligar a nós na rede <net> (IPv4, IPv6 ou Tor) - - - + Options: Opções: - + Password for JSON-RPC connections Palavra-passe para as ligações JSON-RPC - - Prepend debug output with timestamp (default: 1) - Adicionar data/hora à informação de depuração (omissão: 1) - - - - Print block on startup, if found in block index - Imprimir bloco ao iniciar se existir no índice de blocos - - - - Print block tree on startup (default: 0) - Imprimir árvore de blocos ao iniciar (omissão: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Opções RPC SSL: (para instruções de configuração SSL dirija-se à Dash Wiki) - - RPC client options: - Opções do cliente RPC: - - - + RPC server options: Opções do servidor RPC: - + + RPC support for HTTP persistent connections (default: %d) + + + + Randomly drop 1 of every <n> network messages Ignorar aleatoriamente 1 de cada <n> mensagens da rede - + Randomly fuzz 1 of every <n> network messages Esfiapar aleatoriamente 1 de cada <n> mensagens da rede - + Rebuild block chain index from current blk000??.dat files Reconstruir o índice da cadeia de blocos a partir dos ficheiros actuais blk000??.dat - + + Relay and mine data carrier transactions (default: %u) + + + + + Relay non-P2SH multisig (default: %u) + + + + Rescan the block chain for missing wallet transactions Examinar novamente a cadeia de blocos para encontrar transacções inexistentes na carteira - + Rescanning... A examinar novamente... - - Run a thread to flush wallet periodically (default: 1) - Executar periodicamente um processo para consolidar a carteira (omissão: 1) - - - + Run in the background as a daemon and accept commands Executar em segundo plano como um serviço e aceitar comandos - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Opções SSL: (ver o Wiki Dash para obter instruções de configuração SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Seleccionar a versão para o -proxy (4 ou 5, omissão: 5) - - - - Send command to Dash Core - Enviar comando para o Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Enviar comandos para o nó que corre em <ip> (omissão: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Enviar informação de execução/depuração para a consola em vez de enviar para o ficheiro debug.log - - Server certificate file (default: server.cert) - Ficheiro de certificado do servidor (omissão: server.cert) - - - - Server private key (default: server.pem) - Chave privada do servidor (omissão: server.pem) - - - + Session not complete! Sessão incompleta! - - Session timed out (30 seconds), please resubmit. - A sessão excedeu o tempo limite (30 segundos), por favor volte a enviar. - - - + Set database cache size in megabytes (%d to %d, default: %d) Define o tamanho máximo da cache de dados em megabytes (%d até %d, omissão %d) - - Set key pool size to <n> (default: 100) - Define o tamanho do conjunto de chaves para <n> (omissão: 100) - - - + Set maximum block size in bytes (default: %d) Define o tamanho máximo do bloco em bytes (omissão %d) - - Set minimum block size in bytes (default: 0) - Define o tamanho mínimo do bloco em bytes (omissão: 0) - - - + Set the masternode private key Define a chave privada do masternode - - Set the number of threads to service RPC calls (default: 4) - Define o número de threads que processam os pedidos RPC (omissão: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Activa a opção DB_PRIVATE no ambiente de dados da carteira (omissão: 1) - - - + Show all debugging options (usage: --help -help-debug) Mostrar todas as opções de depuração (uso: --help -help-debug) - - Show benchmark information (default: 0) - Mostrar informação de referência (omissão: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Diminuir o ficheiro debug.log ao iniciar o cliente (omissão: 1 quando não usa opção -debug) - + Signing failed. A assinatura falhou. - + Signing timed out, please resubmit. A assinatura excedeu o tempo limite, por favor volte a enviar. - + Signing transaction failed A assinatura da transacção falhou - - Specify configuration file (default: dash.conf) - Especificar ficheiro de configuração (omissão: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Especificar o limite de tempo de ligação em milissegundos (omissão: 5000) - - - + Specify data directory Especificar a pasta de dados - - Specify masternode configuration file (default: masternode.conf) - Especificar o ficheiro de configuração de masternodes (omissão: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Especificar o ficheiro pid (omissão: dashd.pid) - - - + Specify wallet file (within data directory) Especificar o ficheiro da carteira (dentro da pasta de dados) - + Specify your own public address Especificar o seu endereço público - - Spend unconfirmed change when sending transactions (default: 1) - Gastar o troco não confirmado ao enviar transacções (omissão: 1) - - - - Start Dash Core Daemon - Iniciar o Serviço Dash Core - - - - System error: - Erro de sistema: - - - + This help message Esta mensagem de ajuda - + + This is experimental software. + + + + This is intended for regression testing tools and app development. Esta opção destina-se a ferramentas de testes de regressão e desenvolvimento de aplicativos. - - This is not a masternode. - Este não é um masternode. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Limiar para desligar nós com comportamento inadequado (omissão: 100) - - - - To use the %s option - Para usar a opção %s - - - + Transaction amount too small Quantia da transacção demasiado pequena - + Transaction amounts must be positive As quantias da transacção tem que ser positivas - + Transaction created successfully. Transacção criada com sucesso. - + Transaction fees are too high. As taxas da transacção são demasiado elevadas. - + Transaction not valid. A transacção não é válida. - + + Transaction too large for fee policy + + + + Transaction too large Transacção demasiado grande - + + Transmitting final transaction. + + + + Unable to bind to %s on this computer (bind returned error %s) Não foi possível vincular a %s neste computador (o vínculo retornou o erro %s) - - Unable to sign masternode payment winner, wrong key? - Não foi possível assinar o masternode vencedor para pagamento, chave incorrecta? - - - + Unable to sign spork message, wrong key? Não foi possível assinar a mensagem spork, chave incorrecta? - - Unknown -socks proxy version requested: %i - Versão solicitada de proxy -socks desconhecida: %i - - - + Unknown network specified in -onlynet: '%s' Rede especificada desconhecida em -onlynet: '%s' - + + Unknown state: id = %u + + + + Upgrade wallet to latest format Actualizar carteira para o formato mais recente - - Usage (deprecated, use dash-cli): - Utilização (obsoleta, use dash-cli): - - - - Usage: - Utilização: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Usar integração KeePass 2 usando o KeePassHttp plugin (omissão: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Usar N masternodes distintos para anonimizar fundos (2-8, omissão: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Usar OpenSSl (https) para as ligações JSON-RPC - - Use UPnP to map the listening port (default: 0) - Usar UPnP para mapear a porta de entrada (omissão: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Usar UPnP para mapear a porta de entrada (omissão: 1 quando em escuta) - + Use the test network Usar a rede de testes - + Username for JSON-RPC connections Utilizador para as ligações JSON-RPC - + Value more than Darksend pool maximum allows. Valor mais elevado do que o máximo permitido pelo Darksend. - + Verifying blocks... A verificar blocos... - + Verifying wallet... A verificar carteira... - - Wait for RPC server to start - Aguarde o inicio do servidor RPC - - - + Wallet %s resides outside data directory %s A carteira %s encontra-se fora da pasta de dados %s - + Wallet is locked. A carteira encontra-se bloqueada. - - Wallet needed to be rewritten: restart Dash to complete - A carteira necessita ser rescrita: reinicie o Dash para concluir - - - + Wallet options: Opções da carteira: - + Warning Aviso - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Aviso: Argumento -debugnet obsoleto e ignorado, utilize -debug=net - - - + Warning: This version is obsolete, upgrade required! Aviso: Esta versão é obsoleta, actualização necessária! - + You need to rebuild the database using -reindex to change -txindex Necessita reconstruir a base de dados usando -reindex para alterar -txindex - + + Your entries added successfully. + + + + + Your transaction was accepted into the pool! + + + + Zapping all transactions from wallet... A apagar todas as transacções da carteira... - + on startup no arranque - - version - versão - - - + wallet.dat corrupt, salvage failed wallet.dat corrompido, recuperação falhou diff --git a/src/qt/locale/dash_ru.ts b/src/qt/locale/dash_ru.ts index d3a100a29..ec36b5d01 100644 --- a/src/qt/locale/dash_ru.ts +++ b/src/qt/locale/dash_ru.ts @@ -1,207 +1,143 @@ - - - AboutDialog - - - About Dash Core - О Dash Core - - - - <b>Dash Core</b> version - Версия <b>Dash Core</b> - - - - Copyright &copy; 2009-YYYY The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Copyright &copy; 2009-2014 Разработчики Bitcoin Core. -Copyright &copy; 2014-YYYY Разработчики Dash Core. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Это экспериментальное ПО. - -Распространяется под лицензией MIT/X11, см. приложенный файл COPYING или http://www.opensource.org/licenses/mit-license.php. - -Этот продукт включает ПО, разработанное проектом OpenSSL Project для использования в OpenSSL Toolkit (http://www.openssl.org/), криптографическое ПО, написанное Eric Young (eay@cryptsoft.com) и ПО для работы с UPnP, написанное Thomas Bernard. - - - Copyright - Copyright - - - The Bitcoin Core developers - Разработчики Bitcoin Core - - - The Dash Core developers - Разработчики Dash Core - - - (%1-bit) - (%1-бит) - - + AddressBookPage - Double-click to edit address or label - Для того, чтобы изменить адрес или метку, дважды кликните по изменяемому объекту - - - + Right-click to edit address or label - + Для того, чтобы изменить адрес или метку, кликните по изменяемому объекту правой кнопкой мыши - + Create a new address Создать новый адрес - + &New &Новый - + Copy the currently selected address to the system clipboard Копировать текущий выделенный адрес в буфер обмена - + &Copy &Копировать - + Delete the currently selected address from the list Удалить выбранный адрес из списка - + &Delete &Удалить - + Export the data in the current tab to a file Экспортировать данные из вкладки в файл - + &Export &Экспорт - + C&lose &Закрыть - + Choose the address to send coins to Выберите адрес для отправки на него монет - + Choose the address to receive coins with Выберите адрес для получения монет - + C&hoose &Выбрать - + Sending addresses Адреса отправки - + Receiving addresses Адреса получения - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Это ваши адреса Dash для отправки платежей. Всегда проверяйте количество и адрес получателя перед отправкой перевода. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Это ваши адреса Dash для приёма платежей. Рекомендуется использовать новый адрес получения для каждой транзакции. - + &Copy Address &Копировать адрес - + Copy &Label Копировать &метку - + &Edit &Правка - + Export Address List Экспортировать список адресов - + Comma separated file (*.csv) Текст, разделённый запятыми (*.csv) - + Exporting Failed Экспорт не удался - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Произошла ошибка при сохранении адресной книги в %1. + Произошла ошибка при сохранении адресной книги в %1. Пожалуйста, попробуйте еще раз. AddressTableModel - + Label Метка - + Address Адрес - + (no label) (нет метки) @@ -209,154 +145,150 @@ This product includes software developed by the OpenSSL Project for use in the O AskPassphraseDialog - + Passphrase Dialog Диалог ввода пароля - + Enter passphrase Введите пароль - + New passphrase Новый пароль - + Repeat new passphrase Повторите новый пароль - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Служит для простейшего отключения функции sendmoney в случае компрометации аккаунта ОС. Не обеспечивает существенной безопасности. - + For anonymization only Только для анонимизации - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Введите новый пароль бумажника.<br/>Используйте пароль, состоящий из <b>10 или более случайных символов</b> или <b>восьми или более слов</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Введите новый пароль кошелька.<br/>Используйте пароль, состоящий из <b>десяти или более случайных символов</b> или <b>восьми или более слов</b>. - + Encrypt wallet - Зашифровать бумажник + Зашифровать кошелёк - + This operation needs your wallet passphrase to unlock the wallet. - Для выполнения операции разблокирования требуется пароль вашего бумажника. + Для выполнения операции разблокирования требуется пароль вашего кошелька. - + Unlock wallet - Разблокировать бумажник + Разблокировать кошелёк - + This operation needs your wallet passphrase to decrypt the wallet. - Для выполнения операции расшифрования требуется пароль вашего бумажника. + Для выполнения операции расшифровки требуется пароль вашего кошелька. - + Decrypt wallet - Расшифровать бумажник + Расшифровать кошелёк - + Change passphrase Сменить пароль - + Enter the old and new passphrase to the wallet. - Введите старый и новый пароль для бумажника. + Введите старый и новый пароль для кошелька. - + Confirm wallet encryption - Подтвердите шифрование бумажника + Подтвердите шифрование кошелька - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! - Внимание: если Вы зашифруете бумажник и потеряете пароль, вы <b>ПОТЕРЯЕТЕ ВСЕ ВАШИ ДАШИ</b>! + Внимание: если Вы зашифруете кошелёк и потеряете пароль, вы <b>ПОТЕРЯЕТЕ ВСЕ ВАШИ DASH</b>! - + Are you sure you wish to encrypt your wallet? - Вы уверены, что хотите зашифровать ваш бумажник? + Вы уверены, что хотите зашифровать ваш кошелёк? - - + + Wallet encrypted - Бумажник зашифрован + Кошелёк зашифрован - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. - Сейчас программа закроется для завершения процесса шифрования. Помните, что шифрование вашего бумажника не может полностью защитить ваши даши от кражи с помощью инфицирования вашего компьютера вредоносным ПО. + Сейчас программа закроется для завершения процесса шифрования. Помните, что шифрование вашего кошелька не может полностью защитить ваши даши от кражи с помощью инфицирования вашего компьютера вредоносным ПО. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. - ВАЖНО: все предыдущие резервные копии вашего бумажника должны быть заменены новым зашифрованным файлом. В целях безопасности предыдущие резервные копии незашифрованного бумажника станут бесполезны, как только вы начнёте использовать новый зашифрованный бумажник. + ВАЖНО: все предыдущие резервные копии вашего кошелька должны быть заменены новым зашифрованным файлом. В целях безопасности предыдущие резервные копии незашифрованного кошелька станут бесполезны, как только вы начнёте использовать новый зашифрованный кошелёк. - - - - + + + + Wallet encryption failed - Не удалось зашифровать бумажник + Не удалось зашифровать кошелёк - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. - Шифрование бумажника не удалось из-за внутренней ошибки. Ваш бумажник не был зашифрован. + Шифрование кошелька не удалось из-за внутренней ошибки. Ваш кошелёк не был зашифрован. - - + + The supplied passphrases do not match. Введённые пароли не совпадают. - + Wallet unlock failed - Разблокировка бумажника не удалась + Разблокировка кошелька не удалась - - - + + + The passphrase entered for the wallet decryption was incorrect. Указанный пароль не подходит. - + Wallet decryption failed - Расшифрование бумажника не удалось + Расшифрование кошелька не удалось - + Wallet passphrase was successfully changed. - Пароль бумажника успешно изменён. + Пароль кошелька успешно изменён. - - + + Warning: The Caps Lock key is on! Внимание: включен Caps Lock! @@ -364,449 +296,454 @@ This product includes software developed by the OpenSSL Project for use in the O BitcoinGUI - - + + Dash Core Dash Core - + Wallet - Бумажник + Кошелёк - + Node Узел - [testnet] - [тестовая сеть] - - - + &Overview &Обзор - + Show general overview of wallet - Показать общий обзор действий с бумажником + Показать общий обзор действий с кошельком - + &Send &Отправить - + Send coins to a Dash address Отправить монеты на указанный адрес Dash - + &Receive &Получить - + Request payments (generates QR codes and dash: URIs) Запросить платежи (создать QR-коды и dash: URI) - + &Transactions &Транзакции - + Browse transaction history Показать историю транзакций - + E&xit В&ыход - + Quit application Закрыть приложение - + &About Dash Core О &Dash Core - Show information about Dash - Показать информацию о Dash - - - + Show information about Dash Core - + Показать информацию о Dash Core - - + + About &Qt О &Qt - + Show information about Qt Показать информацию о Qt - + &Options... &Настройки... - + Modify configuration options for Dash Изменить параметры конфигурации Dash - + &Show / Hide &Показать / Скрыть - + Show or hide the main Window Показать или скрыть главное окно - + &Encrypt Wallet... - За&шифровать бумажник... + За&шифровать кошелёк... - + Encrypt the private keys that belong to your wallet - Зашифровать закрытые ключи, содержащиеся в вашем бумажнике + Зашифровать закрытые ключи, содержащиеся в вашем кошельке - + &Backup Wallet... - &Сделать резервную копию бумажника... + &Сделать резервную копию кошелька... - + Backup wallet to another location - Сделать резервную копию бумажника в другом месте + Сделать резервную копию кошелька в другом месте - + &Change Passphrase... &Изменить пароль... - + Change the passphrase used for wallet encryption - Изменить пароль шифрования бумажника + Изменить пароль шифрования кошелька - + &Unlock Wallet... - &Разблокировать бумажник... + &Разблокировать кошелёк... - + Unlock wallet - Разблокировать бумажник + Разблокировать кошелёк - + &Lock Wallet - За&блокировать бумажник + За&блокировать кошелёк - + Sign &message... П&одписать сообщение... - + Sign messages with your Dash addresses to prove you own them Подписать сообщения вашими адресами Dash, чтобы доказать, что вы ими владеете - + &Verify message... П&роверить сообщение... - + Verify messages to ensure they were signed with specified Dash addresses Проверить сообщения, чтобы удостовериться, что они были подписаны определёнными адресами Dash - + &Information &Информация - + Show diagnostic information Показать диагностическую информацию - + &Debug console &Консоль отладки - + Open debugging console Открыть консоль отладки - + &Network Monitor &Монитор сети - + Show network monitor Показать монитор сети - + &Peers list - + Список &пиров - + Show peers info - + Показать информацию о пирах - + + Wallet &Repair + &Ремонт кошелька + + + + Show wallet repair options + Показать варианты ремонта кошелька + + + Open &Configuration File Открыть файл &настроек - + Open configuration file Открыть файл настроек - + + Show Automatic &Backups + Показать автоматические резервные &копии + + + + Show automatically created wallet backups + Показать автоматически созданные резервные копии кошелька + + + &Sending addresses... Адреса &отправки... - + Show the list of used sending addresses and labels Показать список использованных адресов отправки и их меток - + &Receiving addresses... Адреса &получения... - + Show the list of used receiving addresses and labels Показать список использованных адресов получения и их меток - + Open &URI... Открыть &URI... - + Open a dash: URI or payment request Открыть dash: URI или запрос платежа - + &Command-line options &Параметры командной строки - + Dash Core client - + Клиент Dash Core - + Processed %n blocks of transaction history. - - - - + + Обработано %n блок из истории транзакций. + Обработано %n блока из истории транзакций. + Обработано %n блоков из истории транзакций. - + Show the Dash Core help message to get a list with possible Dash command-line options Показать помощь о Dash Core со списком возможных параметров командной строки - + &File &Файл - + &Settings &Настройки - + &Tools &Инструменты - + &Help &Помощь - + Tabs toolbar Панель вкладок - - Dash client - Клиент Dash - - + %n active connection(s) to Dash network %n активное соединение с сетью Dash + %n активных соединения с сетью Dash %n активных соединений с сетью Dash %n активных соединений с сетью Dash - + Synchronizing with network... Синхронизация с сетью... - + Importing blocks from disk... Выполняется импорт блоков с диска... - + Reindexing blocks on disk... Идёт переиндексация блоков на диске... - + No block source available... Источник блоков недоступен... - Processed %1 blocks of transaction history. - Обработано %1 блоков из истории транзакций. - - - + Up to date Синхронизировано - + %n hour(s) %n час %n часа %n часов + %n часов - + %n day(s) %n день %n дня %n дней + %n дней - - + + %n week(s) %n неделя %n недели %n недель + %n недель - + %1 and %2 %1 и %2 - + %n year(s) %n год - %n лет %n года + %n лет + %n лет - + %1 behind %1 позади - + Catching up... Синхронизируется... - + Last received block was generated %1 ago. Последний полученный блок был сгенерирован %1 назад. - + Transactions after this will not yet be visible. Транзакции после этого времени пока видны не будут. - Dash - Dash - - - + Error Ошибка - + Warning Внимание - + Information Информация - + Sent transaction Исходящая транзакция - + Incoming transaction Входящая транзакция - + Date: %1 Amount: %2 Type: %3 @@ -819,30 +756,25 @@ Address: %4 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> - Бумажник <b>зашифрован</b> и в настоящее время <b>разблокирован</b> + Кошелёк <b>зашифрован</b> и в настоящее время <b>разблокирован</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only - Бумажник <b>зашифрован</b> и в данный момент <b>разблокирован</b> только для целей анонимизации + Кошелёк <b>зашифрован</b> и в данный момент <b>разблокирован</b> только для целей анонимизации - + Wallet is <b>encrypted</b> and currently <b>locked</b> - Бумажник <b>зашифрован</b> и в настоящее время <b>заблокирован</b> - - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Произошла критическая ошибка. Дальнейшая безопасная работа Dash невозможна, приложение будет закрыто. + Кошелёк <b>зашифрован</b> и в настоящее время <b>заблокирован</b> ClientModel - + Network Alert Сетевая тревога @@ -850,333 +782,302 @@ Address: %4 CoinControlDialog - Coin Control Address Selection - Выбор адресов с помощью функции контроля монет - - - + Quantity: Количество: - + Bytes: Байт: - + Amount: Сумма: - + Priority: Приоритет: - + Fee: Комиссия: - Low Output: - Малый выход: - - - + Coin Selection - + Выбор монет - + Dust: - + Пыль: - + After Fee: После комиссии: - + Change: Сдача: - + (un)select all Выбрать все/ничего - + Tree mode Режим дерева - + List mode Режим списка - + (1 locked) (1 заблокировано) - + Amount Сумма - + Received with label - + Получено на метку - + Received with address - + Получено на адрес - Label - Метка - - - Address - Адрес - - - + Darksend Rounds Раундов Darksend - + Date Дата - + Confirmations Подтверждений - + Confirmed Подтверждено - + Priority Приоритет - + Copy address Копировать адрес - + Copy label Копировать метку - - + + Copy amount Скопировать сумму - + Copy transaction ID Скопировать ID транзакции - + Lock unspent Заблокировать непотраченное - + Unlock unspent Разблокировать непотраченное - + Copy quantity Копировать количество - + Copy fee Копировать комиссию - + Copy after fee Копировать после комиссии - + Copy bytes Копировать байты - + Copy priority Копировать приоритет - + Copy dust - + Скопировать пыль - Copy low output - Скопировать малый выход - - - + Copy change Копировать сдачу - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + Выбраны неанонимизированные средства. <b>Darksend будет отключен.</b><br><br>Если Вы все-таки хотите использовать Darksend, пожалуйста, снимите выделение с со всех неанонимизированных средств и заново поставьте галочку напротив Darksend. + + + highest самый высокий - + higher выше высокого - + high высокий - + medium-high выше среднего - + Can vary +/- %1 satoshi(s) per input. - + Может отличаться на +/- %1 сатоши на каждый вход. - + n/a н/д - - + + medium средний - + low-medium ниже среднего - + low низкий - + lower ниже низкого - + lowest самый низкий - + (%1 locked) (%1 заблокировано) - + none нет - Dust - Пыль - - - + yes да - - + + no нет - + This label turns red, if the transaction size is greater than 1000 bytes. Эта метка становится красной, если размер транзакции больше 1000 байт. - - + + This means a fee of at least %1 per kB is required. Это значит, что требуется комиссия как минимум %1 на КБ. - + Can vary +/- 1 byte per input. Может отличаться на +/- 1 байт на каждый вход. - + Transactions with higher priority are more likely to get included into a block. Транзакции с более высоким приоритетом имеют больше шансов на включение в блок. - + This label turns red, if the priority is smaller than "medium". Эта метка становится красной, если приоритет ниже, чем "средний". - + This label turns red, if any recipient receives an amount smaller than %1. Эта метка становится красной, если какой-либо из адресатов получает сумму менее %1. - This means a fee of at least %1 is required. - Это означает, что требуется комиссия как минимум %1. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Суммы меньшие, чем 0.546 умноженное на минимальную комиссию, показываются как "Пыль". - - - This label turns red, if the change is smaller than %1. - Эта метка становиться красной в случае, если сдача меньше %1. - - - - + + (no label) (нет метки) - + change from %1 (%2) сдача с %1 (%2) - + (change) (сдача) @@ -1184,84 +1085,84 @@ Address: %4 DarksendConfig - + Configure Darksend Настройте Darksend - + Basic Privacy Обычная приватность - + High Privacy Высокая приватность - + Maximum Privacy Максимальная приватность - + Please select a privacy level. Пожалуйста, выберите уровень приватности. - + Use 2 separate masternodes to mix funds up to 1000 DASH Использовать 2 отдельные мастерноды для перемешивания до 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH Использовать 8 отдельных мастернод для перемешивания до 1000 DASH - + Use 16 separate masternodes Использовать 16 отдельных мастернод - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Это самый быстрый вариант, анонимизация 1000 DASH будет стоить вам примерно 0.025 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Это относительно быстрый вариант, анонимизация 1000 DASH будет стоить вам примерно 0.05 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH за каждые анонимизированные 1000 DASH. - + This is the slowest and most secure option. Using maximum anonymity will cost Этот самый медленный и безопасный вариант. Анонимизация будет стоить - - - + + + Darksend Configuration Настройки Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend успешно установлен в режим обычной приватности (%1 и 2 раунда). Вы можете изменить это в любое время, используя окно настроек. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend успешно установлен в режим высокой приватности (%1 и 8 раундов). Вы можете изменить это в любое время, используя окно настроек. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend успешно установлен в режим максимально приватности (%1 и 16 раундов). Вы можете изменить это в любое время, используя окно настроек. @@ -1269,67 +1170,67 @@ Address: %4 EditAddressDialog - + Edit Address Изменить адрес - + &Label &Метка - + The label associated with this address list entry Метка, связанная с этой записью списка адресов - + &Address &Адрес - + The address associated with this address list entry. This can only be modified for sending addresses. Адрес, связанный с этой записью списка адресов. Он может быть изменён только для адресов отправки. - + New receiving address Новый адрес для получения - + New sending address Новый адрес для отправки - + Edit receiving address Изменение адреса для получения - + Edit sending address Изменение адреса для отправки - + The entered address "%1" is not a valid Dash address. Введённый адрес "%1" не является правильным адресом Dash. - + The entered address "%1" is already in the address book. Введённый адрес "%1" уже находится в адресной книге. - + Could not unlock wallet. - Не удается разблокировать бумажник. + Не удается разблокировать кошелёк. - + New key generation failed. Генерация нового ключа не удалась. @@ -1337,27 +1238,27 @@ Address: %4 FreespaceChecker - + A new data directory will be created. Будет создан новый каталог данных. - + name имя - + Directory already exists. Add %1 if you intend to create a new directory here. Каталог уже существует. Добавьте %1, если вы хотите создать здесь новый каталог. - + Path already exists, and is not a directory. Путь уже существует и не является каталогом. - + Cannot create data directory here. Не удаётся создать здесь каталог данных. @@ -1365,72 +1266,68 @@ Address: %4 HelpMessageDialog - Dash Core - Command-line options - Dash Core - параметры командной строки - - - + Dash Core Dash Core - + version версия - - + + (%1-bit) - (%1-бит) + (%1-бит) - + About Dash Core - О Dash Core + О Dash Core - + Command-line options - + Параметры командной строки - + Usage: Использование: - + command-line options параметры командной строки - + UI options Настройки интерфейса - + Choose data directory on startup (default: 0) Выбрать каталог данных при запуске (по умолчанию: 0) - + Set language, for example "de_DE" (default: system locale) Выберите язык, например "de_DE" (по умолчанию: как в системе) - + Start minimized Запускать свёрнутым - + Set SSL root certificates for payment request (default: -system-) Указать корневые SSL-сертификаты для запроса платежа (по умолчанию: -system-) - + Show splash screen on startup (default: 1) Показывать заставку при запуске (по умолчанию: 1) @@ -1438,109 +1335,85 @@ Address: %4 Intro - + Welcome Добро пожаловать - + Welcome to Dash Core. Добро пожаловать в Dash Core. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Так как вы впервые запустили программу, вы можете выбрать, где Dash Core будет хранить данные. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. - Dash Core скачает и сохранит копию цепочки блоков. Как минимум %1ГБ данных будет храниться в этом каталоге и размер данных будет со временем расти. В этом же каталоге будет сохранён бумажник. + Dash Core скачает и сохранит копию цепочки блоков. Как минимум %1ГБ данных будет храниться в этом каталоге и размер данных будет со временем расти. В этом же каталоге будет сохранён кошелёк. - + Use the default data directory Использовать каталог данных по умолчанию - + Use a custom data directory: Использовать другой каталог данных: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Ошибка: не удалось создать указанный каталог данных "%1". - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Ошибка: не удалось создать указанный каталог данных "%1". - + Error Ошибка - - - %n GB of free space available - - - - - - - - - (of %n GB needed) - - - - - + + + %1 GB of free space available + доступно %1 ГБ свободного места - GB of free space available - ГБ свободного места - - - (of %1GB needed) - (из требующихся %1ГБ) + + (of %1 GB needed) + (из требующихся %1 ГБ) OpenURIDialog - + Open URI Открыть URI - + Open payment request from URI or file Открыть запрос платежа из URI или файла - + URI: URI: - + Select payment request file Выбрать файл запроса платежа - + Select payment request file to open Выберите файл запроса платежа @@ -1548,313 +1421,281 @@ Address: %4 OptionsDialog - + Options Настройки - + &Main &Главная - + Automatically start Dash after logging in to the system. Автоматически запускать Dash после входа в систему. - + &Start Dash on system login &Запускать Dash при входе в систему - + Size of &database cache Размер кэша &БД - + MB МБ - + Number of script &verification threads Число потоков проверки &сценария - + (0 = auto, <0 = leave that many cores free) (0 = автоматически, <0 = оставить столько незагруженных ядер) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Эта настройка определяет количество отдельных мастернод, через которые пройдет анонимизация. Чем больше роундов, тем выше степень конфиденциальности, но также выше и суммарная стоимость комиссий</p></body></html> - + Darksend rounds to use Количество раундов Darksend - + This amount acts as a threshold to turn off Darksend once it's reached. Это пороговое значение, при достижении которого автоматическое перемешивание отключается. - + Amount of Dash to keep anonymized Сумма постоянно анонимизированных Dash - + W&allet - Б&умажник + К&ошелёк - + Accept connections from outside - + Принимать подключения извне - + Allow incoming connections - + Принимать входящие подключения - + Connect to the Dash network through a SOCKS5 proxy. - + Подключаться к сети Dash через прокси SOCKS5. - + &Connect through SOCKS5 proxy (default proxy): - + &Подключаться через прокси SOCKS5 (прокси по умолчанию): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Необязательная комиссия за каждый КБ транзакции, которая ускоряет обработку Ваших транзакций. Большинство транзакций занимают 1КБ. - - - Pay transaction &fee - Заплатить ко&миссию - - - + Expert Настройки для опытных пользователей - + Whether to show coin control features or not. Показывать ли функции контроля монет или нет. - + Enable coin &control features Включить функции &контроля монет - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. При отключении траты неподтверждённой сдачи, сдача от транзакции не может быть использована до тех пор, пока у этой транзакции не будет хотя бы одно подтверждение. Это также влияет на то, как рассчитывается ваш баланс. - + &Spend unconfirmed change &Тратить неподтверждённую сдачу - + &Network &Сеть - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Автоматически открыть порт для клиента Dash на роутере. Работает только в том случае, если Ваш роутер поддерживает UPnP и данная функция включена. - + Map port using &UPnP Пробросить порт через &UPnP - Connect to the Dash network through a SOCKS proxy. - Подключаться к сети Dash через прокси SOCKS5. - - - &Connect through SOCKS proxy (default proxy): - &Подключаться через прокси SOCKS5 (прокси по умолчанию): - - - + Proxy &IP: &IP Прокси: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) IP-адрес прокси (например, IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: По&рт: - + Port of the proxy (e.g. 9050) Порт прокси-сервера (например, 9050) - SOCKS &Version: - &Версия SOCKS: - - - SOCKS version of the proxy (e.g. 5) - Версия SOCKS-прокси (например, 5) - - - + &Window &Окно - + Show only a tray icon after minimizing the window. После сворачивания окна показывать только иконку в системном лотке. - + &Minimize to the tray instead of the taskbar &Cворачивать в системный лоток вместо панели задач - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Сворачивать вместо закрытия. Если данная настройка будет выбрана, то приложение закроется только после выбора пункта меню Завершить. - + M&inimize on close С&ворачивать при закрытии - + &Display О&тображение - + User Interface &language: &Язык интерфейса: - + The user interface language can be set here. This setting will take effect after restarting Dash. Здесь можно выбрать язык интерфейса. Настройки вступят в силу после перезапуска Dash. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Нет Вашего языка или перевод неполон? Помогите нам сделать перевод лучше: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Тема интерфейса: - + &Unit to show amounts in: &Отображать суммы в единицах: - + Choose the default subdivision unit to show in the interface and when sending coins. Выберите единицу измерения монет при отображении и отправке. - Whether to show Dash addresses in the transaction list or not. - Показывать ли адреса Dash в списке транзакций или нет. - - - &Display addresses in transaction list - &Показывать адреса в списке транзакций - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. Сторонние URL (например, block explorer), которые отображаются на вкладке транзакций как пункты контекстного меню. %s в URL заменяется хэшем транзакции. URL отделяются друг от друга вертикальной чертой |. - + Third party transaction URLs Сторонние URL для транзакций - + Active command-line options that override above options: Активные параметры командной строки, которые перекрывают вышеуказанные настройки: - + Reset all client options to default. Сбросить все настройки клиента на значения по умолчанию. - + &Reset Options &Сбросить настройки - + &OK &OK - + &Cancel О&тмена - + default по умолчанию - + none нет - + Confirm options reset Подтвердите сброс настроек - - + + Client restart required to activate changes. Для применения изменений требуется перезапуск клиента. - + Client will be shutdown, do you want to proceed? Клиент будет выключен, хотите продолжить? - + This change would require a client restart. Это изменение потребует перезапуска клиента. - + The supplied proxy address is invalid. Адрес прокси неверен. @@ -1862,512 +1703,406 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Форма - Wallet - Бумажник - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. - Отображаемая информация может быть устаревшей. Ваш бумажник автоматически синхронизируется с сетью Dash после подключения, но этот процесс пока не завершён. + Отображаемая информация может быть устаревшей. Ваш кошелёк автоматически синхронизируется с сетью Dash после подключения, но этот процесс пока не завершён. - + Available: Доступно: - + Your current spendable balance Ваш текущий баланс, доступный для расходования - + Pending: В ожидании: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Общая сумма всех транзакций, которые до сих пор не подтверждены и еще не учитываются в балансе, доступном для расходования - + Immature: Незрелые: - + Mined balance that has not yet matured Баланс добытых монет, который ещё не созрел - + Balances - + Балансы - + Unconfirmed transactions to watch-only addresses - + Неподтвержденные транзакции на адреса для просмотра - + Mined balance in watch-only addresses that has not yet matured - + Баланс добытых монет на адресах для просмотра, который ещё не созрел - + Total: Итого: - + Your current total balance Ваш текущий общий баланс - + Current total balance in watch-only addresses - + Текущий полный баланс на адресах для просмотра - + Watch-only: - + Для просмотра: - + Your current balance in watch-only addresses - + Ваш текущий баланс на адресах для просмотра - + Spendable: - + Доступно для расхода: - + Status: Статус: - + Enabled/Disabled Включен/Выключен - + Completion: Завершение: - + Darksend Balance: Баланс Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Сумма и раунды: - + 0 DASH / 0 Rounds 0 DASH / 0 раундов - + Submitted Denom: Отправленные номиналы: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Номиналы, предоставленные Вами мастерноде. Для перемешивания другие пользователи должны предоставить точно такой же набор номиналов. - - - + n/a н/д - - - - + + + + Darksend Darksend - + Recent transactions - + Недавние транзакции - + Start/Stop Mixing Начать/остановить автоматическое перемешивание - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Номиналы, предоставленные Вами мастерноде.<br>Для перемешивания другие пользователи должны предоставить точно такой же набор номиналов. + + + (Last Message) (Последнее сообщение) - + Try to manually submit a Darksend request. Попробовать отправить Darksend-запрос вручную. - + Try Mix Попробовать вручную - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Сбросить текущий статус Darksend (можно прервать процесс перемешивания Darksend, но это может стоить Вам немного денег!) - + Reset Сбросить - <b>Recent transactions</b> - <b>Недавние транзакции</b> - - - - - + + + out of sync несинхронизировано - - - - + + + + Disabled Выключен - - - + + + Start Darksend Mixing Начать автоперемешивание - - + + Stop Darksend Mixing Остановить перемешивание - + No inputs detected Монеты не найдены + + + + + %n Rounds + + %n раунд + %n раунда + %n раундов + %n раундов + + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Найдены неподтвержденные номиналы, пересчет будет выполнен после их подтверждения. - - - Rounds - Раундов + + + Progress: %1% (inputs have an average of %2 of %n rounds) + + Прогресс: %1% (входы в среднем прошли %2 из %n раунда) + Прогресс: %1% (входы в среднем прошли %2 из %n раундов) + Прогресс: %1% (входы в среднем прошли %2 из %n раундов) + Прогресс: %1% (входы в среднем прошли %2 из %n раундов) + - + + Found enough compatible inputs to anonymize %1 + Найдено достаточно совместимых средств для анонимизации %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + Не достаточно совместимых средств для анонимизации <span style='color:red;'>%1</span>,<br/>будет анонимизировано только <span style='color:red;'>%2</span> + + + Enabled Включен - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Последнее сообщение Darksend: - - - Darksend is idle. - Darksend в режиме ожидания. - - - - Mixing in progress... - Выполняется перемешивание... - - - - Darksend request complete: Your transaction was accepted into the pool! - Запрос Darksend завершен: Ваша транзакция принята в пул! - - - - Submitted following entries to masternode: - Мастерноде отправлены следующие записи: - - - Submitted to masternode, Waiting for more entries - Отправлено мастерноде, ожидаем больше записей - - - - Found enough users, signing ... - Найдено достаточное количество участников, подписываем ... - - - Found enough users, signing ( waiting. ) - Найдено достаточное количество участников, подписываем ( ожидание. ) - - - Found enough users, signing ( waiting.. ) - Найдено достаточное количество участников, подписываем ( ожидание.. ) - - - Found enough users, signing ( waiting... ) - Найдено достаточное количество участников, подписываем ( ожидание.. ) - - - - Transmitting final transaction. - Передаем итоговую транзакцию. - - - - Finalizing transaction. - Завершаем транзакцию. - - - - Darksend request incomplete: - Запрос Darksend не завершен: - - - - Will retry... - Попробуем еще раз... - - - - Darksend request complete: - Запрос Darksend завершен: - - - Submitted to masternode, waiting in queue . - Отправлено на мастерноду, ожидаем в очереди . - - - Submitted to masternode, waiting in queue .. - Отправлено на мастерноду, ожидаем в очереди .. - - - Submitted to masternode, waiting in queue ... - Отправлено на мастерноду, ожидаем в очереди ... - - - - Unknown state: - Неизвестное состояние: - - - + N/A Н/Д - + Darksend was successfully reset. Статус Darksend был успешно сброшен. - + Darksend requires at least %1 to use. Для работы Darksend требуется минимум %1. - + Wallet is locked and user declined to unlock. Disabling Darksend. - Бумажник заблокирован и пользователь отказался его разблокировать. Darksend будет выключен. + Кошелёк заблокирован и пользователь отказался его разблокировать. Darksend будет выключен. PaymentServer - - - - - - + + + + + + Payment request error Ошибка запроса платежа - + Cannot start dash: click-to-pay handler Не удаётся запустить обработчик dash: click-to-pay - Net manager warning - Предупреждение менеджера сети - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Ваш активный прокси не поддерживает SOCKS5, требуемый для запросов платежа через прокси. - - - - - + + + URI handling Обработка URI - + Payment request fetch URL is invalid: %1 Неверный URL запроса платежа: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - Не удалось разобрать URI! Возможно указан некорректный адрес Dash либо параметры URI сформированы неверно. - - - + Payment request file handling Обработка файла запроса платежа - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Не удается прочесть файл запроса платежа! Возможно это некоректный файл. - - - + Invalid payment address %1 - Неверный адрес платежа %1 + Неверный адрес платежа %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + Не удалось разобрать URI! Возможно указан некорректный адрес Dash либо параметры URI сформированы неверно. - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Не удается прочесть либо разобрать файл запроса платежа! Возможно это некоректный файл. - - - + + + Payment request rejected - + Запрос платежа отклонен - + Payment request network doesn't match client network. - + Сеть запроса платежа не соответствует сети клиента. - + Payment request has expired. - + Время этого запроса платежа истекло. - + Payment request is not initialized. - + Запрос платежа не инициализирован. - + Unverified payment requests to custom payment scripts are unsupported. Непроверенные запросы платежей с нестандартными платёжными сценариями не поддерживаются. - + Requested payment amount of %1 is too small (considered dust). Запрошенная сумма платежа %1 слишком мала (считается "пылью"). - + Refund from %1 Возврат от %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Запрос платежа %1 слишком большой (%2 байт, разрешено %3 байт). - + Payment request DoS protection - + Защита от DoS через запрос платежа - + Error communicating with %1: %2 Ошибка связи с %1: %2 - + Payment request cannot be parsed! - + Не могу разобрать запрос платежа! - Payment request can not be parsed or processed! - Не могу разобрать или обработать запрос платежа! - - - + Bad response from server %1 Плохой ответ от сервера %1 - + Network request error Ошибка сетевого запроса - + Payment acknowledged Платёж принят @@ -2375,139 +2110,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Адрес/Имя хоста - + User Agent - + User Agent - + Ping Time - + Время пинга QObject - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Ошибка: Указанная папка данных "%1" не существует. - - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Ошибка: не могу прочитать файл настроек: %1. Используйте для настроек только строки ключ=значение. - - - - Error reading masternode configuration file: %1 - Ошибка чтения файла конфигурации мастернод: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Ошибка: недопустимая комбинация опций -regtest и -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core еще не завершил работу... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Введите адрес Dash (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Сумма + Сумма - + Enter a Dash address (e.g. %1) - + Введите адрес Dash (например, %1) - + %1 d - + %1 д - + %1 h - %1 ч + %1 ч - + %1 m - %1 мин + %1 м - + %1 s - + %1 с - + NETWORK - + СЕТЬ - + UNKNOWN - + НЕИЗВЕСТНО - + None - + Нет - + N/A - Н/Д + Н/Д - + %1 ms - + %1 мс QRImageWidget - + &Save Image... &Сохранить изображение... - + &Copy Image &Копировать изображение - + Save QR Code Сохранить QR-код - + PNG Image (*.png) Изображение PNG (*.png) @@ -2515,432 +2209,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Окно инструментов - + &Information &Информация - + Masternode Count Количество мастернод - + General Общие - + Name Имя - + Client name Имя клиента - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A Н/Д - + Number of connections Число подключений - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Открыть отладочный лог-файл Dash из текущего каталога данных. Для больших лог-файлов эта операция может занять несколько секунд. - + &Open &Открыть - + Startup time Время запуска - + Network Сеть - + Last block time Время последнего блока - + Debug log file Отладочный лог-файл - + Using OpenSSL version Используется версия OpenSSL - + Build date Дата сборки - + Current number of blocks Текущее количество блоков - + Client version Версия клиента - + Using BerkeleyDB version - + Используется версия BerkeleyDB - + Block chain Цепочка блоков - + &Console &Консоль - + Clear console Очистить консоль - + &Network Traffic Сетевой &трафик - + &Clear &Очистить - + Totals Всего - + Received - + Получено - + Sent - + Отправлено - + &Peers - + &Пиры - - - + + + Select a peer to view detailed information. - + Выберите пира для просмотра детализированной информации. - + Direction - + Направление - + Version - + Версия - + User Agent - + User Agent - + Services - + Сервисы - + Starting Height - + Начальная высота - + Sync Height - + Синхронизированная высота - + Ban Score - + Очки бана - + Connection Time - + Время соединения - + Last Send - + Последняя отправка - + Last Receive - + Последнее получение - + Bytes Sent - + Байт отправлено - + Bytes Received - + Байт получено - + Ping Time - + Время пинга - + + &Wallet Repair + Ремонт &кошелька + + + + Salvage wallet + Спасение кошелька + + + + Rescan blockchain files + Пересканировать цепочку блоков + + + + Recover transactions 1 + Восстановление транзакций 1 + + + + Recover transactions 2 + Восстановление транзакций 2 + + + + Upgrade wallet format + Обновить формат кошелька + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + С помощью этих кнопок Вы можете перезапустить кошелек с добавлением специальных команд для починки кошелька, исправления проблем с испорченными файлами блокчейна или пропавшими/конфликтующими транзакциями. + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + -salvagewallet: Попытаться восстановить закрытые ключи из повреждённого wallet.dat. + + + + -rescan: Rescan the block chain for missing wallet transactions. + -rescan: Перепроверить цепочку блоков на предмет отсутствующих в кошельке транзакций. + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + -zapwallettxes=1: Восстановить транзакции из цепочки блоков (сохранить мета-данные, например, о владельцах аккаунтов). + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + -zapwallettxes=2: Восстановить транзакции из цепочки блоков (удалить мета-данные). + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + -upgradewallet: Обновить формат кошелька при следующем запуске. (Примечание: обновление непосредственно клиент кошелька НЕ выполняется!) + + + + Wallet repair options. + Варианты ремонта кошелька. + + + + Rebuild index + Перестроить индекс + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + -reindex: Перестроить индекс цепочки блоков из текущих файлов blk000??.dat. + + + In: Вход: - + Out: Выход: - + Welcome to the Dash RPC console. Добро пожаловать в RPC-консоль Dash. - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Используйте стрелки вверх и вниз для просмотра истории и <b>Ctrl-L</b> для очистки экрана. - + Type <b>help</b> for an overview of available commands. Напишите <b>help</b> для просмотра доступных команд. - + %1 B %1 Б - + %1 KB %1 КБ - + %1 MB %1 МБ - + %1 GB %1 ГБ - + via %1 - + через %1 - - + + never - + никогда - + Inbound - + Входящие - + Outbound - + Исходящие - + Unknown - + Неизвестно - - + + Fetching... - - - - %1 m - %1 мин - - - %1 h - %1 ч - - - %1 h %2 m - %1 ч %2 мин + Обновление... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Повторно использовать один из ранее использованных адресов. Повторное использование адресов несёт риски безопасности и приватности. Не используйте эту опцию, если вы не создаёте повторно ранее сделанный запрос платежа. - + R&euse an existing receiving address (not recommended) &Повторно использовать существующий адрес получения (не рекомендуется) - - + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. Необязательное сообщение для запроса платежа, которое будет показано при открытии запроса. Обратите внимание: сообщение не будет отправлено вместе с платежом через сеть Dash. - + &Message: &Сообщение: - - + + An optional label to associate with the new receiving address. Необязательная метка для нового адреса получения. - + Use this form to request payments. All fields are <b>optional</b>. Заполните форму для запроса платежей. Все поля <b>необязательны</b>. - + &Label: &Метка: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Необязательная сумма для запроса. Оставьте пустым или укажите ноль, чтобы запросить неопределённую сумму. - + &Amount: &Сумма: - + &Request payment &Запросить платёж - + Clear all fields of the form. Очистить все поля формы. - + Clear Очистить - + Requested payments history История запрошенных платежей - + Show the selected request (does the same as double clicking an entry) Показать выбранный запрос (то же самое, что и двойной клик по записи) - + Show Показать - + Remove the selected entries from the list Удалить выбранные записи из списка - + Remove Удалить - + Copy label Копировать метку - + Copy message Копировать сообщение - + Copy amount Скопировать сумму @@ -2948,67 +2705,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code QR-код - + Copy &URI Копировать &URI - + Copy &Address Копировать &адрес - + &Save Image... &Сохранить изображение... - + Request payment to %1 Запросить платёж на %1 - + Payment information Информация платежа - + URI URI - + Address Адрес - + Amount Сумма - + Label Метка - + Message Сообщение - + Resulting URI too long, try to reduce the text for label / message. Получившийся URI слишком длинный, попробуйте сократить текст метки / сообщения. - + Error encoding URI into QR Code. Ошибка кодирования URI в QR-код. @@ -3016,37 +2773,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Дата - + Label Метка - + Message Сообщение - + Amount Сумма - + (no label) (нет метки) - + (no message) (нет сообщения) - + (no amount) (нет суммы) @@ -3054,412 +2811,401 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Отправка - + Coin Control Features Функции контроля монет - + Inputs... Входы... - + automatically selected выбраны автоматически - + Insufficient funds! Недостаточно средств! - + Quantity: Количество: - + Bytes: Байт: - + Amount: Сумма: - + Priority: Приоритет: - + medium средний - + Fee: Комиссия: - Low Output: - Малый выход: - - - + Dust: - + Пыль: - + no нет - + After Fee: После комиссии: - + Change: Сдача: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Если это выбрано, но адрес сдачи пустой или неверный, сдача будет отправлена на новый сгенерированный адрес. - + Custom change address Свой адрес для сдачи - + Transaction Fee: - + Комиссия транзакции: - + Choose... - + Выбрать... - + collapse fee-settings - + свернуть настройки комиссии - + Minimize - + Свернуть - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Если ручная комиссия установлена в 1000 duff, а транзакция по размеру только 250 байт, то плата "за килобайт" составит лишь 250 duff, в то время как "минимум" будет равна 1000 duff. Для транзакций больше килобайта в любом случае идет расчет "за килобайт". - + per kilobyte - + за килобайт - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + Если ручная комиссия установлена в 1000 duff, а транзакция по размеру только 250 байт, то плата "за килобайт" составит лишь 250 duff, в то время как "итого минимум" будет равна 1000 duff. Для тразакций больше килобайта в любом случае идет расчет "за килобайт". - + total at least - + итого минимум - - + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. - + Оплаты только минимальной комиссии должно быть достаточно во всех случаях, пока в блоках достаточно места. Однако, будьте готовы к тому, что транзакция может вовсе не получить подтверждения, если количество транзакций будет стабильно больше, чем сеть способна обработать. - + (read the tooltip) - + (прочтите всплывающую подсказку) - + Recommended: - + Рекомендовано: - + Custom: - + Вручную: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + (Расчет "умной" комиссии еще не доступен. Обычно требуется подождать несколько блоков...) - + Confirmation time: - + Время подтверждения: - + normal - + нормальный - + fast - + быстрый - + Send as zero-fee transaction if possible - + По возможности отправить как транзакцию с нулевой комиссией - + (confirmation may take longer) - + (подтверждение может занять больше времени) - + Confirm the send action Подтвердить отправку - + S&end &Отправить - + Clear all fields of the form. Очистить все поля формы. - + Clear &All Очистить &всё - + Send to multiple recipients at once Отправить нескольким получателям одновременно - + Add &Recipient &Добавить получателя - + Darksend Darksend - + InstantX InstantX - + Balance: Баланс: - + Copy quantity Копировать количество - + Copy amount Скопировать сумму - + Copy fee Копировать комиссию - + Copy after fee Копировать после комиссии - + Copy bytes Копировать байты - + Copy priority Копировать приоритет - Copy low output - Скопировать малый выход - - - + Copy dust - + Скопировать пыль - + Copy change Копировать сдачу - - - + + + using , используя - - + + anonymous funds анонимные средства - + (darksend requires this amount to be rounded up to the nearest %1). (для работы darksend требуется принудительно округлить до ближайшего %1). - + any available funds (not recommended) любые доступные средства (не рекомендуется) - + and InstantX и InstantX - - - - + + + + %1 to %2 С %1 на %2 - + Are you sure you want to send? Вы уверены, что хотите отправить? - + are added as transaction fee - добавлено в качестве комиссии + добавлено в качестве комиссии транзакции - + Total Amount %1 (= %2) Общая сумма %1 (= %2) - + or или - + Confirm send coins Подтвердите отправку монет - Payment request expired - Время этого запроса платежа истекло + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + Комиссия в %1 раз выше, чем %2 за kB считается "безумно высокой". + + + + Estimated to begin confirmation within %n block(s). + + Будет подтверждено приблизительно в течение %n блока. + Будет подтверждено приблизительно в течение %n блоков. + Будет подтверждено приблизительно в течение %n блоков. + Будет подтверждено приблизительно в течение %n блоков. + - Invalid payment address %1 - Неверный адрес платежа %1 - - - + The recipient address is not valid, please recheck. Адрес получателя неверный, пожалуйста, перепроверьте. - + The amount to pay must be larger than 0. Сумма для отправки должна быть больше 0. - + The amount exceeds your balance. Сумма превышает Ваш баланс. - + The total exceeds your balance when the %1 transaction fee is included. Сумма превысит Ваш баланс, если комиссия в размере %1 будет добавлена к транзакции. - + Duplicate address found, can only send to each address once per send operation. Обнаружен дублирующийся адрес. Отправка на один и тот же адрес возможна только один раз за одну операцию отправки. - + Transaction creation failed! Не удалось создать транзакцию! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Транзакция была отклонена! Такое может произойти, если некоторые монеты уже были потрачены, например, если Вы используете одну копию бумажника (wallet.dat), а монеты были потрачены из другой копии, но не были отмечены как потраченные в этой. + Транзакция была отклонена! Такое может произойти, если некоторые монеты уже были потрачены, например, если Вы используете одну копию кошелька (wallet.dat), а монеты были потрачены из другой копии, но не были отмечены как потраченные в этой. - + Error: The wallet was unlocked only to anonymize coins. - Ошибка: этот бумажник был разблокирован только для анонимизации монет. + Ошибка: этот кошелёк был разблокирован только для анонимизации монет. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Заплатить только минимальную комиссию %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Внимание: неверный адрес Dash - + Warning: Unknown change address Внимание: неизвестный адрес для сдачи - + (no label) (нет метки) @@ -3467,102 +3213,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Это нормальный платёж. - + Pay &To: Полу&чатель: - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Адрес, на который будет выслан платёж (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + Адрес Dash для отправки на него монет - + Choose previously used address Выбрать ранее использованный адрес - + Alt+A Alt+A - + Paste address from clipboard Вставить адрес из буфера обмена - + Alt+P Alt+P - - - + + + Remove this entry Удалить эту запись - + &Label: &Метка: - + Enter a label for this address to add it to the list of used addresses Введите метку для этого адреса, чтобы добавить его в список использованных - - - + + + A&mount: Ко&личество: - + Message: Сообщение: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. - К bitcoin: URI было прикреплено сообщение, которое будет сохранено вместе с транзакцией для вашего сведения. Обратите внимание: сообщение не будет отправлено через сеть Dash. + К dash: URI было прикреплено сообщение, которое будет сохранено вместе с транзакцией для вашего сведения. Обратите внимание: сообщение не будет отправлено через сеть Dash. - + This is an unverified payment request. Это непроверенный запрос платежа. - - + + Pay To: Получатель: - - + + Memo: Примечание: - + This is a verified payment request. Это проверенный запрос платежа. - + Enter a label for this address to add it to your address book Введите метку для данного адреса для добавления его в адресную книгу @@ -3570,12 +3312,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... Dash Core выключается... - + Do not shut down the computer until this window disappears. Не выключайте компьютер, пока это окно не исчезнет. @@ -3583,193 +3325,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Подписи - подписать/проверить сообщение - + &Sign Message &Подписать сообщение - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Вы можете подписывать сообщения своими адресами, чтобы доказать владение ими. Будьте осторожны, не подписывайте что-то неопределённое, так как фишинговые атаки могут обманным путём заставить вас подписать нежелательные сообщения. Подписывайте только те сообщения, с которыми вы согласны вплоть до мелочей. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Адрес, которым Вы хотите подписать сообщение (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + Адрес Dash, которым Вы хотите подписать сообщение - - + + Choose previously used address Выбрать ранее использованный адрес - - + + Alt+A Alt+A - + Paste address from clipboard Вставить адрес из буфера обмена - + Alt+P Alt+P - + Enter the message you want to sign here Введите сообщение для подписи - + Signature Подпись - + Copy the current signature to the system clipboard Скопировать текущую подпись в системный буфер обмена - + Sign the message to prove you own this Dash address Подписать сообщение, чтобы доказать владение этим адресом Dash - + Sign &Message Подписать &сообщение - + Reset all sign message fields Сбросить значения всех полей формы подписывания сообщений - - + + Clear &All Очистить &всё - + &Verify Message &Проверить сообщение - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Введите ниже адрес для подписи, сообщение (убедитесь, что переводы строк, пробелы, табы и т.п. в точности скопированы) и подпись, чтобы проверить сообщение. Убедитесь, что не скопировали лишнего в подпись, по сравнению с самим подписываемым сообщением, чтобы не стать жертвой атаки "man-in-the-middle". - + The Dash address the message was signed with - + Адрес Dash, которым было подписано сообщение - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Адрес, которым было подписано сообщение (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Проверить сообщение, чтобы убедиться, что оно было подписано указанным адресом Dash - + Verify &Message Проверить &сообщение - + Reset all verify message fields Сбросить все поля формы проверки сообщения - + Click "Sign Message" to generate signature Нажмите "Подписать сообщение" для создания подписи - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Введите адрес Dash (например, XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Введённый адрес неверен. - - - - + + + + Please check the address and try again. Пожалуйста, проверьте адрес и попробуйте ещё раз. - - + + The entered address does not refer to a key. Введённый адрес не связан с ключом. - + Wallet unlock was cancelled. - Разблокировка бумажника была отменена. + Разблокировка кошелька была отменена. - + Private key for the entered address is not available. Закрытый ключ для введённого адреса недоступен. - + Message signing failed. Не удалось подписать сообщение. - + Message signed. Сообщение подписано. - + The signature could not be decoded. Подпись не может быть раскодирована. - - + + Please check the signature and try again. Пожалуйста, проверьте подпись и попробуйте ещё раз. - + The signature did not match the message digest. Подпись не соответствует отпечатку сообщения. - + Message verification failed. Проверка сообщения не удалась. - + Message verified. Сообщение проверено. @@ -3777,27 +3507,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Версия %1 - + The Bitcoin Core developers Разработчики Bitcoin Core - + The Dash Core developers Разработчики Dash Core - + [testnet] [тестовая сеть] @@ -3805,7 +3535,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s КБ/сек @@ -3813,257 +3543,260 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) Будет открыто ещё %n блок Будет открыто ещё %n блока Будет открыто ещё %n блоков + Будет открыто ещё %n блоков - + Open until %1 Открыто до %1 - - - - + + + + conflicted в противоречии - + %1/offline (verified via instantx) %1/отключен (проверено через instantx) - + %1/confirmed (verified via instantx) %1/подтвержден (проверено через instantx) - + %1 confirmations (verified via instantx) %1 подтверждений (проверено через instantx) - + %1/offline %1/отключен - + %1/unconfirmed %1/не подтверждено - - + + %1 confirmations %1 подтверждений - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/отключен (верификация InstantX в процессе - %2 из %3 подписей) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/подтвержден (верификация InstantX в процессе - %2 из %3 подписей) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 подтверждений (верификация InstantX в процессе - %2 из %3 подписей) - + %1/offline (InstantX verification failed) %1/отключен (верификация InstantX завершилась неудачно) - + %1/confirmed (InstantX verification failed) %1/подтвержден (верификация InstantX завершилась неудачно) - + Status Статус - + , has not been successfully broadcast yet , ещё не было успешно разослано - + , broadcast through %n node(s) , разослано через %n узел , разослано через %n узла , разослано через %n узлов + , разослано через %n узлов - + Date Дата - + Source Источник - + Generated Сгенерированно - - - + + + From От - + unknown неизвестно - - - + + + To Для - + own address свой адрес - - + + watch-only - + для просмотра - + label метка - - - - - + + + + + Credit Кредит - + matures in %n more block(s) будет доступно через %n блок будет доступно через %n блока будет доступно через %n блоков + будет доступно через %n блоков - + not accepted не принято - - - + + + Debit Дебет - + Total debit - + Полный дебит - + Total credit - + Полный кредит - + Transaction fee Комиссия - + Net amount Чистая сумма - - + + Message Сообщение - + Comment Комментарий - + Transaction ID ID транзакции - + Merchant Продавец - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Сгенерированные монеты должны подождать %1 блоков, прежде чем они могут быть потрачены. Когда Вы сгенерировали этот блок, он был отправлен в сеть для добавления в цепочку блоков. Если он не попадёт в цепочку, его статус изменится на "не принят", и монеты будут недействительны. Это иногда происходит в случае, если другой узел сгенерирует блок на несколько секунд раньше вас. - + Debug information Отладочная информация - + Transaction Транзакция - + Inputs Входы - + Amount Сумма - - + + true истина - - + + false ложь @@ -4071,12 +3804,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Детали транзакции - + This pane shows a detailed description of the transaction Эта панель отображает детальное описание транзакции @@ -4084,170 +3817,167 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Дата - + Type Тип - + Address Адрес - - Amount - Сумма - - + Open for %n more block(s) Будет открыто ещё %n блок Будет открыто ещё %n блока Будет открыто ещё %n блоков + Будет открыто ещё %n блоков - + Open until %1 Открыто до %1 - + Offline Нет активных соединений с сетью - + Unconfirmed Неподтверждено - + Confirming (%1 of %2 recommended confirmations) Подтверждается (%1 из %2 рекомендованных подтверждений) - + Confirmed (%1 confirmations) Подтверждено (%1 подтверждений) - + Conflicted В противоречии - + Immature (%1 confirmations, will be available after %2) Незрелый (%1 подтверждений, будет доступен после %2) - + This block was not received by any other nodes and will probably not be accepted! Этот блок не был получен другими узлами и, возможно, не будет принят! - + Generated but not accepted Сгенерированно, но не подтверждено - + Received with Получено - + Received from Получено от - + Received via Darksend Получено через Darksend - + Sent to Отправлено - + Payment to yourself Отправлено себе - + Mined Добыто - + Darksend Denominate Перемешивание Darksend - + Darksend Collateral Payment Обеспечительный платеж Darksend - + Darksend Make Collateral Inputs Создание обеспечительных монет для Darksend - + Darksend Create Denominations Создание номиналов для Darksend - + Darksent Отправлено через Darksend - + watch-only - + для просмотра - + (n/a) (н/д) - + Transaction status. Hover over this field to show number of confirmations. Статус транзакции. Подведите курсор к нужному полю для того, чтобы увидеть количество подтверждений. - + Date and time that the transaction was received. Дата и время, когда транзакция была получена. - + Type of transaction. Тип транзакции. - + Whether or not a watch-only address is involved in this transaction. - + Участвовал ли адрес для просмотра в этой транзакции. - + Destination address of transaction. Адрес назначения транзакции. - + Amount removed from or added to balance. Сумма, снятая с баланса или добавленная на него. @@ -4255,207 +3985,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Все - + Today Сегодня - + This week На этой неделе - + This month В этом месяце - + Last month В прошлом месяце - + This year В этом году - + Range... Промежуток... - + + Most Common + Наиболее общие + + + Received with Получено на - + Sent to Отправлено на - + Darksent Отправлено через Darksend - + Darksend Make Collateral Inputs Создание обеспечительных монет для Darksend - + Darksend Create Denominations Создание номиналов для Darksend - + Darksend Denominate Перемешивание Darksend - + Darksend Collateral Payment Обеспечительный платеж Darksend - + To yourself Отправленные себе - + Mined Добытые - + Other Другое - + Enter address or label to search Введите адрес или метку для поиска - + Min amount Мин. сумма - + Copy address Копировать адрес - + Copy label Копировать метку - + Copy amount Скопировать сумму - + Copy transaction ID Скопировать ID транзакции - + Edit label Изменить метку - + Show transaction details Показать подробности транзакции - + Export Transaction History Экспортировать историю транзакций - + Comma separated file (*.csv) Текст, разделённый запятыми (*.csv) - + Confirmed Подтверждено - + Watch-only - + Для просмотра - + Date Дата - + Type Тип - + Label Метка - + Address Адрес - Amount - Сумма - - - + ID ID - + Exporting Failed Экспорт не удался - + There was an error trying to save the transaction history to %1. Произошла ошибка при сохранении истории транзакций в %1. - + Exporting Successful Экспорт успешно завершён - + The transaction history was successfully saved to %1. История транзакций была успешно сохранена в %1. - + Range: Промежуток от: - + to до @@ -4463,85 +4194,578 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + Размерность для показа сумм. Кликните для выбора другой размерности. WalletFrame - + No wallet has been loaded. - Не был загружен ни один бумажник. + Не был загружен ни один кошелёк. WalletModel - - + + + Send Coins Отправка - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX пока что не поддерживает такие большие суммы. На данный момент транзакции ограничены суммами до %n DASH. - InstantX пока что не поддерживает такие большие суммы. На данный момент транзакции ограничены суммами до %n DASH. - InstantX пока что не поддерживает такие большие суммы. На данный момент транзакции ограничены суммами до %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + InstantX пока что не поддерживает такие большие суммы. На данный момент транзакции ограничены суммами до %1 DASH. WalletView - + &Export &Экспорт - + Export the data in the current tab to a file Экспортировать данные из вкладки в файл - + Backup Wallet - Сделать резервную копию бумажника + Сделать резервную копию кошелька - + Wallet Data (*.dat) - Данные бумажника (*.dat) + Данные кошелька (*.dat) - + Backup Failed Резервное копирование не удалось - + There was an error trying to save the wallet data to %1. - Произошла ошибка при сохранении данных бумажника в %1. + Произошла ошибка при сохранении данных кошелька в %1. - + Backup Successful Резервное копирование успешно завершено - + The wallet data was successfully saved to %1. - Данные бумажника были успешно сохранены в %1. + Данные кошелька были успешно сохранены в %1. dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Привязаться к указанному адресу и всегда прослушивать только его. Используйте [хост]:порт для IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Не удалось установить блокировку на каталог данных %s. Возможно, Dash Core уже запущен. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + При отправке Darksend использует только деноминированные средства, возможно, Вам просто нужно анонимизировать немного больше монет. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Войти в режим регрессионного тестирования, в котором используется специальная цепочка, где блоки находятся мгновенно. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Ошибка: не удалось начать прослушивание входящих подключений (прослушивание вернуло ошибку %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Выполнить команду, когда приходит соответствующее сообщение о тревоге или наблюдается очень длинная альтернативная цепочка блоков (%s в команде заменяется на сообщение) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Выполнить команду, когда меняется транзакция в кошельке (%s в команде заменяется на TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Выполнить команду при появлении нового блока (%s в команде заменяется на хэш блока) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Найдены неподтверждённые номиналы, процесс продолжится после их подтверждения. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + В этом режиме -genproclimit определяет, сколько блоков генерируется немедленно. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX требует наличия средств с хотя бы 6 подтверждениями, возможно Вам нужно подождать пару минут и попробовать снова. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Имя для создания ссылки на запись KeePass, хранящую пароль к кошельку + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Запрашивать адреса участников с помощью DNS, если адресов мало (по умолчанию: 1, если не указан -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Указать внешний адрес:порт для доступа к этой мастерноде (например: адрес:порт) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Задать максимальный размер высокоприоритетных/низкокомиссионных транзакций в байтах (по умолчанию: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Задать число потоков проверки скрипта (от %u до %d, 0=авто, <0 = оставить столько ядер свободными, по умолчанию: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Это пре-релизная тестовая сборка - используйте на свой страх и риск - не используйте для добычи или торговых приложений + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Не удалось привязаться к %s на этом компьютере. Возможно, Dash Core уже запущен. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Не удалось обнаружить достаточных для выполнения этой транзакции номиналов Darksend. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Не удалось обнаружить достаточных для выполнения этой транзакции неденоминированных средств, отличающихся от 1000DRK. + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Не удалось обнаружить достаточных для выполнения этой транзакции неденоминированных средств. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Внимание: установлено очень большое значение -paytxfee. Это комиссия, которую Вы заплатите при проведении транзакции. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Внимание: похоже, что в сети нет полного согласия! Некоторый майнеры, возможно, испытывают проблемы. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Внимание: обнаружено несогласие с подключенными участниками! Вам или другим участникам, возможно, следует обновиться. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Внимание: ошибка чтения wallet.dat! Все ключи прочитаны верно, но данные транзакций или записи адресной книги могут отсутствовать или быть неправильными. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Внимание: wallet.dat повреждён, данные спасены! Оригинальный wallet.dat сохранён как wallet.{timestamp}.bak в %s. Если Ваш баланс или транзакции некорректны, Вы должны восстановить файл из резервной копии. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Необходимо указать masternodeprivkey в файле конфигурации. Пожалуйста, ознакомьтесь с документацией. + + + + (default: 1) + (по умолчанию: 1) + + + + Accept command line and JSON-RPC commands + Принимать командную строку и команды JSON-RPC + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Принимать подключения извне (по умолчанию: 1, если не используется -proxy или -connect) + + + + Add a node to connect to and attempt to keep the connection open + Добавить узел для подключения и пытаться поддерживать соединение открытым + + + + Allow DNS lookups for -addnode, -seednode and -connect + Разрешить поиск в DNS для -addnode, -seednode и -connect + + + + Already have that input. + Уже есть этот вход. + + + + Attempt to recover private keys from a corrupt wallet.dat + Попытаться восстановить закрытые ключи из повреждённого wallet.dat + + + + Block creation options: + Параметры создания блоков: + + + + Can't denominate: no compatible inputs left. + Разбиение на номиналы невозможно: не осталось совместимых монет. + + + + Cannot downgrade wallet + Не удаётся понизить версию кошелька + + + + Cannot resolve -bind address: '%s' + Не удаётся разрешить адрес в параметре -bind: '%s' + + + + Cannot resolve -externalip address: '%s' + Не удаётся разрешить адрес в параметре -externalip: '%s' + + + + Cannot write default address + Не удаётся записать адрес по умолчанию + + + + Collateral not valid. + Обеспечительная транзакция некорректна. + + + + Connect only to the specified node(s) + Подключаться только к указанному узлу(ам) + + + + Connect to a node to retrieve peer addresses, and disconnect + Подключиться к участнику, чтобы получить список адресов других участников, и отключиться + + + + Connection options: + Параметры подключения: + + + + Corrupted block database detected + База данных блоков повреждена + + + + Darksend is disabled. + Darksend выключен. + + + + Darksend options: + Параметры Darksend: + + + + Debugging/Testing options: + Параметры отладки/тестирования: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Определить свой IP (по умолчанию: 1 при прослушивании и если не используется -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Не загружать кошелёк и запретить обращения к нему через RPC + + + + Do you want to rebuild the block database now? + Перестроить базу данных блоков прямо сейчас? + + + + Done loading + Загрузка завершена + + + + Entries are full. + Очередь переполнена. + + + + Error initializing block database + Ошибка инициализации базы данных блоков + + + + Error initializing wallet database environment %s! + Ошибка инициализации окружения БД кошелька %s! + + + + Error loading block database + Ошибка загрузки базы данных блоков + + + + Error loading wallet.dat + Ошибка при загрузке wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Ошибка загрузки wallet.dat: кошелёк поврежден + + + + Error opening block database + Не удалось открыть базу данных блоков + + + + Error reading from database, shutting down. + Ошибка чтения базы данных, завершение работы. + + + + Error recovering public key. + Ошибка восстановления открытого ключа. + + + + Error + Ошибка + + + + Error: Disk space is low! + Ошибка: мало места на диске! + + + + Error: Wallet locked, unable to create transaction! + Ошибка: кошелёк заблокирован, создание транзакции невозможно! + + + + Error: You already have pending entries in the Darksend pool + Ошибка: у Вас уже есть ожидающие записи в пуле Darksend + + + + Failed to listen on any port. Use -listen=0 if you want this. + Не удалось начать прослушивание на порту. Используйте -listen=0, если вас это устраивает. + + + + Failed to read block + Ошибка чтения блока + + + + If <category> is not supplied, output all debugging information. + Если <category> не указана, то выводить всю отладочную информацию. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + (1 = сохранить мета-данные, например, о владельце аккаунта и информацию о запросе платежа, 2 = удалить мета-данные) + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + Разрешить соединения JSON-RPC с указанного источника . <ip> может быть отдельным IP (например, 1.2.3.4), подсетью/маской (например, 1.2.3.4/255.255.255.0) или подсетью/CIDR (e.g. 1.2.3.4/24). Эту опцию можно указывать несколько раз + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + Произошла ошибка при настройке прослушивания RPC на адресе %s порт %u: %s + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + Привязаться к указанному адресу и внести пиров, использующих его, в белый список. Используйте [хост]:порт для IPv6 + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + Привязаться к указанному адресу для прослушивания JSON-RPC соединений. Используйте [хост]:порт для IPv6. Эту опцию можно указывать несколько раз (по умолчанию: привязаться ко всем интерфейсам) + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + Изменить поведение автоматического голосования за итоговые бюджеты. Режим auto: Голосовать только за итоговый бюджет, совпадающий со сгенерированным мной. (строковое, по умолчанию: auto) + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + Постоянно ограничивать бесплатные транзакции до <n>*1000 байт в минуту (по умолчанию:%u) + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + Создавать новые файлы с разрешениями по умолчанию вместо umask 077 (актуально только с отключенной функциональностью кошелька) + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + Удалить все трансакции из кошелька и при рестарте с помощью -rescan восстановить только те, которые есть в цепочке блоков + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + Отключить всю функциональность, связанную с мастернодами и Darksend (0-1, по умолчанию: %u) + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + Распространяется под лицензией на программное обеспечение MIT, смотрите прилагаемый файл COPYING или <http://www.opensource.org/licenses/mit-license.php>. + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Включить instantx, показывать подтверждения для заблокированных транзакций (булевое, по умолчанию: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + Включить автоматическое перемешивание Darksend для средств, хранящихся в этом кошельке (0-1, по умолчанию: %u) + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + Ошибка: Обнаружен неподдерживаемый аргумент -socks. Выбор версии SOCKS больше невозможен, поддерживаются только прокси версии SOCKS5. + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + Комиссии (в DASH/Kb) меньше этого значения считаются нулевой для ретранслирования транзакции (по умолчанию: %s) + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + Комиссии (в DASH/Kb) меньше этого значения считаются нулевой (для создания транзакции) (по умолчанию: %s) + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + Сохранять активность базы данных из пула памяти в лог на диске каждые <n> мегабайт (по умолчанию: %u) + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + Насколько тщательна проверка контрольных блоков -checkblocks (0-4, по умолчанию: %u) + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + Если paytxfee не задано, то включить достаточно комиссии, чтобы подтверждение транзакций происходило в среднем за n блоков (по умолчанию: %u) + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + Некорректная сумма для -maxtxfee=<amount>: '%s' (должна быть минимум как комиссия minrelay - %s, чтобы предотвратить застревание транзакций) + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + Записывать в лог приоритет транзакции и комиссию за килобайт во время добычи блоков (по умолчанию: %u) + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + Держать полный индекс транзакций, используется rpc-вызовом getrawtransaction (по умолчанию: %u) + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + Максимальный размер данных в транзакциях передачи данных, который мы ретранслируем и добываем (по умолчанию: %u) + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + Максимальная сумма комиссии, допустимая в одной транзакции. Установка слишком низкого значения может привести к невозможности отправить большие транзакции (по умолчанию: %u) + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + Количество секунд, в течение которых запрещать переподключаться неправильно ведущим себя участникам (по умолчанию: %u) + + + + Output debugging information (default: %u, supplying <category> is optional) + Вывод отладочной информации (по умолчанию: %u, указание <category> необязательно) + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + Предоставлять ликвидность для Darksend путем редкого участия в перемешивании монет на постоянной основе (0-100, по умолчанию: %u, 1=очень часто, высокая комиссия, 100=очень редко, низкая комиссия) + + + + Require high priority for relaying free or low-fee transactions (default:%u) + Ретранслировать транзакций с нулевой или низкой комиссией, только если у них высокий приоритет (по умолчанию:%u) + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + Задать число потоков выполнения для генерации монет, если таковая включена (-1 = все ядра, по умолчанию: %d) + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + Показывать N подтверждений для успешно заблокированной транзакции (0-9999, по умолчанию: %u) + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + Этот продукт включает ПО, разработанное проектом OpenSSL Project для использования в OpenSSL Toolkit <https://www.openssl.org/>, криптографическое ПО, написанное Eric Young и ПО для работы с UPnP, написанное Thomas Bernard. + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4552,7 +4776,7 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, вы должны установить опцию rpcpassword в конфигурационном файле: + Для использования dashd или опции -server с dash-qt, вы должны установить опцию rpcpassword в конфигурационном файле: %s Рекомендуется использовать следующий случайный пароль: rpcuser=dashrpc @@ -4565,1345 +4789,909 @@ rpcpassword=%s - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Допустимое шифрование (по умолчанию: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + Использовать отдельный SOCKS5 прокси для подключения к участникам через скрытые сервисы Tor (по умолчанию: %s) - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Произошла ошибка при настройке прослушивания RPC порта %u на IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + Внимание: установлено очень большое значение -paytxfee! Комиссия такого размера может быть уплачена при проведении одельной транзакции. - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Произошла ошибка при настройке прослушивания RPC порта %u на IP6, откатываемся обратно на IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + Внимание: пожалуйста, убедитесь что дата и время на Вашем компьютере выставлены правильно! Dash Core не сможет работать корректно, если часы настроены неверно. - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Привязаться к указанному адресу и всегда прослушивать только его. Используйте [хост]:порт для IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + Внести пиров, соединяющихся с адресов с указанной маской либо IP адресов, в белый список. Опция может быть указана несколько раз. - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Не удалось установить блокировку на каталог данных %s. Возможно, Dash Core уже запущен. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + Пиры, внесенные в белый список, не будут подвергаться DoS блокировкам и их транзакции будут ретранслироваться, даже если они уже есть в пуле памяти, что полезно, например, для работы в качестве шлюза - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Постоянно ограничивать бесплатные транзакции до <n>*1000 байт в минуту (по умолчанию:15) + + (default: %s) + (по умолчанию: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - При отправке Darksend использует только деноминированные средства, возможно, Вам просто нужно анонимизировать немного больше монет. + + <category> can be: + + <category> может быть: + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Отключить всю функциональность, связанную с мастернодами и Darksend (0-1, по умолчанию: 0) + + Accept public REST requests (default: %u) + Принимать публичные REST-запросы (по умолчанию: %u) - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Включить instantx, показывать подтверждения для заблокированных транзакций (булевое, по умолчанию: true) + + Acceptable ciphers (default: %s) + Допустимые алгоритмы шифрования (по умолчанию: %s) - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Включить автоматическое перемешивание Darksend для средств, хранящихся в этом бумажнике (0-1, по умолчанию: 0) + + Always query for peer addresses via DNS lookup (default: %u) + Всегда запрашивать адреса участников через DNS (по умолчанию: %u) - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Перейти в регрессионный тестовый режим, в котором используется специальная цепочка с мгновенным нахождением блоков. Этот режим предназначен для инструментов регрессионного тестирования и разработки приложения. + + Cannot resolve -whitebind address: '%s' + Не удаётся разрешить адрес в параметре -whitebind: '%s' - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Войти в режим регрессионного тестирования, в котором используется специальная цепочка, где блоки находятся мгновенно. + + Connect through SOCKS5 proxy + Соединяться через SOCKS5 прокси - - Error: Listening for incoming connections failed (listen returned error %s) - Ошибка: не удалось начать прослушивание входящих подключений (прослушивание вернуло ошибку %s) + + Connect to KeePassHttp on port <port> (default: %u) + Соединяться c KeePassHttp по порту <port> (по умолчанию: %u) - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Ошибка: транзакция была отклонена! Это могло произойти в случае, если некоторые монеты в вашем бумажнике уже были потрачены, например, если вы используете копию wallet.dat, и монеты были использованы в копии, но не отмечены как потраченные здесь. + + Copyright (C) 2009-%i The Bitcoin Core Developers + Copyright (C) 2009-%i The Bitcoin Core Developers - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Ошибка: эта транзакция требует комиссию как минимум %s из-за суммы, сложности или использования недавно полученных средств! + + Copyright (C) 2014-%i The Dash Core Developers + Copyright (C) 2014-%i The Dash Core Developers - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Ошибка: Бумажник разблокирован только для анонимизации, создание транзакции невозможно. + + Could not parse -rpcbind value %s as network address + Не могу распознать сетевой адрес в значении %s параметра -rpcbind - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Выполнить команду, когда приходит соответствующее сообщение о тревоге или наблюдается очень длинная альтернативная цепочка блоков (%s в команде заменяется на сообщение) + + Darksend is idle. + Darksend в режиме ожидания. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Выполнить команду, когда меняется транзакция в бумажнике (%s в команде заменяется на TxID) + + Darksend request complete: + Запрос Darksend завершен: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Выполнить команду при появлении нового блока (%s в команде заменяется на хэш блока) + + Darksend request incomplete: + Запрос Darksend не завершен: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Комиссия меньше этого значения считается нулевой (для создания транзакции) (по умолчанию: + + Disable safemode, override a real safe mode event (default: %u) + Отменить безопасный режим, перекрывает реальные события о переходе в безопасный режим (по умолчанию: %u) - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Сохранять активность базы данных из пула памяти в лог на диске каждые <n> мегабайт (по умолчанию: 100) + + Enable the client to act as a masternode (0-1, default: %u) + Разрешить этому клиенту работать в качестве мастерноды (0-1, по умолчанию: %u) - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Найдены неподтверждённые номиналы, процесс продолжится после их подтверждения. - - - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Насколько тщательна проверка контрольных блоков -checkblocks (0-4, по умолчанию: 3) - - - - In this mode -genproclimit controls how many blocks are generated immediately. - В этом режиме -genproclimit определяет, сколько блоков генерируется немедленно. - - - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX требует наличия средств с хотя бы 6 подтверждениями, возможно Вам нужно подождать пару минут и попробовать снова. - - - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Слушать JSON-RPC соединения на порту <port> (по умолчанию: 9998 или testnet: 19998) - - - - Name to construct url for KeePass entry that stores the wallet passphrase - Имя для создания ссылки на запись KeePass, хранящую пароль к бумажнику - - - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Количество секунд, в течение которых запрещать переподключаться неправильно ведущим себя участникам (по умолчанию: 86400) - - - - Output debugging information (default: 0, supplying <category> is optional) - Вывод отладочной информации (по умолчанию: 0, указание <category> необязательно) - - - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Предоставлять ликвидность для Darksend путем редкого участия в перемешивании монет на постоянной основе (0-100, по умолчанию: 0, 1=очень часто, высокая комиссия, 100=очень редко, низкая комиссия) - - - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Запрашивать адреса участников с помощью DNS, если адресов мало (по умолчанию: 1, если не указан -connect) - - - - Set external address:port to get to this masternode (example: address:port) - Указать внешний адрес:порт для доступа к этой мастерноде (например: адрес:порт) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Задать максимальный размер высокоприоритетных/низкокомиссионных транзакций в байтах (по умолчанию: %d) - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Задать число потоков проверки скрипта (от %u до %d, 0=авто, <0 = оставить столько ядер свободными, по умолчанию: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Установить лимит процессоров для генерации монет (-1 = неограничено, по умолчанию: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Показывать N подтверждений для успешно заблокированной транзакции (0-9999, по умолчанию: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Это пре-релизная тестовая сборка - используйте на свой страх и риск - не используйте для добычи или торговых приложений - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Не удалось привязаться к %s на этом компьютере. Возможно, Dash Core уже запущен. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Не удалось обнаружить достаточных для выполнения этой транзакции номиналов Darksend. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Не удалось обнаружить достаточных для выполнения этой транзакции неденоминированных средств, отличающихся от 1000DRK. - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Не удалось обнаружить достаточных для выполнения этой транзакции неденоминированных средств. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Использовать отдельный SOCKS5 прокси для подключения к участникам через скрытые сервисы Tor (по умолчанию: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Внимание: установлено очень большое значение -paytxfee. Это комиссия, которую Вы заплатите при проведении транзакции. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Внимание: пожалуйста, убедитесь что дата и время на Вашем компьютере выставлены правильно! Dash не сможет работать корректно, если часы настроены неверно. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Внимание: похоже, что в сети нет полного согласия! Некоторый майнеры, возможно, испытывают проблемы. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Внимание: обнаружено несогласие с подключенными участниками! Вам или другим участникам, возможно, следует обновиться. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Внимание: ошибка чтения wallet.dat! Все ключи прочитаны верно, но данные транзакций или записи адресной книги могут отсутствовать или быть неправильными. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Внимание: wallet.dat повреждён, данные спасены! Оригинальный wallet.dat сохранён как wallet.{timestamp}.bak в %s. Если Ваш баланс или транзакции некорректны, Вы должны восстановить файл из резервной копии. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Вы должны установить rpcpassword=<password> в конфигурационном файле: -%s -Если файл не существует, то создайте его с разрешением на чтение только для владельца файла. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Необходимо указать masternodeprivkey в файле конфигурации. Пожалуйста, ознакомьтесь с документацией. - - - - (default: 1) - (по умолчанию: 1) - - - - (default: wallet.dat) - (по умолчанию: wallet.dat) - - - - <category> can be: - <category> может быть: - - - - Accept command line and JSON-RPC commands - Принимать командную строку и команды JSON-RPC - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Принимать подключения извне (по умолчанию: 1, если не используется -proxy или -connect) - - - - Add a node to connect to and attempt to keep the connection open - Добавить узел для подключения и пытаться поддерживать соединение открытым - - - - Allow DNS lookups for -addnode, -seednode and -connect - Разрешить поиск в DNS для -addnode, -seednode и -connect - - - - Allow JSON-RPC connections from specified IP address - Разрешить JSON-RPC соединения с указанного IP-адреса - - - - Already have that input. - Уже есть этот вход. - - - - Always query for peer addresses via DNS lookup (default: 0) - Всегда запрашивать адреса участников через DNS (по умолчанию: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Попытаться восстановить закрытые ключи из повреждённого wallet.dat - - - - Block creation options: - Параметры создания блоков: - - - - Can't denominate: no compatible inputs left. - Разбиение на номиналы невозможно: не осталось совместимых монет. - - - - Cannot downgrade wallet - Не удаётся понизить версию бумажника - - - - Cannot resolve -bind address: '%s' - Не удаётся разрешить адрес в параметре -bind: '%s' - - - - Cannot resolve -externalip address: '%s' - Не удаётся разрешить адрес в параметре -externalip: '%s' - - - - Cannot write default address - Не удаётся записать адрес по умолчанию - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Очистить список транзакций в бумажнике (диагностический инструмент; выполняет -rescan) - - - - Collateral is not valid. - Обеспечительная транзакция некорректна. - - - - Collateral not valid. - Обеспечительная транзакция некорректна. - - - - Connect only to the specified node(s) - Подключаться только к указанному узлу(ам) - - - - Connect through SOCKS proxy - Соединяться через SOCKS прокси - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Соединяться к JSON-RPC по порту <port> (по умолчанию: 9998 или testnet: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Соединяться c KeePassHttp по порту <port> (по умолчанию: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Подключиться к участнику, чтобы получить список адресов других участников, и отключиться - - - - Connection options: - Параметры подключения: - - - - Corrupted block database detected - База данных блоков повреждена - - - - Dash Core Daemon - Демон Dash Core - - - - Dash Core RPC client version - Версия RPC-клиента Dash Core - - - - Darksend is disabled. - Darksend выключен. - - - - Darksend options: - Параметры Darksend: - - - - Debugging/Testing options: - Параметры отладки/тестирования: - - - - Disable safemode, override a real safe mode event (default: 0) - Отменить безопасный режим, перекрывает реальные события о переходе в безопасный режим (по умолчанию: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Определить свой IP (по умолчанию: 1 при прослушивании и если не используется -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Не загружать бумажник и запретить обращения к нему через RPC - - - - Do you want to rebuild the block database now? - Перестроить базу данных блоков прямо сейчас? - - - - Done loading - Загрузка завершена - - - - Downgrading and trying again. - Откат к обычному перемешиванию и повторная попытка. - - - - Enable the client to act as a masternode (0-1, default: 0) - Разрешить этому клиенту работать в качестве мастерноды (0-1, по умолчанию: 0) - - - - Entries are full. - Очередь переполнена. - - - - Error connecting to masternode. + + Error connecting to Masternode. Ошибка соединения с мастернодой. - - Error initializing block database - Ошибка инициализации базы данных блоков + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Ошибка загрузки wallet.dat: кошелёк требует более новой версии Dash Core - - Error initializing wallet database environment %s! - Ошибка инициализации окружения БД бумажника %s! + + Error: A fatal internal error occured, see debug.log for details + Ошибка: Произошла критическая ошибка, подробности смотрите в файле debug.log - - Error loading block database - Ошибка загрузки базы данных блоков + + Error: Unsupported argument -tor found, use -onion. + Ошибка: Обнаружен неподдерживаемый параметр -tor, используйте -onion вместо него. - - Error loading wallet.dat - Ошибка при загрузке wallet.dat + + Fee (in DASH/kB) to add to transactions you send (default: %s) + Комиссии (в DASH/kB), добавляемая к отправляемым Вами транзакциям (по умолчанию: %s) - - Error loading wallet.dat: Wallet corrupted - Ошибка загрузки wallet.dat: бумажник поврежден + + Finalizing transaction. + Завершаем транзакцию. - - Error loading wallet.dat: Wallet requires newer version of Dash - Ошибка загрузки wallet.dat: бумажник требует более новой версии Dash + + Force safe mode (default: %u) + Принудительный безопасный режим (по умолчанию: %u) - - Error opening block database - Не удалось открыть базу данных блоков + + Found enough users, signing ( waiting %s ) + Найдено достаточное количество участников, подписываем ( ожидание %s ) - - Error reading from database, shutting down. - Ошибка чтения базы данных, завершение работы. + + Found enough users, signing ... + Найдено достаточное количество участников, подписываем ... - - Error recovering public key. - Ошибка восстановления открытого ключа. + + Generate coins (default: %u) + Генерировать монеты (по умолчанию: %u) - - Error - Ошибка + + How many blocks to check at startup (default: %u, 0 = all) + Сколько блоков проверять на старте (по умолчанию: %u, 0 = все) - - Error: Disk space is low! - Ошибка: мало места на диске! + + Ignore masternodes less than version (example: 70050; default: %u) + Игнорировать мастерноды, имеющие версию ниже указанной (например: 70050; по умолчанию: %u) - - Error: Wallet locked, unable to create transaction! - Ошибка: бумажник заблокирован, создание транзакции невозможно! - - - - Error: You already have pending entries in the Darksend pool - Ошибка: у Вас уже есть ожидающие записи в пуле Darksend - - - - Error: system error: - Ошибка: системная ошибка: - - - - Failed to listen on any port. Use -listen=0 if you want this. - Не удалось начать прослушивание на порту. Используйте -listen=0, если вас это устраивает. - - - - Failed to read block info - Ошибка чтения информации о блоке - - - - Failed to read block - Ошибка чтения блока - - - - Failed to sync block index - Ошибка синхронизации индекса блока - - - - Failed to write block index - Ошибка записи индекса блока - - - - Failed to write block info - Ошибка записи информации о блоке - - - - Failed to write block - Ошибка записи блока - - - - Failed to write file info - Ошибка записи информации о файле - - - - Failed to write to coin database - Ошибка записи в базу данных монет - - - - Failed to write transaction index - Ошибка записи индекса транзакции - - - - Failed to write undo data - Ошибка записи данных для отмены - - - - Fee per kB to add to transactions you send - Комиссия за кБ, добавляемая к отправляемым Вами транзакциями - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Комиссия меньше этого значения считается нулевой (для создания транзакции) (по умолчанию: - - - - Force safe mode (default: 0) - Принудительный безопасный режим (по умолчанию: 0) - - - - Generate coins (default: 0) - Генерировать монеты (по умолчанию: 0) - - - - Get help for a command - Получить помощь по команде - - - - How many blocks to check at startup (default: 288, 0 = all) - Сколько блоков проверять на старте (по умолчанию: 288, 0 = все) - - - - If <category> is not supplied, output all debugging information. - Если <category> не предоставлена, выводить всю отладочную информацию. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Игнорировать мастерноды, имеющие версию ниже указанной (например: 70050; по умолчанию: 0) - - - + Importing... Импорт ... - + Imports blocks from external blk000??.dat file Импортировать блоки из внешнего файла blk000??.dat - + + Include IP addresses in debug output (default: %u) + Писать IP-адреса в отладочный вывод (по умолчанию: %u) + + + Incompatible mode. Несовместимый режим. - + Incompatible version. Несовместимая версия. - + Incorrect or no genesis block found. Wrong datadir for network? Неверный или отсутствующий начальный блок. Неправильный каталог данных для сети? - + Information Информация - + Initialization sanity check failed. Dash Core is shutting down. Проверка на непротиворечивость закончилась неудачно. Dash Core выключается. - + Input is not valid. Вход некорректен. - + InstantX options: Параметры InstantX: - + Insufficient funds Недостаточно средств - + Insufficient funds. Недостаточно средств. - + Invalid -onion address: '%s' Неверный -onion адрес: '%s' - + Invalid -proxy address: '%s' Неверный адрес -proxy: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Неверная сумма в параметре -maxtxfee=<amount>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' - Неверная сумма в параметре -minrelaytxfee=<кол-во>: '%s' + Неверная сумма в параметре -minrelaytxfee=<amount>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' - Неверная сумма в параметре -mintxfee=<кол-во>: '%s' + Неверная сумма в параметре -mintxfee=<amount>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Неверная сумма в параметре -paytxfee=<amount>: '%s' (должна быть минимум %s) + + + Invalid amount for -paytxfee=<amount>: '%s' - Неверная сумма в параметре -paytxfee=<кол-во>: '%s' + Неверная сумма в параметре -paytxfee=<amount>: '%s' - - Invalid amount - Неверная сумма + + Last successful Darksend action was too recent. + Последнее успешное действие Darksend было слишком недавно. - + + Limit size of signature cache to <n> entries (default: %u) + Ограничить размер кэша подписей до <n> записей (по умолчанию: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + Слушать JSON-RPC соединения на порту <port> (по умолчанию: %u или testnet: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + Принимать входящие подключения на порт <port> (по умолчанию: %u или testnet: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Заблокировать средства мастернод, указанных в настроечном файле (по умолчанию: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Поддерживать не более <n> подключений к узлам (по умолчанию: %u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + Максимальный размер буфера приёма на одно соединение, <n>*1000 байт (по умолчанию: %u) + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + Максимальный размер буфера отправки на соединение, <n>*1000 байт (по умолчанию: %u) + + + + Mixing in progress... + Выполняется перемешивание... + + + + Need to specify a port with -whitebind: '%s' + Для параметра -whitebind нужно указать порт: '%s' + + + + No Masternodes detected. + Мастерноды не найдены. + + + + No compatible Masternode found. + Отсутствуют совместимые мастерноды. + + + + Not in the Masternode list. + Отсутствует в списке мастернод. + + + + Number of automatic wallet backups (default: 10) + Количество автоматических резервных копий кошелька (по умолчанию: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + Принимать цепочку блоков только в том случае, если она соответствует встроенным контрольным точкам (по умолчанию: %u) + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Соединяться только по сети <net> (ipv4, ipv6 или onion) + + + + Prepend debug output with timestamp (default: %u) + Дописывать в начало отладочного вывода отметки времени (по умолчанию: %u) + + + + Run a thread to flush wallet periodically (default: %u) + Запустить поток для периодического сохранения кошелька (по умолчанию: %u) + + + + Send transactions as zero-fee transactions if possible (default: %u) + По возможности отправлять транзакции с нулевой комиссией (по умолчанию: %u) + + + + Server certificate file (default: %s) + Файл сертификата сервера (по умолчанию: %s) + + + + Server private key (default: %s) + Закрытый ключ сервера (по умолчанию: %s) + + + + Session timed out, please resubmit. + Сессия прекращена по тайм-ауту, пожалуйста, отправьте заново. + + + + Set key pool size to <n> (default: %u) + Установить размер пула ключей в <n> (по умолчанию: %u) + + + + Set minimum block size in bytes (default: %u) + Установить минимальный размер блока в байтах (по умолчанию: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Задать число потоков выполнения запросов RPC (по умолчанию: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + Установить флаг DB_PRIVATE в окружении базы данных кошелька (по умолчанию: %u) + + + + Specify configuration file (default: %s) + Указать конфигурационный файл (по умолчанию: %s) + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + Указать тайм-аут соединения в миллисекундах (минимально: 1, по умолчанию: %d) + + + + Specify masternode configuration file (default: %s) + Указать конфигурационный файл для мастернод (по умолчанию: %s) + + + + Specify pid file (default: %s) + Указать pid-файл (по умолчанию: %s) + + + + Spend unconfirmed change when sending transactions (default: %u) + Тратить неподтвержденную сдачу при отправке транзакций (по умолчанию: %u) + + + + Stop running after importing blocks from disk (default: %u) + Закрыть приложение после завершения импорта блоков с диска (по умолчанию: %u) + + + + Submitted following entries to masternode: %u / %d + Мастерноде отправлены следующие записи: %u / %d + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + Отправлено мастерноде, ожидаем больше записей ( %u / %d ) %s + + + + Submitted to masternode, waiting in queue %s + Отправлено на мастерноду, ожидаем в очереди %s + + + + This is not a Masternode. + Это не мастернода. + + + + Threshold for disconnecting misbehaving peers (default: %u) + Порог для отключения некорректно ведущих себя пиров (по умолчанию: %u) + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + Использовать интеграцию с KeePass 2 через плагин KeePassHttp (по умолчанию: %u) + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + Использовать N отдельных мастернод для анонимизации средств (2-8, по умолчанию: %u) + + + + Use UPnP to map the listening port (default: %u) + Использовать UPnP для проброса порта (по умолчанию: %u) + + + + Wallet needed to be rewritten: restart Dash Core to complete + Необходимо перезаписать кошелёк: перезапустите Dash Core для завершения операции + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + Внимание: Опция -benchmark проигнорирована, используйте -debug=bench вместо нее. + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + Внимание: опция -debugnet проигнорирована, используйте -debug=net вместо нее. + + + + Will retry... + Попробуем еще раз... + + + Invalid masternodeprivkey. Please see documenation. Неправильное значение masternodeprivkey. Пожалуйста, ознакомьтесь с документацией. - + + Invalid netmask specified in -whitelist: '%s' + В параметре -whitelist указана некорректная маска: '%s' + + + Invalid private key. Некорректный закрытый ключ. - + Invalid script detected. Обнаружен некорректный скрипт. - + KeePassHttp id for the established association Идентификатор KeePassHttp для установленной ассоциации - + KeePassHttp key for AES encrypted communication with KeePass Ключ KeePassHttp для зашифрованной коммуникации с KeePass - - Keep N dash anonymized (default: 0) - Держать N дашей анонимизированными (по умолчанию: 0) + + Keep N DASH anonymized (default: %u) + Держать N DASH анонимизированными (по умолчанию: %u) - - Keep at most <n> unconnectable blocks in memory (default: %u) - Хранить максимум <n> несоединённых блоков в памяти (по умолчанию: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Держать в памяти до <n> несвязных транзакций (по умолчанию: %u) - + Last Darksend was too recent. Последнее действие Darksend было слишком недавно. - - Last successful darksend action was too recent. - Последнее успешное действие Darksend было слишком недавно. - - - - Limit size of signature cache to <n> entries (default: 50000) - Ограничить размер кэша подписей до <n> записей (по умолчанию: 50000) - - - - List commands - Вывести команды - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Принимать входящие подключения на порт <port> (по умолчанию: 9999 или testnet:19999) - - - + Loading addresses... Загрузка адресов... - + Loading block index... Загрузка индекса блоков... - + + Loading budget cache... + Загрузка кэша бюджетов... + + + Loading masternode cache... - + Загрузка кэша мастернод... - Loading masternode list... - Загрузка списка мастернод... - - - + Loading wallet... (%3.2f %%) - Загрузка бумажника... (%3.2f %%) + Загрузка кошелька... (%3.2f %%) - + Loading wallet... - Загрузка бумажника... + Загрузка кошелька... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Записывать в лог приоритет транзакции и комиссию за килобайт во время добычи блоков (по умолчанию: 0) - - - - Maintain a full transaction index (default: 0) - Держать полный индекс транзакций (по умолчанию: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Поддерживать не более <n> подключений к узлам (по умолчанию: 125) - - - + Masternode options: Параметры мастерноды: - + Masternode queue is full. Очередь на мастерноде переполнена. - + Masternode: Мастернода: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Максимальный размер буфера приёма на одно соединение, <n>*1000 байт (по умолчанию: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Максимальный размер буфера отправки на соединение, <n>*1000 байт (по умолчанию: 1000) - - - + Missing input transaction information. Отсутствует информация о входной транзакции. - - No compatible masternode found. - Отсутствуют совместимые мастерноды. - - - + No funds detected in need of denominating. Не обнаружено средств для дальнейшего разбиения на номиналы. - - No masternodes detected. - Ни одной мастерноды не найдено. - - - + No matching denominations found for mixing. Отсутствуют совпадающие для перемешивания номиналы. - + + Node relay options: + Параметры ретрансляции узла: + + + Non-standard public key detected. Обнаружен нестандартный открытый ключ. - + Not compatible with existing transactions. Не совместимо с существующими транзакциями. - + Not enough file descriptors available. Недостаточно файловых дескрипторов. - - Not in the masternode list. - Отсутствует в списке мастернод. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Принимать цепочку блоков только в том случае, если она соответствует встроенным контрольным точкам (по умолчанию: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Соединяться только по сети <net> (ipv4, ipv6 или Tor) - - - + Options: Параметры: - + Password for JSON-RPC connections Пароль для подключений JSON-RPC - - Prepend debug output with timestamp (default: 1) - Дописывать в начало отладочного вывода отметки времени (по умолчанию: 1) - - - - Print block on startup, if found in block index - Печатать блок при запуске, если он найден в индексе блоков - - - - Print block tree on startup (default: 0) - Печатать дерево блоков при запуске (по умолчанию: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Параметры RPC SSL: (см. Bitcoin вики для инструкций по настройке SSL) - - RPC client options: - Параметры RPC-клиента: - - - + RPC server options: Параметры сервера RPC: - + + RPC support for HTTP persistent connections (default: %d) + Поддержка RPC для постоянных соединений HTTP (по умолчанию: %d) + + + Randomly drop 1 of every <n> network messages Случайно отбрасывать 1 из каждых <n> сетевых сообщений - + Randomly fuzz 1 of every <n> network messages Случайно разбрасывать 1 из каждых <n> сетевых сообщений - + Rebuild block chain index from current blk000??.dat files Перестроить индекс цепочки блоков из текущих файлов blk000??.dat - - Rescan the block chain for missing wallet transactions - Перепроверить цепочку блоков на предмет отсутствующих в бумажнике транзакций + + Relay and mine data carrier transactions (default: %u) + Ретрансляция и создание транзакций передачи данных (по умолчанию: %u) - + + Relay non-P2SH multisig (default: %u) + Ретрансляция не-P2SH multisig (по умолчанию: %u) + + + + Rescan the block chain for missing wallet transactions + Перепроверить цепочку блоков на предмет отсутствующих в кошельке транзакций + + + Rescanning... Сканирование... - - Run a thread to flush wallet periodically (default: 1) - Запустить поток для периодического сохранения бумажника (по умолчанию: 1) - - - + Run in the background as a daemon and accept commands Запускаться в фоне как демон и принимать команды - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Параметры SSL: (см. Bitcoin вики для инструкций по настройке SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Выбор версии SOCKS для прокси (4 или 5, по умолчанию: 5) - - - - Send command to Dash Core - Отправить команду Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Отправляет команду ноде, работающей на IP-адресе <ip> (по умолчанию: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Выводить информацию трассировки/отладки на консоль вместо файла debug.log - - Server certificate file (default: server.cert) - Файл сертификата сервера (по умолчанию: server.cert) - - - - Server private key (default: server.pem) - Закрытый ключ сервера (по умолчанию: server.pem) - - - + Session not complete! Сессия не закончена! - - Session timed out (30 seconds), please resubmit. - Сессия прекращена по тайм-ауту (30 секунд), пожалуйста, отправьте заново. - - - + Set database cache size in megabytes (%d to %d, default: %d) Установить размер кэша БД в мегабайтах(от %d до %d, по умолчанию: %d) - - Set key pool size to <n> (default: 100) - Установить размер пула ключей в <n> (по умолчанию: 100) - - - + Set maximum block size in bytes (default: %d) Установить максимальный размер блока в байтах (по умолчанию: %d) - - Set minimum block size in bytes (default: 0) - Установить минимальный размер блока в байтах (по умолчанию: 0) - - - + Set the masternode private key Установить закрытый ключ мастерноды - - Set the number of threads to service RPC calls (default: 4) - Задать число потоков выполнения запросов RPC (по умолчанию: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Установить флаг DB_PRIVATE в окружении базы данных бумажника (по умолчанию: 1) - - - + Show all debugging options (usage: --help -help-debug) Показать все отладочные параметры (использование: --help -help-debug) - - Show benchmark information (default: 0) - Показывать информацию бенчмарка (по умолчанию: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Сжимать файл debug.log при запуске клиента (по умолчанию: 1, если нет -debug) - + Signing failed. Подписание завершилось неудачно. - + Signing timed out, please resubmit. Подписание прекращено по тайм-ауту, пожалуйста, отправьте заново. - + Signing transaction failed - Подписание транзакции завершилось неудачно. + Подписание транзакции завершилось неудачно - - Specify configuration file (default: dash.conf) - Указать конфигурационный файл (по умолчанию: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Указать тайм-аут соединения в миллисекундах (по умолчанию: 5000) - - - + Specify data directory Задать каталог данных - - Specify masternode configuration file (default: masternode.conf) - Указать конфигурационный файл для мастернод (по умолчанию: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Указать pid-файл (по умолчанию: dashd.pid) - - - + Specify wallet file (within data directory) - Укажите файл бумажника (внутри каталога данных) + Укажите файл кошелька (внутри каталога данных) - + Specify your own public address Укажите Ваш собственный публичный адрес - - Spend unconfirmed change when sending transactions (default: 1) - Тратить неподтвержденную сдачу при отправке транзакций (по умолчанию: 1) - - - - Start Dash Core Daemon - Запустить демона Dash Core - - - - System error: - Системная ошибка: - - - + This help message Эта справка - + + This is experimental software. + Это экспериментальное ПО. + + + This is intended for regression testing tools and app development. Это рассчитано на инструменты регрессионного тестирования и разработку приложений. - - This is not a masternode. - Это не мастернода. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Порог для отключения неправильно ведущих себя участников (по умолчанию: 100) - - - - To use the %s option - Чтобы использовать параметр %s - - - + Transaction amount too small Сумма транзакции слишком мала - + Transaction amounts must be positive Сумма транзакции должна быть положительна - + Transaction created successfully. Создание транзакции прошло успешно. - + Transaction fees are too high. Комиссия по транзакции слишком большая. - + Transaction not valid. Транзакция некорректна. - + + Transaction too large for fee policy + Транзакция слишком большая для установленных ограничений комиссии + + + Transaction too large Транзакция слишком большая - + + Transmitting final transaction. + Передаем итоговую транзакцию. + + + Unable to bind to %s on this computer (bind returned error %s) Невозможно привязаться к %s на этом компьютере (привязка вернула ошибку %s) - - Unable to sign masternode payment winner, wrong key? - Невозможно подписать сообщение о мастерноде-победителе. Неправильный ключ? - - - + Unable to sign spork message, wrong key? Не удалось подписать spork-сообщение. Неправильный ключ? - - Unknown -socks proxy version requested: %i - Запрошена неизвестная версия -socks прокси: %i - - - + Unknown network specified in -onlynet: '%s' В параметре -onlynet указана неизвестная сеть: '%s' - + + Unknown state: id = %u + Неизвестное состояние: id = %u + + + Upgrade wallet to latest format - Обновить бумажник до последнего формата + Обновить кошелёк до последнего формата - - Usage (deprecated, use dash-cli): - Использование (устарело, используйте dash-cli): - - - - Usage: - Использование: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Использовать интеграцию с KeePass 2 через плагин KeePassHttp (по умолчанию: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Использовать N отдельных мастернод для анонимизации средств (2-8, по умолчанию: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Использовать OpenSSL (https) для подключений JSON-RPC - - Use UPnP to map the listening port (default: 0) - Использовать UPnP для проброса порта (по умолчанию: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Использовать UPnP для проброса порта (по умолчанию: 1, если используется прослушивание) - + Use the test network Использовать тестовую сеть - + Username for JSON-RPC connections Имя для подключений JSON-RPC - + Value more than Darksend pool maximum allows. Превышено значение допустимой для пула Darksend суммы. - + Verifying blocks... Проверка блоков... - + Verifying wallet... - Проверка бумажника... + Проверка кошелька... - - Wait for RPC server to start - Дождаться старта RPC сервера - - - + Wallet %s resides outside data directory %s - Бумажник %s располагается вне каталога данных %s + Кошелёк %s располагается вне каталога данных %s - + Wallet is locked. - Бумажник заблокирован. + Кошелёк заблокирован. - - Wallet needed to be rewritten: restart Dash to complete - Необходимо перезаписать бумажник: перезапустите Dash для завершения операции - - - + Wallet options: - Параметры бумажника: + Параметры кошелька: - + Warning Внимание - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Внимание: опция -debugnet устарела и проигнорирована, используйте -debug=net - - - + Warning: This version is obsolete, upgrade required! Внимание: эта версия устарела, требуется обновление! - + You need to rebuild the database using -reindex to change -txindex Вам необходимо пересобрать базы данных с помощью -reindex, чтобы изменить -txindex - + + Your entries added successfully. + Ваши записи успешно добавлены. + + + + Your transaction was accepted into the pool! + Ваша транзакция принята в пул! + + + Zapping all transactions from wallet... Удаление всех транзакций из кошелька... - + on startup при запуске - - version - версия - - - + wallet.dat corrupt, salvage failed wallet.dat повреждён, спасение данных не удалось diff --git a/src/qt/locale/dash_vi.ts b/src/qt/locale/dash_vi.ts index cd5da22e8..6203cfdee 100644 --- a/src/qt/locale/dash_vi.ts +++ b/src/qt/locale/dash_vi.ts @@ -1,202 +1,141 @@ - - - - - AboutDialog - - - About Dash Core - Giới thiệu về Dash Core - - - - <b>Dash Core</b> version - <b>Dash Core</b> phiên bản - - - - Copyright &copy; 2009-2014 The Bitcoin Core developers. -Copyright &copy; 2014-YYYY The Dash Core developers. - Bản quyền &copy; 2009-2014 Nhóm phát triển Bitcoin Core. -Bản quyền &copy; 2014-YYYY Nhóm phát triển Dash Core. - - - - -This is experimental software. - -Distributed under the MIT/X11 software license, see the accompanying file COPYING or http://www.opensource.org/licenses/mit-license.php. - -This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit (http://www.openssl.org/) and cryptographic software written by Eric Young (eay@cryptsoft.com) and UPnP software written by Thomas Bernard. - -Đây là phần mềm thử nghiệm. - -Phát hành dưới giấy phép phần mềm MIT/X11, hãy xem file đi kèm theo đây hoặc http://www.opensource.org/licenses/mit-license.php. - -Sản phẩm này bao gồm phần mềm được phát triển bởi dự án OpenSSL cho việc sử dụng trong bộ công cụ OpenSSL Toolkit (http://www.openssl.org/) và phần mềm mã hoá được viết bởi Eric Young (eay@cryptsoft.com) và phần mềm UPnP được viết bởi Thomas Bernard. - - - Copyright - Bản quyền - - - The Bitcoin Core developers - Nhóm phát triển Bitcoin Core - - - The Dash Core developers - Nhóm phát triển Dash Core - - - (%1-bit) - (%1-bit) - - + AddressBookPage - Double-click to edit address or label - Nháy đúp để sửa địa chỉ hoặc nhãn - - - + Right-click to edit address or label - + Bấm phải chuột để sửa địa chỉ hoặc nhãn - + Create a new address Tạo một địa chỉ mới - + &New &Mới - + Copy the currently selected address to the system clipboard Chép địa chỉ đã được chọn vào vùng đệm clipboard - + &Copy &Sao chép - + Delete the currently selected address from the list Xoá địa chỉ đang được chọn khỏi danh sách - + &Delete &Xoá - + Export the data in the current tab to a file Kết xuất dữ liệu trong tab này sang một file - + &Export &Kết xuất - + C&lose Đó&ng - + Choose the address to send coins to Chọn địa chỉ để gửi tiền đến - + Choose the address to receive coins with Chọn địa chỉ để nhận tiền - + C&hoose C&họn - + Sending addresses Đia chỉ gửi - + Receiving addresses Địa chỉ nhận - + These are your Dash addresses for sending payments. Always check the amount and the receiving address before sending coins. Đây là các địa chỉ Dash của bạn để gửi thanh toán. Luôn luôn kiểm tra số tiền và địa chỉ nhận trước khi bạn gửi tiền. - + These are your Dash addresses for receiving payments. It is recommended to use a new receiving address for each transaction. Đây là các địa chỉ Dash của bạn để nhận thanh toán. Gợi ý là sử dụng một địa chỉ nhận mới cho mỗi giao dịch. - + &Copy Address &Sao chép Địa chỉ - + Copy &Label Sao chép &Nhãn - + &Edit &Sửa - + Export Address List Kết xuất danh sách Địa chỉ - + Comma separated file (*.csv) File định dạng phân cách bởi dấu phẩy (*.csv) - + Exporting Failed Kết xuất không thành công - + There was an error trying to save the address list to %1. Please try again. - - - - There was an error trying to save the address list to %1. - Có một lỗi xảy ra khi lưu danh sách địa chỉ vào %1. + Có lỗi xảy ra khi lưu các địa chỉ vào %1. Hãy thử lại. AddressTableModel - + Label Nhãn - + Address Địa chỉ - + (no label) (không có nhãn) @@ -204,154 +143,150 @@ Sản phẩm này bao gồm phần mềm được phát triển bởi dự án O AskPassphraseDialog - + Passphrase Dialog Khung hội thoại mật khẩu - + Enter passphrase Mời nhập mật khẩu - + New passphrase Mật khẩu mới - + Repeat new passphrase Nhập lại mật khẩu mới - + Serves to disable the trivial sendmoney when OS account compromised. Provides no real security. Phục vụ để tắt tính năng chuyển tiền vô giá trị khi tài khoản của hệ điều hành bị xâm nhập. Không cung cấp đủ an ninh thực sự. - + For anonymization only Chỉ dùng cho mục đích vô danh - Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>10 or more random characters</b>, or <b>eight or more words</b>. - Nhập mật khẩu mới cho ví. <br/>Hãy sử dụng mật khẩu có <b>10 các ký tự ngẫu nhiên hoặc nhiều hơn</b>, hay <b>8 từ hoặc nhiều hơn</b>. - - - + Enter the new passphrase to the wallet.<br/>Please use a passphrase of <b>ten or more random characters</b>, or <b>eight or more words</b>. - + Nhập mật khẩu mới cho ví. <br/>Hãy sử dụng mật khẩu có <b>10 hoặc hơn các ký tự ngẫu nhiên</b>, hay <b>8 từ hoặc nhiều hơn</b>. - + Encrypt wallet Mã hoá ví - + This operation needs your wallet passphrase to unlock the wallet. Công việc này cần mật khẩu ví của bạn để mở khoá ví. - + Unlock wallet Mở khoá ví - + This operation needs your wallet passphrase to decrypt the wallet. Công việc này cần mật khẩu ví của bạn để giải mã ví. - + Decrypt wallet Giải mã ví - + Change passphrase Đổi mật khẩu - + Enter the old and new passphrase to the wallet. Hãy nhập mật khẩu cũ và mật khẩu mới cho ví. - + Confirm wallet encryption Xác nhận mã hoá ví - + Warning: If you encrypt your wallet and lose your passphrase, you will <b>LOSE ALL OF YOUR DASH</b>! Chú ý: Nếu bạn mã hoá ví và mất mật khẩu, bạn sẽ <b>MẤT TẤT CẢ DASH CỦA BẠN</b>! - + Are you sure you wish to encrypt your wallet? Bạn có chắc là mình muốn mã hoá ví? - - + + Wallet encrypted Ví đã được mã hoá. - + Dash will close now to finish the encryption process. Remember that encrypting your wallet cannot fully protect your dashs from being stolen by malware infecting your computer. Dash sẽ được đóng lại bây giờ để hoàn thành tiến trình mã hoá. Hãy nhớ rằng mã hoá ví của bạn không thể hoàn toàn bảo vệ dash khỏi bị trộm bởi những mã độc lây nhiễm vào máy tính của bạn. - + IMPORTANT: Any previous backups you have made of your wallet file should be replaced with the newly generated, encrypted wallet file. For security reasons, previous backups of the unencrypted wallet file will become useless as soon as you start using the new, encrypted wallet. QUAN TRỌNG: Bất kỳ sao lưu nào mà bạn đã thực hiện trước với ví của bạn sẽ nên được thay thế bởi tệp Ví mới, được mã hoá. Vì lý do an ninh, những tệp sao lưu trước của ví không mã hoá sẽ trở nên vô nghĩa khi bạn bắt đầu sử dụng ví mới, có mã hoá. - - - - + + + + Wallet encryption failed Mã hoá ví không thành công - + Wallet encryption failed due to an internal error. Your wallet was not encrypted. Mã hoá ví bị lỗi vì lỗi bên trong của phần mềm. Ví của bạn không được mã hoá. - - + + The supplied passphrases do not match. Mật khẩu bạn cung cấp không tương xứng. - + Wallet unlock failed Mở khoá ví không thành công - - - + + + The passphrase entered for the wallet decryption was incorrect. Mật khẩu bạn nhập để giải mã ví không chính xác. - + Wallet decryption failed Giải mã ví không thành công - + Wallet passphrase was successfully changed. Mật khẩu ví đã được đổi thành công. - - + + Warning: The Caps Lock key is on! Cảnh báo: Khoá Caps Lock đang được bật! @@ -359,431 +294,425 @@ Sản phẩm này bao gồm phần mềm được phát triển bởi dự án O BitcoinGUI - + + Dash Core Dash Core - + Wallet - + Node Nút - [testnet] - [mạng thử] - - - + &Overview &Tổng thể - + Show general overview of wallet Hiển thị thông tin tổng thể của ví - + &Send &Gửi - + Send coins to a Dash address Gửi tiền vào địa chỉ Dash - + &Receive &Nhận - + Request payments (generates QR codes and dash: URIs) Yêu cầu thanh toán (sinh mã QR và dash: URIs) - + &Transactions Các &Giao dịch - + Browse transaction history Xem lịch sử giao dịch - + E&xit T&hoát - + Quit application Thoát ứng dụng - + &About Dash Core &Về Dash Core - Show information about Dash - Hiển thị thông tin giới thiệu về Dash - - - + Show information about Dash Core - + Hiển thị thông tin về Dash Core - - + + About &Qt Về &QT - + Show information about Qt Hiển thị thông tin giới thiệu về Qt - + &Options... &Tuỳ chọn... - + Modify configuration options for Dash Thay đổi tuỳ chọn cấu hình cho Dash - + &Show / Hide Ẩ&n / Hiện - + Show or hide the main Window Hiển thị hoặc ẩn cửa sổ chính - + &Encrypt Wallet... &Mã hoá Ví... - + Encrypt the private keys that belong to your wallet Mã hoá khoá riêng mà thuộc về ví của bạn - + &Backup Wallet... &Sao lưu Ví... - + Backup wallet to another location Sao lưu ví vào vị trí khác - + &Change Passphrase... Đổi &Mật khẩu... - + Change the passphrase used for wallet encryption Đổi mật khẩu dùng để mã hoá ví - + &Unlock Wallet... &Mở khoá Ví... - + Unlock wallet Mở khoá ví - + &Lock Wallet &Khoá Ví - + Sign &message... Ký vào &thông điệp... - + Sign messages with your Dash addresses to prove you own them Ký vào thông điệp với địa chỉ Dash để chứng minh bạn là chủ của chúng - + &Verify message... &Kiểm tra thông điệp... - + Verify messages to ensure they were signed with specified Dash addresses Kiểm tra thông điệp để đảm bảo rằng nó đã được ký bằng địa chỉ Dash nhất định - + &Information &Thông tin - + Show diagnostic information Hiển thị thông tin chuẩn đoán - + &Debug console Giao diện gỡ rối - + Open debugging console Mở giao diện gỡ rối - + &Network Monitor Theo dõi &Mạng - + Show network monitor Hiển thị thông tin theo dõi mạng - + + &Peers list + &Các máy ngang cấp + + + + Show peers info + Hiển thị thông tin về các máy ngang cấp + + + + Wallet &Repair + &Sửa Ví + + + + Show wallet repair options + Hiển thị các tuỳ chọn để sửa ví + + + Open &Configuration File Mở Tệp &Cấu hình - + Open configuration file Mở tệp cấu hình - + + Show Automatic &Backups + Hiển thị chế độ Tự động &Sao lưu + + + + Show automatically created wallet backups + Hiển thị những ví được sao lưu tự động + + + &Sending addresses... &Gửi địa chỉ... - + Show the list of used sending addresses and labels Hiển thị danh sách các địa chỉ đã sử dụng và các nhãn - + &Receiving addresses... Địa chỉ nhận... - + Show the list of used receiving addresses and labels Hiển thị danh sách các địa chỉ đã sử dụng để nhận và các nhãn - + Open &URI... Mở &URI... - + Open a dash: URI or payment request Mở một dash: URI hoặc một yêu cầu thanh toán - + &Command-line options &Các Tuỳ chọn dòng lệnh - - Show the Bitcoin Core help message to get a list with possible Dash command-line options - - - - + Dash Core client - + Phần mềm Dash Core - + Processed %n blocks of transaction history. - - - + Xử lý được %n khối của các giao dịch đã qua. + Show the Dash Core help message to get a list with possible Dash command-line options - Hiển thị hướng dẫn của Dash Core để có danh sách đầy đủ các tuỳ chọn dòng lệnh của Dash. + Hiển thị hướng dẫn của Dash Core để có danh sách đầy đủ các tuỳ chọn dòng lệnh của Dash. - + &File &Tệp - + &Settings &Thiết đặt - + &Tools &Công cụ - + &Help &Trợ giúp - + Tabs toolbar Bảng Thanh công cụ - - Dash client - Phần mềm Dash - - + %n active connection(s) to Dash network - - %n (các) kết nối hoạt động tới mạng lưới Dash - + %n kết nối hiện thời tới mạng lưới của Dash - + Synchronizing with network... Đang đồng bộ với mạng lưới... - + Importing blocks from disk... Nhập các khối từ đĩa... - + Reindexing blocks on disk... Sắp xếp lại các khối trên đĩa... - + No block source available... Không thấy nguồn sẵn sàng của các khối... - Processed %1 blocks of transaction history. - Đang xử lý %1 các khối của lịch sử giao dịch. - - - + Up to date Mới nhất - + %n hour(s) - - %n giờ - + %n giờ - + %n day(s) - - %n ngày - + %n ngày - - + + %n week(s) - - %n tuần - + %n tuần - + %1 and %2 %1 và %2 - + %n year(s) - - %n năm - + %n năm - + %1 behind %1 đằng sau - + Catching up... Đang nạp bộ đệm... - + Last received block was generated %1 ago. Khối vừa nhận đã được sinh ra từ %1. - + Transactions after this will not yet be visible. Các giao dịch sau đây sẽ chưa thể thấy được. - - Dash - Dash - - - + Error Lỗi - + Warning Cảnh báo - + Information Thông tin - + Sent transaction Giao dịch gửi đi - + Incoming transaction Giao dịch nhận về - + Date: %1 Amount: %2 Type: %3 @@ -796,30 +725,25 @@ Kiểu: %3 - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> Ví <b>đã được mã hoá</b> và hiện tại <b>đã được mở</b> - + Wallet is <b>encrypted</b> and currently <b>unlocked</b> for anonimization only Ví <b>đã được mã hoá</b> và hiện tại <b>đã được mở</b> chỉ để cho việc ẩn danh - + Wallet is <b>encrypted</b> and currently <b>locked</b> Ví <b>đã được mã hoá</b> và hiện tại <b>đã được khoá</b> - - - A fatal error occurred. Dash can no longer continue safely and will quit. - Một lỗi nghiêm trọng đã xảy ra. Dash không thể tiếp tục một cách an toàn và sẽ thoát. - ClientModel - + Network Alert Cảnh báo mạng @@ -827,333 +751,302 @@ Kiểu: %3 CoinControlDialog - Coin Control Address Selection - Chọn địa chỉ Coin Control - - - + Quantity: Số lượng: - + Bytes: Bytes: - + Amount: Số tiền: - + Priority: Ưu tiên: - + Fee: Phí: - Low Output: - Low Output: - - - + Coin Selection - + Chọn lựa coin - + Dust: - + Bụi - + After Fee: Phí sau: - + Change: Trả lại: - + (un)select all (bỏ) chọn tất cả - + Tree mode Kiểu cây - + List mode Kiểu danh sách - + (1 locked) (1 khoá) - + Amount Số tiền - + Received with label - + Nhận được với nhãn - + Received with address - + Nhận được với địa chỉ - Label - Nhãn - - - Address - Địa chỉ - - - + Darksend Rounds Số vòng Darksend - + Date Ngày - + Confirmations Lượt xác nhận - + Confirmed Đã được xác nhận - + Priority Ưu tiên - + Copy address Sao chép địa chỉ - + Copy label Sao chép nhãn - - + + Copy amount Sao chép số tiền - + Copy transaction ID Sao chép mã giao dịch - + Lock unspent Khoá khoản chưa tiêu - + Unlock unspent Mở khoản chưa tiêu - + Copy quantity Sao chép số lượng - + Copy fee Sao chép phí - + Copy after fee Sao chép giá trị sau tính phí - + Copy bytes Sao chép các bytes - + Copy priority Sao chép ưu tiên - + Copy dust - + Sao chép bụi - Copy low output - Sao chép đầu ra thấp - - - + Copy change Sao chép tiền trả lại - + + Non-anonymized input selected. <b>Darksend will be disabled.</b><br><br>If you still want to use Darksend, please deselect all non-nonymized inputs first and then check Darksend checkbox again. + + + + highest cao nhất - + higher cao hơn - + high cao - + medium-high cao-vừa - + Can vary +/- %1 satoshi(s) per input. - + - + n/a không áp dụng - - + + medium vừa - + low-medium thấp-vừa - + low thấp - + lower thấp hơn - + lowest thấp nhất - + (%1 locked) (%1 được khoá) - + none không có - Dust - Bụi - - - + yes - - + + no không - + This label turns red, if the transaction size is greater than 1000 bytes. Nhãn này chuyển sang đỏ, nếu kích thước giao dịch lớn hơn 1000 bytes. - - + + This means a fee of at least %1 per kB is required. Điều này có nghĩa là cần một mức phí ít nhất %1 cho mỗi kB. - + Can vary +/- 1 byte per input. Có thể thay đổi +/-1 byte cho mỗi đầu vào - + Transactions with higher priority are more likely to get included into a block. Giao dịch với độ ưu tiên cao hơn có cơ hội nhiều hơn được đưa vào khối. - + This label turns red, if the priority is smaller than "medium". Nhãn này chuyển sang đỏ, nếu ưu tiên thấp hơn "trung bình". - + This label turns red, if any recipient receives an amount smaller than %1. Nhãn này chuyển sang đỏ, nếu bất kỳ bên nhận nào nhận một số tiền nhỏ hơn %1. - This means a fee of at least %1 is required. - Có nghĩa là cần mức phí ít nhất 1%. - - - Amounts below 0.546 times the minimum relay fee are shown as dust. - Số tiền dưới 0.546 lần chi phí tiếp sức tối thiểu được coi như là bụi. - - - This label turns red, if the change is smaller than %1. - Nhãn này sẽ chuyển sang đỏ, nếu phần trả lại nhỏ hơn %1. - - - - + + (no label) (không có nhãn) - + change from %1 (%2) phần trả lại từ %1 (%2) - + (change) (phần trả lại) @@ -1161,84 +1054,84 @@ Kiểu: %3 DarksendConfig - + Configure Darksend Cấu hình Darksend - + Basic Privacy Mức Riêng tư Cơ bản - + High Privacy Mức Riêng tư Cao - + Maximum Privacy Mức Riêng tư Tối đa - + Please select a privacy level. Hãy chọn mức độ riêng tư. - + Use 2 separate masternodes to mix funds up to 1000 DASH Sử dụng 2 masternode khác nhau để trộn số tiền lên đến 1000 DASH - + Use 8 separate masternodes to mix funds up to 1000 DASH Sử dụng 8 masternode khác nhau để trộn số tiền lên đến 1000 DASH - + Use 16 separate masternodes Sử dụng 16 masternode khác nhau - + This option is the quickest and will cost about ~0.025 DASH to anonymize 1000 DASH Tuỳ chọn này là nhanh nhất và sẽ mất chi phí khoảng ~0.025 DASH để ẩn danh 1000 DASH - + This option is moderately fast and will cost about 0.05 DASH to anonymize 1000 DASH Tuỳ chọn này là tương đối nhanh và sẽ mất chi phí khoảng ~0.05 DASH để ẩn danh 1000 DASH - + 0.1 DASH per 1000 DASH you anonymize. 0.1 DASH cho mỗi 1000 DASH bạn muốn ẩn danh. - + This is the slowest and most secure option. Using maximum anonymity will cost Đây là tuỳ chọn chậm nhất và an toàn nhất. Sử dụng mức vô danh cao nhất sẽ tốn kém - - - + + + Darksend Configuration Cấu hình Darksend - + Darksend was successfully set to basic (%1 and 2 rounds). You can change this at any time by opening Dash's configuration screen. Darksend được thiết lập thành công về mức cơ bản (%1 và 2 vòng). Bạn có thể thay đổi nó bất cứ thời gian nào bằng cách mở màn hình cấu hình Dash. - + Darksend was successfully set to high (%1 and 8 rounds). You can change this at any time by opening Dash's configuration screen. Darksend được thiết lập thành công về mức cao (%1 và 8 vòng). Bạn có thể thay đổi nó bất cứ thời gian nào bằng cách mở màn hình cấu hình Dash. - + Darksend was successfully set to maximum (%1 and 16 rounds). You can change this at any time by opening Dash's configuration screen. Darksend được thiết lập thành công về mức tối đa (%1 và 16 vòng). Bạn có thể thay đổi nó bất cứ thời gian nào bằng cách mở màn hình cấu hình Dash. @@ -1246,67 +1139,67 @@ Kiểu: %3 EditAddressDialog - + Edit Address Sửa địa chỉ - + &Label &Nhãn - + The label associated with this address list entry Nhãn tương ứng với địa chỉ này trong danh sách đầu vào - + &Address Địa &chỉ - + The address associated with this address list entry. This can only be modified for sending addresses. Địa chỉ tương ứng với địa chỉ này trong danh sách đầu vào. Chỉ có thể thay đổi địa chỉ gửi đi. - + New receiving address Địa chỉ nhận mới - + New sending address Địa chỉ gửi mới - + Edit receiving address Sửa địa chỉ nhận - + Edit sending address Sửa địa chỉ gửi - + The entered address "%1" is not a valid Dash address. Địa chỉ vừa nhập "%1" không phải địa chỉ Dash hợp lệ. - + The entered address "%1" is already in the address book. Địa chỉ vừa nhập "%1" đã có trong danh sách địa chỉ. - + Could not unlock wallet. Không thể mở khoá ví. - + New key generation failed. Sinh khoá mới không thành công. @@ -1314,27 +1207,27 @@ Kiểu: %3 FreespaceChecker - + A new data directory will be created. Một thư mục dữ liệu mớ đã được tạo. - + name tên - + Directory already exists. Add %1 if you intend to create a new directory here. Thư mục đã tồn tại. Thêm %1 nếu bạn định tạo một thư mục mới tại đây. - + Path already exists, and is not a directory. Đường dẫn đã tồn tại, và nó không phải là thư mục. - + Cannot create data directory here. Không thể tạo thư mục dữ liệu ở đây. @@ -1342,72 +1235,68 @@ Kiểu: %3 HelpMessageDialog - Dash Core - Command-line options - Dash Core - Các tuỳ chọn dòng lệnh - - - + Dash Core Dash Core - + version phiên bản - - + + (%1-bit) - (%1-bit) + (%1-bit) - + About Dash Core - Giới thiệu về Dash Core + Về Dash Core - + Command-line options - + Các tuỳ chọn dòng lệnh - + Usage: Cách dùng: - + command-line options tuỳ chọn dòng lệnh - + UI options Tuỳ chọn giao diện - + Choose data directory on startup (default: 0) Chọn thư mục dữ liệu khi khởi động (ngầm định: 0) - + Set language, for example "de_DE" (default: system locale) Chọn ngôn ngữ, ví dụ "vn_VN" (ngầm định: theo hệ thống) - + Start minimized Bắt đầu thu nhỏ - + Set SSL root certificates for payment request (default: -system-) Đặt chứng thực gốc cho yêu cầu thanh toán (ngầm định: -hệ thống-) - + Show splash screen on startup (default: 1) Hiển thị màn hình giới thiệu khi khởi động (ngầm định: 1) @@ -1415,105 +1304,85 @@ Kiểu: %3 Intro - + Welcome Chào mừng - + Welcome to Dash Core. Chào mừng đến với Dash Core. - + As this is the first time the program is launched, you can choose where Dash Core will store its data. Đây là lần đầu tiên chương trình được khởi động, bạn có thể chọn nơi mà Dash Core sẽ lưu dữ liệu. - + Dash Core will download and store a copy of the Dash block chain. At least %1GB of data will be stored in this directory, and it will grow over time. The wallet will also be stored in this directory. Dash Core sẽ tải và lưu một bản của sổ cái Dash. Ít nhất %1GB dữ liệu sẽ được lưu trong thư mục này, và nó sẽ tăng lên theo thời gian. Ví của bạn cũng sẽ được lưu trong thư mục này. - + Use the default data directory Sử dụng thư mục dữ liệu ngầm định - + Use a custom data directory: Sử dụng thư mục dữ liệu tuỳ chọn: - Dash - Dash - - - Error: Specified data directory "%1" can not be created. - Lỗi: Thư mục dữ liệu được chọn "%1" không thể được tạo. - - - + Dash Core - Dash Core + Dash Core - + Error: Specified data directory "%1" cannot be created. - + Lỗi: Thư mục bạn cọn "%1" không thể tạo được. - + Error Lỗi - - - %n GB of free space available - - - - - - - (of %n GB needed) - - - + + + %1 GB of free space available + %1 GB còn trống - GB of free space available - GB không gian trống còn lại - - - (of %1GB needed) - (của %1GB cần thiết) + + (of %1 GB needed) + (của %1 GB cần đến) OpenURIDialog - + Open URI Mở URI - + Open payment request from URI or file Mở yêu cầu thanh toán từ URI hoặc file - + URI: URI: - + Select payment request file Chọn file yêu cầ thanh toán - + Select payment request file to open Chọn tệp yêu cầu thanh toán để mở @@ -1521,313 +1390,281 @@ Kiểu: %3 OptionsDialog - + Options Các tuỳ chọn - + &Main &Chính - + Automatically start Dash after logging in to the system. Tự động khởi động Dash sau khi đăng nhập hệ thống. - + &Start Dash on system login &Khởi động Dash khi đăng nhập hệ thống - + Size of &database cache Kích thước của dữ liệu cache - + MB MB - + Number of script &verification threads Số lượng các luồng kịch bản kiểm tra - + (0 = auto, <0 = leave that many cores free) (0 = tự động, <0 = để đó rất nhiều lõi miễn phí) - + <html><head/><body><p>This setting determines the amount of individual masternodes that an input will be anonymized through. More rounds of anonymization gives a higher degree of privacy, but also costs more in fees.</p></body></html> <html><head/><body><p>Thiết lập này xác định số tiền cho mỗi master nodes mà đầu vào thông qua đó được ẩn danh. Càng có nhiều vòng ẩn danh thì sẽ cho mức độ riêng tư càng cao, nhưng nó cũng tốn nhiều phí hơn.</p></body></html> - + Darksend rounds to use Số vòng Darksend sử dụng - + This amount acts as a threshold to turn off Darksend once it's reached. Số lượng này hoạt động như là một ngưỡng để tắt Darksend một khi nó đạt đến. - + Amount of Dash to keep anonymized Lượng Dash muốn giữ vô danh - + W&allet &Ví - + Accept connections from outside - + Chấp nhận kết nối từ bên ngoài - + Allow incoming connections - + Cho phép các kết nối tới - + Connect to the Dash network through a SOCKS5 proxy. - + Kết nối với mạng lưới Dash thông qua một SOCK5 proxy. - + &Connect through SOCKS5 proxy (default proxy): - + &Kết nối thông qua SOCK5 proxy (proxy ngầm định): - Optional transaction fee per kB that helps make sure your transactions are processed quickly. Most transactions are 1 kB. - Tuỳ chọn phí giao dịch trên kB có thể giúp cho giao dịch của bạn được xử lý nhanh chóng. Hầu hết các giao dịch khoảng 1 kB. - - - Pay transaction &fee - Trả &phí giao dịch - - - + Expert Chuyên gia - + Whether to show coin control features or not. Hiển thị hoặc không hiển thị tính năng coin control. - + Enable coin &control features Bật tính năng Coin &control - + If you disable the spending of unconfirmed change, the change from a transaction cannot be used until that transaction has at least one confirmation. This also affects how your balance is computed. Nếu bạn tắt chức năng chi tiêu các khoản tiền trả lại chưa được xác nhận, thì những khoản trả lại đó sẽ không thể sử dụng đến tận khi các giao dịch đó được ít nhất một lần xác nhận. Điều này cũng ảnh hưởng đến cách tính số dư của bạn. - + &Spend unconfirmed change &Tiêu phần trả lại chưa được xác nhận - + &Network &Mạng - + Automatically open the Dash client port on the router. This only works when your router supports UPnP and it is enabled. Tự động mở cổng phần mềm Dash trên rounter. Nó chỉ làm việc khi router của bạn hỗ trợ UPnP và nó phải được bật. - + Map port using &UPnP Ánh xạ cổng sử dụng &UPnP - Connect to the Dash network through a SOCKS proxy. - Kết nối với mạng lưới Dash thông qua một SOCKS proxy. - - - &Connect through SOCKS proxy (default proxy): - &Kết nối qua SOCKS proxy (proxy ngầm định): - - - + Proxy &IP: Proxy &IP: - + IP address of the proxy (e.g. IPv4: 127.0.0.1 / IPv6: ::1) Địa chỉ IP của proxy (ví dụ: IPv4: 127.0.0.1 / IPv6: ::1) - + &Port: &Cổng: - + Port of the proxy (e.g. 9050) Cổng của proxy (ví dụ: 9050) - SOCKS &Version: - Phiên bản SOCKS: - - - SOCKS version of the proxy (e.g. 5) - Phiên bản SOCKS của proxy (ví dụ: 5) - - - + &Window &Cửa sổ - + Show only a tray icon after minimizing the window. Chỉ hiển thị biểu tượng ở khai sau khi thu nhỏ cửa sổ. - + &Minimize to the tray instead of the taskbar Thu &nhỏ về khay thay vì về thanh taskbar - + Minimize instead of exit the application when the window is closed. When this option is enabled, the application will be closed only after selecting Quit in the menu. Thu nhỏ thay vì thoát ứng dụng khi cửa sổ được đóng lại. Khi tuỳ chọn này được bật thì chương trình sẽ chỉ đóng sau khi chọn chức năng Thoát trong menu. - + M&inimize on close Thu &nhỏ khi đóng - + &Display &Hiển thị - + User Interface &language: &Ngôn ngữ người dùng: - + The user interface language can be set here. This setting will take effect after restarting Dash. Ngôn ngữ người dùng có thể thiết lập ở đây. Thiết lập này sẽ có tác dụng sau khi khởi động lại Dash. - + Language missing or translation incomplete? Help contributing translations here: https://www.transifex.com/projects/p/dash/ Ngôn ngữ ị thiếu hoặc việc dịch chưa hoàn tất? Tham gia dịch giúp tại đây: https://www.transifex.com/projects/p/dash/ - + User Interface Theme: - + Kiểu giao diện người dùng - + &Unit to show amounts in: Đơn vị &hiển thị số lượng: - + Choose the default subdivision unit to show in the interface and when sending coins. Chọn đơn vị phân khu mặc định để hiển thị trong giao diện và khi gửi tiền. - Whether to show Dash addresses in the transaction list or not. - Hiển thị hoặc không hiển thị địa chỉ Dash trong danh giao dịch - - - &Display addresses in transaction list - &Hiển thị địa chỉ trong danh sách giao dịch - - - - + + Third party URLs (e.g. a block explorer) that appear in the transactions tab as context menu items. %s in the URL is replaced by transaction hash. Multiple URLs are separated by vertical bar |. Địa chỉ web của bên thứ ba (VD: chức năng kiểm tra số cái) mà nó xuất hiện trong tab giao dịch giống như các mục trong menu ngữ cảnh. %s trong địa chỉ web được thay thế bởi mã băm giao dịch. Nhiều địa chỉ web được phân cách bởi dấu gạch đứng |. - + Third party transaction URLs URLs của giao dịch bên thứ ba - + Active command-line options that override above options: Kích hoạt các tuỳ chọn dòng lệnh sẽ thay thế cho các tuỳ chọn trên: - + Reset all client options to default. Tái lập lại tất cả các tuỳ chọn về ngầm định. - + &Reset Options &Tái lập Tuỳ chọn - + &OK &OK - + &Cancel &Huỷ - + default ngầm định - + none không có - + Confirm options reset Xác nhận tái lập tuỳ chọn - - + + Client restart required to activate changes. Cần phải khởi động phần mềm để kích hoạt các thay đổi. - + Client will be shutdown, do you want to proceed? Phần mềm sẽ được tắt, bạn có muốn tiến hành? - + This change would require a client restart. Thay đổi này có thể cần phải khởi động lại phần mềm. - + The supplied proxy address is invalid. Địa chỉ proxy được cung cấp không hợp lệ. @@ -1835,368 +1672,274 @@ https://www.transifex.com/projects/p/dash/ OverviewPage - + Form Biểu mẫu - Wallet - - - - - - + + + The displayed information may be out of date. Your wallet automatically synchronizes with the Dash network after a connection is established, but this process has not completed yet. Thông tin được hiển thị có thể đã lỗi thời. Ví của bạn sẽ tự động đồng bộ với mạng lưới Dash sau khi kết nối được thiết lập, tuy nhiên quá trình này chưa hoàn thành. - + Available: Sẵn sàng: - + Your current spendable balance Số dư có thể chi tiêu của bạn - + Pending: Đang chờ: - + Total of transactions that have yet to be confirmed, and do not yet count toward the spendable balance Tổng của những giao dịch chưa được xác nhận, và do đó chưa được tính vào số dư có thể tiêu được - + Immature: Chưa chín muồi: - + Mined balance that has not yet matured Số dư khai thác được chưa được xác nhận đủ - + Balances - + Số dư - + Unconfirmed transactions to watch-only addresses - + Các giao dịch chưa được xác nhận cho các địa chỉ chỉ để theo dõi - + Mined balance in watch-only addresses that has not yet matured - + Số dư đào được trong các địa chỉ chỉ theo dõi nhưng chưa sẵn sàng để tiêu được - + Total: Tổng: - + Your current total balance Tổng số dư hiện tại của bạn - + Current total balance in watch-only addresses - + Tổng số dư hiện tại trong các địa chỉ chỉ theo dõi - + Watch-only: - + Chỉ theo dõi: - + Your current balance in watch-only addresses - + Số dư hiện tại của bạn trong địa chỉ chỉ theo dõi - + Spendable: - + Có thể tiêu được: - + Status: Tình trạng: - + Enabled/Disabled Bật/Tắt - + Completion: Hoàn thành: - + Darksend Balance: Số dư cho Darksend: - + 0 DASH 0 DASH - + Amount and Rounds: Số tiền và số vòng: - + 0 DASH / 0 Rounds 0 DASH / 0 Vòng - + Submitted Denom: Mệnh giá được gửi: - - The denominations you submitted to the Masternode. To mix, other users must submit the exact same denominations. - Mệnh giá mà bạn gửi cho Masternode. Để trộn, những người dùng khác cũng cần gửi chính xác dùng loại mệnh giá đó. - - - + n/a không áp dụng - - - - + + + + Darksend Darksend - + Recent transactions - + Các giao dịch gần đây - + Start/Stop Mixing Bắt đầu/Tắt việc trộn - + + The denominations you submitted to the Masternode.<br>To mix, other users must submit the exact same denominations. + Mệnh giá mà bạn gửi cho Masternode. <br>Để trộn, những người dùng khác cũng cần gửi chính xác dùng loại mệnh giá đó. + + + (Last Message) (Thông điệp cuối) - + Try to manually submit a Darksend request. Thử gửi yêu cầu Darksend bằng tay. - + Try Mix Thử Trộn - + Reset the current status of Darksend (can interrupt Darksend if it's in the process of Mixing, which can cost you money!) Tái lập lại trạng thái hiện tại của Darksend (có thể gián đoạn Darksend nếu nó đang trong quá trình trộn, điều đó có thể làm bạn bị mất tiền!) - + Reset Khởi động lại - <b>Recent transactions</b> - <b>Các giao dịch gần đây</b> - - - - - + + + out of sync không đồng bộ - - + + + + Disabled Đã tắt - - - + + + Start Darksend Mixing Bắt đầu trộn Darksend - - + + Stop Darksend Mixing Tắt trộn Darksend - + No inputs detected Phát hiện không có đầu vào + + + + + %n Rounds + %n Vòng + - + Found unconfirmed denominated outputs, will wait till they confirm to recalculate. Tìm thấy các mệnh giá đầu ra chưa được xác nhận, sẽ đợi đến khi chúng xác nhận để tính toán lại. - - - Rounds - Vòng + + + Progress: %1% (inputs have an average of %2 of %n rounds) + Tiến trình: %1% (đầu vào có trung bình %2 của %n vòng) - + + Found enough compatible inputs to anonymize %1 + Đã tìm được đủ đầu vào tương thích để ẩn danh hoá %1 + + + + Not enough compatible inputs to anonymize <span style='color:red;'>%1</span>,<br/>will anonymize <span style='color:red;'>%2</span> instead + + + + Enabled Đã bật - - - - Submitted to masternode, waiting for more entries - - - - - - - Found enough users, signing ( waiting - - - - - - - Submitted to masternode, waiting in queue - - - - + Last Darksend message: Thông điệp Darksend cuối cùng: - - - Darksend is idle. - Darksend đang nghỉ. - - - - Mixing in progress... - Đang trong quá trình trộn... - - - - Darksend request complete: Your transaction was accepted into the pool! - Yêu cầu Darksend đã hoàn tất: Giao dịch của bạn đã được chấp nhận vào bể trộn! - - - - Submitted following entries to masternode: - Gửi những thành phần sau đến masternode: - - - Submitted to masternode, Waiting for more entries - Đã gửi cho masternode, Đợi các thành phần thêm - - - - Found enough users, signing ... - Đã kiếm đủ người dùng, đang ký ... - - - Found enough users, signing ( waiting. ) - Đã kiếm đủ người dùng, đang ký (vui lòng đợi.) - - - Found enough users, signing ( waiting.. ) - Đã kiếm đủ người dùng, đang ký (vui lòng đợi..) - - - Found enough users, signing ( waiting... ) - Đã kiếm đủ người dùng, đang ký (vui lòng đợi...) - - - - Transmitting final transaction. - Đang gửi giao dịch cuối cùng. - - - - Finalizing transaction. - Đang hoàn tất các giao dịch. - - - - Darksend request incomplete: - Yêu cầu Darksend chưa hoàn thành: - - - - Will retry... - Sẽ thử lại... - - - - Darksend request complete: - Yêu cầu Darksend hoàn thành: - - - Submitted to masternode, waiting in queue . - Đã gửi đến masternode, đang đợi trong hàng đợi . - - - Submitted to masternode, waiting in queue .. - Đã gửi đến masternode, đang đợi trong hàng đợi .. - - - Submitted to masternode, waiting in queue ... - Đã gửi đến masternode, đang đợi trong hàng đợi ... - - - - Unknown state: - Tình trạng không rõ: - - - + N/A Không áp dụng - + Darksend was successfully reset. Darksend vừa được tái lập thành công. - + Darksend requires at least %1 to use. Darksend cần ít nhất %1 để sử dụng. - + Wallet is locked and user declined to unlock. Disabling Darksend. Ví đã được khoá và người dùng từ chối mở khoá. Đang tắt Darksend. @@ -2204,141 +1947,121 @@ https://www.transifex.com/projects/p/dash/ PaymentServer - - - - - - + + + + + + Payment request error Yêu cầu thanh toán bị lỗi - + Cannot start dash: click-to-pay handler Không thể khởi động dash: trình xử lý click-to-pay - Net manager warning - Cảnh báo quản lý mạng - - - Your active proxy doesn't support SOCKS5, which is required for payment requests via proxy. - Proxy hiện tại không hỗ trợ SOCKS5, nó là cần thiết để cho yêu cầu thanh toán thông qua proxy. - - - - - + + + URI handling xử lý URI - + Payment request fetch URL is invalid: %1 Yêu cầu thanh toán lấy URL là không hợp lệ: %1 - URI can not be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - URI không thể phân tích. Nó có thể bởi địa chỉ Dash không hợp lệ hoặc thông số URI dị hình. - - - + Payment request file handling Thanh toán cần file xử lý - Payment request file can not be read or processed! This can be caused by an invalid payment request file. - Tệp yêu cầu thanh toán không thể đọc hoặc xử lý được! Đó có thể là do tệp yêu cầu thanh toán không hợp lệ. - - - + Invalid payment address %1 - Địa chỉ thanh toán không hợp lệ %1 + Địa chỉ thanh toán không hợp lệ %1 - + URI cannot be parsed! This can be caused by an invalid Dash address or malformed URI parameters. - + - + Payment request file cannot be read! This can be caused by an invalid payment request file. - + Tệp yêu cầu thanh toán không thể đọc được. Nó có thể là nguyên nhân bởi tệp thanh toán không hợp lệ. - - - + + + Payment request rejected - + Yêu cầu giao dịch bị từ chối - + Payment request network doesn't match client network. - + Mạng yêu cầu thanh toán không tương xứng với mạng của phần mềm. - + Payment request has expired. - + Yêu cầu thanh toán đã hết hạn. - + Payment request is not initialized. - + Yêu cầu thanh toán không được khởi tạo. - + Unverified payment requests to custom payment scripts are unsupported. Yêu cầu thanh toán chưa được xác minh để tùy chỉnh các kịch bản thanh toán không được hỗ trợ. - + Requested payment amount of %1 is too small (considered dust). Yêu cầu thanh toán khoản tiền của %1 là quá nhỏ (được xem là bụi). - + Refund from %1 Trả lại từ %1 - + Payment request %1 is too large (%2 bytes, allowed %3 bytes). - + Yêu cầu thanh toán %1 quá lớn (%2 bytes, cho phép %3 bytes) - + Payment request DoS protection - + Giao dịch yêu cầu bảo vệ tấn công từ chối dịch vụ - + Error communicating with %1: %2 Lỗi kết nối với %1: %2 - + Payment request cannot be parsed! - + Yêu cầu thanh toán không thể xử lý! - Payment request can not be parsed or processed! - Yêu cầu thanh toán không thể xử lý được. - - - + Bad response from server %1 Phản hồi xấu từ máy chủ %1 - + Network request error Yêu cầu mạng bị lỗi - + Payment acknowledged Thanh toán được ghi nhận @@ -2346,139 +2069,98 @@ https://www.transifex.com/projects/p/dash/ PeerTableModel - + Address/Hostname - + Địa chỉ/Máy trạm - + User Agent - + - + Ping Time - + Thời gian phản hồi QObject - - Dash - Dash - - - - Error: Specified data directory "%1" does not exist. - Lỗi: Thư mục được chọn "%1" không tồn tại. - - - - - - Dash Core - Dash Core - - - - Error: Cannot parse configuration file: %1. Only use key=value syntax. - Lỗi: Không phân tích được tệp cấu hình: %1. Chỉ sử dụng cú pháp key=value. - - - - Error reading masternode configuration file: %1 - Lỗi đọc tệp cấu hình masternode: %1 - - - - Error: Invalid combination of -regtest and -testnet. - Lỗi: Tổng hợp không hợp lệ của -regtest và -testnet. - - - - Dash Core didn't yet exit safely... - Dash Core chưa được thoát một cách an toàn... - - - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Hãy nhập địa chỉ Dash (VD: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Amount - Số tiền + Số lượng - + Enter a Dash address (e.g. %1) - + Hãy nhập một địa chỉ Dash (VD: %1) - + %1 d - + %1 giờ - + %1 h - %1 giờ + %1 giờ - + %1 m - %1 phút + %1 phút - + %1 s - + %1 giây - + NETWORK - + MẠNG - + UNKNOWN - + KHÔNG XÁC ĐỊNH - + None - + Không - + N/A - Không áp dụng + N/A - + %1 ms - + %1 ms QRImageWidget - + &Save Image... &Lưu ảnh... - + &Copy Image &Sao chép ảnh - + Save QR Code &Lưu mã QR - + PNG Image (*.png) Ảnh dạng PNG (*.png) @@ -2486,436 +2168,495 @@ https://www.transifex.com/projects/p/dash/ RPCConsole - + Tools window Cửa sổ công cụ - + &Information &Thông tin - + Masternode Count Số Masternode - + General Chung chung - + Name Tên - + Client name Phiên bản - - - - - - - - - - - - - - - - - - - - - - - - + + + + + + + + + + + + + + + + + + + + + + + + N/A Không áp dụng - + Number of connections Số kết nối - + Open the Dash debug log file from the current data directory. This can take a few seconds for large log files. Mở file nhật kỹ lỗi Dash từ thư mục hiện tại. Nó có thể mất vài giây trong trường hợp file log lớn. - + &Open &Mở - + Startup time Thời gian khởi động - + Network Mạng - + Last block time Thời gian block cuối cùng - + Debug log file Debug log file - + Using OpenSSL version Sử dụng phiên bản OpenSSL - + Build date Ngày xây dựng - + Current number of blocks Số khối hiện tại - + Client version Phiên bản - + Using BerkeleyDB version - + Sử dụng BerkeleyDB version - + Block chain Block chain - + &Console &Console - + Clear console Xoá console - + &Network Traffic &Lưu lượng mạng - + &Clear &Xoá - + Totals Tổng - + Received - + Đã nhận - + Sent - + Đã gửi - + &Peers - + &Máy ngang cấp - - - + + + Select a peer to view detailed information. - + Hãy chọn một máy đồng cấp để xem thông tin chi tiết. - + Direction - + - + Version - + Phiên bản - + User Agent - + - + Services - + Dịch vụ - + Starting Height - + - + Sync Height - + - + Ban Score - + Điểm cấm - + Connection Time - + Thời gian kết nối - + Last Send - + Lần gửi cuối - + Last Receive - + Lần nhận cuối - + Bytes Sent - + Bytes Gửi - + Bytes Received - + Bytes Nhận - + Ping Time - + Thời gian phản hồi - + + &Wallet Repair + Sửa &Ví + + + + Salvage wallet + Cứu ví + + + + Rescan blockchain files + Quét lại file blockchain + + + + Recover transactions 1 + Phục hồi các giao dịch 1 + + + + Recover transactions 2 + Phục hồi các giao dịch 2 + + + + Upgrade wallet format + Nâng cấp định dạng ví + + + + The buttons below will restart the wallet with command-line options to repair the wallet, fix issues with corrupt blockhain files or missing/obsolete transactions. + + + + + -salvagewallet: Attempt to recover private keys from a corrupt wallet.dat. + + + + + -rescan: Rescan the block chain for missing wallet transactions. + + + + + -zapwallettxes=1: Recover transactions from blockchain (keep meta-data, e.g. account owner). + + + + + -zapwallettxes=2: Recover transactions from blockchain (drop meta-data). + + + + + -upgradewallet: Upgrade wallet to latest format on startup. (Note: this is NOT an update of the wallet itself!) + + + + + Wallet repair options. + Các tuỳ chọn sửa ví. + + + + Rebuild index + Lập lại chỉ mục + + + + -reindex: Rebuild block chain index from current blk000??.dat files. + + + + In: Vào: - + Out: Ra: - + Welcome to the Dash RPC console. Chào mừng đến với giao tiếp Dash RPC - + Use up and down arrows to navigate history, and <b>Ctrl-L</b> to clear screen. Sử dụng các phím mũi tên lên và xuống để xem lịch sử, và <b>Ctrl-L</b> để xoá màn hình. - + Type <b>help</b> for an overview of available commands. Gõ <b>help</b> để xem tổng thể các lệnh có thể dùng. - + %1 B %1 B - + %1 KB %1 KB - + %1 MB %1 MB - + %1 GB %1 GB - + via %1 - + theo %1 - - + + never - + không bao giờ - + Inbound - + Kết nối về - + Outbound - + Kết nối đi - + Unknown - + Không xác định - - + + Fetching... - - - - %1 m - %1 phút - - - %1 h - %1 giờ - - - %1 h %2 m - %1 giờ %2 phút + Đang tìm... ReceiveCoinsDialog - + Reuse one of the previously used receiving addresses. Reusing addresses has security and privacy issues. Do not use this unless re-generating a payment request made before. Sử dụng lại địa chỉ đã được sử dụng để nhận trước đây. Sử dụng lại địa chỉ nảy sinh vấn đề an ninh và riêng tư. Đừng sử dụng nó trừ khi bạn tạo lại yêu cầu thanh toán mà bạn đã làm trước đây. - + R&euse an existing receiving address (not recommended) Tái &sử dụng lại địa chỉ nhận đã có (không khuyến khích) + + An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Dash network. - Một thông điệp tuỳ chọn để đính vào yêu cầu thanh toán, nó sẽ hiển thị khi yêu cầu được mở. Chú ý: Thông điệp sẽ không được gửi thông qua mạng lưới Dash. + Một thông điệp tuỳ chọn để đính vào yêu cầu thanh toán, nó sẽ hiển thị khi yêu cầu được mở. Chú ý: Thông điệp sẽ không được gửi thông qua mạng lưới Dash. - - - An optional message to attach to the payment request, which will be displayed when the request is opened. Note: The message will not be sent with the payment over the Bitcoin network. - - - - + &Message: &Thông điệp: - - + + An optional label to associate with the new receiving address. Một nhãn tuỳ chọn để liên kết với địa chỉ nhận mới. - + Use this form to request payments. All fields are <b>optional</b>. Sử dụng biểu mẫu này để yêu cầu thanh toán. Tất cả các trường đều là <b>không bắt buộc</b>. - + &Label: &Nhãn: - - + + An optional amount to request. Leave this empty or zero to not request a specific amount. Một tuỳ chọn về số tiền yêu cầu. Để nó trống hoặc bằng không để không yêu cầu một số tiền cụ thể. - + &Amount: &Số tiền: - + &Request payment &Yêu cầu thanh toán - + Clear all fields of the form. Xoá tất cả các ô. - + Clear Xoá - + Requested payments history Xem lịch sử thanh toán - + Show the selected request (does the same as double clicking an entry) Hiển thị những yêu cầu được chọn (giống như click đúp vào mỗi thành phần) - + Show Xem - + Remove the selected entries from the list Xoá thành phần được chọn khỏi danh sách - + Remove Xoá - + Copy label Sao chép nhãn - + Copy message Sao chép thông điệp - + Copy amount Sao chép số tiền @@ -2923,67 +2664,67 @@ https://www.transifex.com/projects/p/dash/ ReceiveRequestDialog - + QR Code Mã QR - + Copy &URI Copy &URI - + Copy &Address Copy địa chỉ - + &Save Image... &Lưu ảnh... - + Request payment to %1 Yêu cầu thanh toán tới %1 - + Payment information Thông tin thanh toán - + URI URI - + Address Địa chỉ - + Amount Số tiền - + Label Nhãn - + Message Thông điệp - + Resulting URI too long, try to reduce the text for label / message. Kết quả là URI quá dài, hãy thử rút gọn chữ trong nhãn / thông điệp. - + Error encoding URI into QR Code. Lỗi mã hoá URI thành mã QR. @@ -2991,37 +2732,37 @@ https://www.transifex.com/projects/p/dash/ RecentRequestsTableModel - + Date Ngày - + Label Nhãn - + Message Thông điệp - + Amount Số tiền - + (no label) (không có nhãn) - + (no message) (không thông điệp) - + (no amount) (không số tiền) @@ -3029,412 +2770,396 @@ https://www.transifex.com/projects/p/dash/ SendCoinsDialog - - - + + + Send Coins Gửi tiền - + Coin Control Features Tính năng Coin Control - + Inputs... Đầu vào... - + automatically selected tự động chọn - + Insufficient funds! Không đủ tiền! - + Quantity: Số lượng: - + Bytes: Bytes: - + Amount: Số tiền: - + Priority: Ưu tiên: - + medium vừa - + Fee: Phí: - Low Output: - Low Output: - - - + Dust: - + Bụi - + no không - + After Fee: Phí sau: - + Change: Trả lại: - + If this is activated, but the change address is empty or invalid, change will be sent to a newly generated address. Nếu nó được kích hoạt, nhưng địa chỉ tiền nhận lại là trống hoặc không hợp lệ, thì tiền lẻ trả lại sẽ được gửi đến một địa chỉ được sinh mới. - + Custom change address Thay đổi địa chỉ tiền trả lại - + Transaction Fee: - + Phí giao dịch - + Choose... - + Chọn... - + collapse fee-settings - + - + Minimize - + Tối thiểu hoá - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + - + per kilobyte - + mỗi kilobyte - + If the custom fee is set to 1000 duffs and the transaction is only 250 bytes, then "per kilobyte" only pays 250 duffs in fee, while "total at least" pays 1000 duffs. For transactions bigger than a kilobyte both pay by kilobyte. - + - + total at least - + tổng ít nhất - - - Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for bitcoin transactions than the network can process. - + + + Paying only the minimum fee is just fine as long as there is less transaction volume than space in the blocks. But be aware that this can end up in a never confirming transaction once there is more demand for dash transactions than the network can process. + - + (read the tooltip) - + - + Recommended: - + Gợi ý: - + Custom: - + Tuỳ chỉnh: - + (Smart fee not initialized yet. This usually takes a few blocks...) - + - + Confirmation time: - + Thời gian xác thực: - + normal - + bình thường - + fast - + nhanh - + Send as zero-fee transaction if possible - + Gửi như là giao dịch không phí nếu có thể - + (confirmation may take longer) - + (xác thưc có thể mất lâu hơn) - + Confirm the send action Xác nhận việc gửi - + S&end &Gửi - + Clear all fields of the form. Xoá tất cả các ô. - + Clear &All Xoá &Tất cả - + Send to multiple recipients at once Gửi đến nhiều địa chỉ một lúc - + Add &Recipient Thêm &Người nhận - + Darksend Darksend - + InstantX InstantX - + Balance: Số dư: - + Copy quantity Sao chép số lượng - + Copy amount Sao chép số tiền - + Copy fee Sao chép phí - + Copy after fee Sao chép giá trị sau tính phí - + Copy bytes Sao chép bytes - + Copy priority Sao chép ưu tiên - Copy low output - Sao chép đầu ra thấp - - - + Copy dust - + Sao chép bụi - + Copy change Sao chép tiền trả lại - - - + + + using sử dụng - - + + anonymous funds các khoản tiền ẩn danh - + (darksend requires this amount to be rounded up to the nearest %1). (darksend yêu cầu số tiền này sẽ được làm tròn đến gần %1) - + any available funds (not recommended) bất kỳ khoản tiền sẵn nào (gợi ý không nên) - + and InstantX và InstantX - - - - + + + + %1 to %2 %1 đến %2 - + Are you sure you want to send? Bạn có chắc mình muốn gửi? - + are added as transaction fee được thêm vào như là phí giao dịch - + Total Amount %1 (= %2) Tổng số tiền %1 (= %2) - + or hoặc - + Confirm send coins Xác nhận việc gửi tiền - Payment request expired - Yêu cầu thanh toán đã hết hạn + + A fee %1 times higher than %2 per kB is considered an insanely high fee. + + + + + Estimated to begin confirmation within %n block(s). + Ước lượng để bắt đầu xác thực trong vòng %n khối. - Invalid payment address %1 - Địa chỉ thanh toán không hợp lệ %1 - - - + The recipient address is not valid, please recheck. Địa chỉ nhận không hợp lệ, hãy kiểm tra lại. - + The amount to pay must be larger than 0. Số tiền thanh toán phải lớn hơn 0. - + The amount exceeds your balance. Số tiền này lớn hơn số dư của bạn. - + The total exceeds your balance when the %1 transaction fee is included. Tổng số lớn hơn số dư của bạn khi tính cả %1 phí giao dịch. - + Duplicate address found, can only send to each address once per send operation. Thấy trùng địa chỉ, chỉ có thể gửi cho mỗi địa chỉ một lần trong một giao dịch gửi. - + Transaction creation failed! Tạo giao dịch không thành công! - + The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. Giao dịch đã bị từ chối! Điều này có thể xảy ra khi một số tiền trong ví của bạn đã được tiêu, ví dụ như là nếu bạn sử dụng một bản sao của wallet.dat và tiền đã được tiêu nhưng bản khác của ví nhưng lại chưa được đánh dấu đã tiêu trong bản này. - + Error: The wallet was unlocked only to anonymize coins. Lỗi: Ví vừa được mở chỉ cho việc ẩn danh tiền. - - A fee higher than %1 is considered an insanely high fee. - - - - + Pay only the minimum fee of %1 - + Thanh toán chỉ mức phí tối thiểu của %1 - - Estimated to begin confirmation within %1 block(s). - - - - + Warning: Invalid Dash address Cảnh báo: Địa chỉ Dash không hợp lệ - + Warning: Unknown change address Cảnh báo: Không biết địa chỉ trả lại - + (no label) (không có nhãn) @@ -3442,102 +3167,98 @@ https://www.transifex.com/projects/p/dash/ SendCoinsEntry - + This is a normal payment. Đây là giao dịch thông thường. - + Pay &To: Trả &Cho - The address to send the payment to (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Địa chỉ để gửi thanh toán (VD: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to send the payment to - + Địa chỉ Dash để gửi thanh toán - + Choose previously used address Chọn địa chỉ đã sử dụng trước - + Alt+A Alt+A - + Paste address from clipboard Dán địa chỉ từ clipboard - + Alt+P Alt+P - - - + + + Remove this entry Xoá thành phần này - + &Label: &Nhãn: - + Enter a label for this address to add it to the list of used addresses Nhập nhãn cho địa chỉ này để đưa vào danh sách địa chỉ đã dùng - - - + + + A&mount: &Số tiền: - + Message: Thông điệp: - + A message that was attached to the dash: URI which will be stored with the transaction for your reference. Note: This message will not be sent over the Dash network. Một thông điệp được đính với dash: URI đó sẽ được lưu trữ với các giao dịch cho các bạn tham khảo. Lưu ý: Thông điệp này sẽ không được gửi qua mạng Dash. - + This is an unverified payment request. Đây là yêu cầu thanh toán chưa được xác thực. - - + + Pay To: Trả cho: - - + + Memo: Ghi nhớ: - + This is a verified payment request. Đây là một yêu cầu thanh toán được xác thực. - + Enter a label for this address to add it to your address book Nhập nhãn cho địa chỉ để thêm nó vào sổ địa chỉ của bạn. @@ -3545,12 +3266,12 @@ https://www.transifex.com/projects/p/dash/ ShutdownWindow - + Dash Core is shutting down... Dash Core đang được tắt... - + Do not shut down the computer until this window disappears. Đừng tắt máy tính cho đến khi cửa sổ này biến mất. @@ -3558,193 +3279,181 @@ https://www.transifex.com/projects/p/dash/ SignVerifyMessageDialog - + Signatures - Sign / Verify a Message Chữ ký - Ký / Kiểm tra Thông điệp - + &Sign Message &Ký thông điệp - + You can sign messages with your addresses to prove you own them. Be careful not to sign anything vague, as phishing attacks may try to trick you into signing your identity over to them. Only sign fully-detailed statements you agree to. Bạn có thể ký vào thông điệp với địa chỉ của bạn để chứng minh bạn là chủ của nó. Hãy cẩn thận không ký vào những gì mơ hồ, như là thứ lừa đảo để lừa bạn ký xác nhận của bạn vào đó cho họ. Chỉ ký vào những gì mà bạn hoàn thoàn đồng ý. - The address to sign the message with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Địa chỉ để ký thông điệp với (VD: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + The Dash address to sign the message with - + Địa chỉ Dash để ký cho thông điệp - - + + Choose previously used address Chọn địa chỉ đã dùng - - + + Alt+A Alt+A - + Paste address from clipboard Dán địa chỉ từ clipboard - + Alt+P Alt+P - + Enter the message you want to sign here Nhập vào thông điệp mà bạn muốn ký tại đây - + Signature Chữ ký - + Copy the current signature to the system clipboard Copy chữ ký hiện tại vào bộ đệm của hệ thống - + Sign the message to prove you own this Dash address Ký vào thông điệp để chứng tỏ bạn sở hữu địa chỉ Dash - + Sign &Message &Ký thông điệp - + Reset all sign message fields Tái lập lại tất cả các trường cần ký - - + + Clear &All Xoá &tất cả - + &Verify Message &Xác thực Thông điệp - + Enter the signing address, message (ensure you copy line breaks, spaces, tabs, etc. exactly) and signature below to verify the message. Be careful not to read more into the signature than what is in the signed message itself, to avoid being tricked by a man-in-the-middle attack. Hãy nhập địa chỉ ký, thông điệp (hãy chắc chắn rằng bạn copy cả các dấu xuống dòng, dấu cách, tab,... một cách chính xác) và chữ ký dưới đây để xác thực cho thông điệp. Hãy cẩn thận không thêm vào chữ ký hơn so với bản thân nó trong thông điệp đã ký, để tránh bị đánh lừa bởi kiểu tấn công người trung gian. - + The Dash address the message was signed with - + Địa chỉ Dash mà thông điệp được ký bởi - The address the message was signed with (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Địa chỉ mà thông điệp được ký (VD: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - + Verify the message to ensure it was signed with the specified Dash address Kiểm tra lại thông điệp để đảm bảo rằng nó được ký với địa chỉ Dash cụ thể - + Verify &Message Xác thực &Thông điệp - + Reset all verify message fields Tái lập lại tất cả các trường kiểm tra - + Click "Sign Message" to generate signature Bấm "Ký Thông điệp" để sinh chữ ký - Enter a Dash address (e.g. XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - Nhập một địa chỉ Dardcoin: (VD: XwnLY9Tf7Zsef8gMGL2fhWA9ZmMjt4KPwg) - - - - + + The entered address is invalid. Địa chỉ vừa nhập không hợp lệ. - - - - + + + + Please check the address and try again. Hãy kiểm tra địa chỉ và thử lại. - - + + The entered address does not refer to a key. Địa chỉ bạn nhập không đề cập đến một khoá. - + Wallet unlock was cancelled. Mở khoá ví bị huỷ bỏ. - + Private key for the entered address is not available. Khoá riêng cho địa chỉ vừa nhập không có. - + Message signing failed. Ký vào thông điệp thất bại. - + Message signed. Thông điệp đã được ký. - + The signature could not be decoded. Chữ ký không thể giải mã được. - - + + Please check the signature and try again. Hãy kiểm tra chữ ký và thử lại. - + The signature did not match the message digest. Chữ ký không tương xứng với nội dung thông điệp. - + Message verification failed. Không thể xác thực thông điệp. - + Message verified. Thông điệp đã được xác thực. @@ -3752,27 +3461,27 @@ https://www.transifex.com/projects/p/dash/ SplashScreen - + Dash Core Dash Core - + Version %1 Phiên bản %1 - + The Bitcoin Core developers Nhóm phát triển Bitcoin Core - + The Dash Core developers Nhóm phát triển Dash Core - + [testnet] [mạng thử] @@ -3780,7 +3489,7 @@ https://www.transifex.com/projects/p/dash/ TrafficGraphWidget - + KB/s KB/s @@ -3788,251 +3497,245 @@ https://www.transifex.com/projects/p/dash/ TransactionDesc - + Open for %n more block(s) - - Mở thêm %n khối - + Mở cho %n khối nữa - + Open until %1 Mở đến khi %1 - - - - + + + + conflicted xung đột - + %1/offline (verified via instantx) %1/ngắt kết nối (đã được kiểm tra qua instantx) - + %1/confirmed (verified via instantx) %1/đã được xác nhận (đã được kiểm tra qua instantx) - + %1 confirmations (verified via instantx) %1 xác nhận (đã được kiểm tra qua instantx) - + %1/offline %1/ngắt kết nối - + %1/unconfirmed %1/chưa xác nhận - - + + %1 confirmations %1 xác nhận - + %1/offline (InstantX verification in progress - %2 of %3 signatures) %1/mất kết nối (Đang trong tiến trình kiểm tra InstantX - %2 trên %3 các chữ ký) - + %1/confirmed (InstantX verification in progress - %2 of %3 signatures ) %1/được xác nhận (Đang trong tiến trình kiểm tra InstantX - %2 trên %3 các chữ ký) - + %1 confirmations (InstantX verification in progress - %2 of %3 signatures) %1 xác nhận (Đang trong tiến trình kiểm tra InstantX - %2 trên %3 các chữ ký) - + %1/offline (InstantX verification failed) %1/mất kết nối (Thất bại trong việc kiểm tra InstantX) - + %1/confirmed (InstantX verification failed) %1/đã được xác nhận (Thất bại trong việc kiểm tra InstantX) - + Status Trạng thái - + , has not been successfully broadcast yet , đã không được phát sóng thành công - + , broadcast through %n node(s) - - , phát sóng thông qua %n nút - + , quảng bá thông qua %n điểm nút - + Date Ngày - + Source Nguồn - + Generated Đã được sinh - - - + + + From Từ - + unknown không biết - - - + + + To Đến - + own address địa chỉ của mình - - + + watch-only - + chỉ theo dõi - + label nhãn - - - - - + + + + + Credit - + matures in %n more block(s) - - đầy đủ trong %n khối nữa - + - + not accepted không chấp nhận - - - + + + Debit Nợ - + Total debit - + Tổng nợ - + Total credit - + Tổng có - + Transaction fee Phí giao dịch - + Net amount Số tiền chưa gồm phí - - + + Message Thông điệp - + Comment Bình luận - + Transaction ID Mã giao dịch - + Merchant Người bán - + Generated coins must mature %1 blocks before they can be spent. When you generated this block, it was broadcast to the network to be added to the block chain. If it fails to get into the chain, its state will change to "not accepted" and it won't be spendable. This may occasionally happen if another node generates a block within a few seconds of yours. Coin được tạo phải được trưởng thành 1% khối trước khi chúng có thể được tiêu. Khi bạn sinh khối này, nó được quảng bá trong mạng để thêm vào chuỗi khối. Nếu nó không được đưa vào chuỗi, trạng thái của nó được chuyển thành "không được chấp nhận" và sẽ không thể tiêu được. Điều này thỉnh thoảng có xảy ra nếu những nút khác cũng sinh trong vòng vài giây với khối của bạn. - + Debug information Thông tin gỡ rối - + Transaction Giao dịch - + Inputs Đầu vào - + Amount Số tiền - - + + true đúng - - + + false sai @@ -4040,12 +3743,12 @@ https://www.transifex.com/projects/p/dash/ TransactionDescDialog - + Transaction details Chi tiết giao dịch - + This pane shows a detailed description of the transaction Bảng này hiển thị mô tả chi tiết về giao dịch @@ -4053,168 +3756,162 @@ https://www.transifex.com/projects/p/dash/ TransactionTableModel - + Date Ngày - + Type Kiểu - + Address Địa chỉ - - Amount - Số tiền - - + Open for %n more block(s) - - Mở thêm %n khối - + Mở cho %n khối nữa - + Open until %1 Mở đến khi %1 - + Offline Ngắt kết nối - + Unconfirmed Chưa xác thực - + Confirming (%1 of %2 recommended confirmations) Đang xác nhận (%1 của %2 xác nhận được đề nghị) - + Confirmed (%1 confirmations) Được xác nhận (%1 xác nhận) - + Conflicted Xung đột - + Immature (%1 confirmations, will be available after %2) Chưa hoàn thành (%1 xác nhận, sẽ sẵn sàng sau %2) - + This block was not received by any other nodes and will probably not be accepted! Khối này đã không nhận được bởi bất kỳ các nút nào khác và có thể sẽ không được chấp nhận! - + Generated but not accepted Đã sinh nhưng không được chấp nhận - + Received with Nhận với - + Received from Nhận từ - + Received via Darksend Nhận qua Darksend - + Sent to Gửi đến - + Payment to yourself Trả cho bản thân bạn - + Mined Được đào - + Darksend Denominate Darksend Denominate - + Darksend Collateral Payment Thanh toán Darksend Collateral - + Darksend Make Collateral Inputs Darksend tạo đầu vào Collateral - + Darksend Create Denominations Darksend tạo các mệnh giá - + Darksent Darksent - + watch-only - + chỉ theo dõi - + (n/a) (không áp dụng) - + Transaction status. Hover over this field to show number of confirmations. Trạng thái giao dịch: Di chuột qua ô này để hiển thị số lần xác nhận. - + Date and time that the transaction was received. Thời gian giao dịch đã được nhận. - + Type of transaction. Kiểu giao dịch. - + Whether or not a watch-only address is involved in this transaction. - + - + Destination address of transaction. Địa chỉ đích của giao dịch. - + Amount removed from or added to balance. Lượng tiền được gỡ bỏ hoặc thêm vào số dư. @@ -4222,207 +3919,208 @@ https://www.transifex.com/projects/p/dash/ TransactionView - - + + All Tất cả - + Today Hôm nay - + This week Tuần này - + This month Tháng này - + Last month Tháng gần nhất - + This year Năm nay - + Range... Khoảng... - + + Most Common + Phổ biến nhất + + + Received with Nhận với - + Sent to Gửi đến - + Darksent Darksent - + Darksend Make Collateral Inputs Darksend tạo đầu vào Collateral - + Darksend Create Denominations Darksend tạo các mệnh giá - + Darksend Denominate Darksend Denominate - + Darksend Collateral Payment Thanh toán Darksend Collateral - + To yourself Đến bản thân bạn - + Mined Được đào - + Other Khác - + Enter address or label to search Nhập địa chỉ hoặc nhãn để tìm - + Min amount Số tiền tối thiểu - + Copy address Sao chép địa chỉ - + Copy label Sao chép nhãn - + Copy amount Sao chép số tiền - + Copy transaction ID Sao chép mã giao dịch - + Edit label Sửa nhãn - + Show transaction details Xem chi tiết giao dịch - + Export Transaction History Kết xuất Lịch sử Giao dịch - + Comma separated file (*.csv) File định dạng phân cách bởi dấu phẩy (*.csv) - + Confirmed Đã được xác nhận - + Watch-only - + Chỉ theo dõi - + Date Ngày - + Type Kiểu - + Label Nhãn - + Address Địa chỉ - Amount - Số tiền - - - + ID - + Exporting Failed Kết xuất không thành công - + There was an error trying to save the transaction history to %1. Có một lỗi xảy ra khi lưu lịch sử giao dịch vào %1. - + Exporting Successful Kết xuất thành công - + The transaction history was successfully saved to %1. Lịch sử giao dịch đã được lưu thành công vào %1. - + Range: Khoảng: - + to đến @@ -4430,15 +4128,15 @@ https://www.transifex.com/projects/p/dash/ UnitDisplayStatusBarControl - + Unit to show amounts in. Click to select another unit. - + WalletFrame - + No wallet has been loaded. Không có ví nào được nạp. @@ -4446,58 +4144,58 @@ https://www.transifex.com/projects/p/dash/ WalletModel - - + + + Send Coins Gửi tiền - - - InstantX doesn't support sending values that high yet. Transactions are currently limited to %n DASH. - - InstantX không hỗ trợ để gửi giá trị lớn đến như vậy. Giới hạn giao dịch hiện tại đến %n DASH. - + + + + InstantX doesn't support sending values that high yet. Transactions are currently limited to %1 DASH. + WalletView - + &Export &Kết xuất - + Export the data in the current tab to a file Kết xuất dữ liệu trong tab này sang một file - + Backup Wallet Sao lưu Ví - + Wallet Data (*.dat) Dữ liệu Ví (*.dat) - + Backup Failed Sao lưu không thành công - + There was an error trying to save the wallet data to %1. Có lỗi xảy ra khi lưu dữ liệu ví xuống %1. - + Backup Successful Sao lưu thành công - + The wallet data was successfully saved to %1. Dữ liệu ví đã được lưu thành công vào %1. @@ -4505,8 +4203,503 @@ https://www.transifex.com/projects/p/dash/ dash-core - - %s, you must set a rpcpassword in the configuration file: + + Bind to given address and always listen on it. Use [host]:port notation for IPv6 + Liên kết với địa chỉ nhất định và luôn luôn lắng nghe trên đó. Sử dụng ký hiệu [host]:port cho IPv6 + + + + Cannot obtain a lock on data directory %s. Dash Core is probably already running. + Không nhận được một khoá trong thư mục %s. Dash Core có thể đã đang chạy. + + + + Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. + Darksend sử dụng số lượng mệnh giá nhất định để gửi tiền, bạn có thể chỉ cần đơn giản ẩn danh vài coin nữa. + + + + Enter regression test mode, which uses a special chain in which blocks can be solved instantly. + Hãy nhập chế độ kiểm tra hồi quy, mà sử dụng một chuỗi đặc biệt mà trong những khối được giải tức thời. + + + + Error: Listening for incoming connections failed (listen returned error %s) + Lỗi: Lắng nghe để nhận kết nối bị lỗi (lỗi trả về %s) + + + + Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) + Thực hiện lệnh khi một cảnh báo liên quan được nhận hoặc chúng ta thấy sự phân nhánh thực sự dài (%s trong cmd được thay bởi message) + + + + Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) + Thực hiện lệnh khi một giao dịch ví thay đổi (%s trong cmd được thay thế bởi TxID) + + + + Execute command when the best block changes (%s in cmd is replaced by block hash) + Thực hiện lệnh khi khối tốt nhất thay đổi (%s trong cmd được thay thế bởi giá trị băm của khối) + + + + Found unconfirmed denominated outputs, will wait till they confirm to continue. + Đã thấy các mệnh giá đầu ra chưa được xác nhận, sẽ đợi đến khi chúng xác nhận để tiếp tục. + + + + In this mode -genproclimit controls how many blocks are generated immediately. + Chế độ này -genproclimit kiểm soát bao nhiêu khối được sinh tức thời. + + + + InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. + InstantX cần đầu vào với ít nhất 6 xác nhận, bạn có thể cần phải đợi vài phút và thử lại. + + + + Name to construct url for KeePass entry that stores the wallet passphrase + Đặt tên để tạo dựng url cho các thành phần KeePass mà nó sẽ lưu giữ mật khẩu của ví + + + + Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) + Truy vấn địa chỉ đối tác ngang hàng thông qua tìm kiếm DNS, nếu có ít địa chỉ (ngầm định: 1 trừ trường hợp -connect) + + + + Set external address:port to get to this masternode (example: address:port) + Đặt external address:port cho masternode này (ví dụ: address:port) + + + + Set maximum size of high-priority/low-fee transactions in bytes (default: %d) + Đặt kích thước tối đa cho giao dịch với ưu tiên cao/phí thấp theo bytes (ngầm định: %d) + + + + Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) + Thiết lập số luồng của kịch bản kiểm tra (%u to %d, 0 = tự động, <0 = để nhiều lõi miễn phí, ngầm định: %d) + + + + This is a pre-release test build - use at your own risk - do not use for mining or merchant applications + Đây là phiên bản chưa chính thức - hãy dùng và tự chấp nhận mạo hiểm - đừng dùng để đào coin hoặc các ứng dụng thương mại. + + + + Unable to bind to %s on this computer. Dash Core is probably already running. + Không thể để ràng buộc vào %s trên máy tính này. Dash Core có thể đã chạy. + + + + Unable to locate enough Darksend denominated funds for this transaction. + Không tìm đủ ngân sách Darksend denominated cho giao dịch này. + + + + Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. + Không tìm đủ ngân sách Darksend denominated cho giao dịch mà nó không bằng 1000 DASH + + + + Unable to locate enough Darksend non-denominated funds for this transaction. + Không kiếm đủ ngân sách Darksend non-denominated cho giao dịch này. + + + + Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. + Cảnh báo: -paytxfee được đặt rất cao! Đây là mức phí giao dịch mà bạn sẽ trả nếu bạn gửi một giao dịch. + + + + Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. + Cảnh báo: Mạng lưới có vẻ chưa hoàn toàn đồng ý! Một vài máy đào có vẻ như đã kinh nghiệm với những vấn đề này. + + + + Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. + Cảnh báo: Chúng ta có vẻ không được sự đồng ý một cách đầy đủ từ các đối tác ngang hàng! Bạn cần nâng cấp hoặc các nút khác cần nâng cấp. + + + + Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. + Cảnh báo: lỗi đọc tệp wallet.dat! Tất cả các khoá được đọc đúng, như dữ liệu giao dich hoặc các thành phần địa chỉ khối có thể bị mất hoặc không chính xác. + + + + Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. + Cảnh báo: wallet.dat đã bị hỏng, dữ liệu đã được cứu! Tệp gốc wallet.dat đã được lưu thành wallet.{timestamp}.bak trong %s; nếu số dư hoặc các giao dịch của bạn không chính xác, bạn có thể khôi phục từ bản sao lưu. + + + + You must specify a masternodeprivkey in the configuration. Please see documentation for help. + Bạn cần chỉ rõ masternodeprivkey trong tệp cấu hình. Hãy xem tài liệu để có hướng dẫn. + + + + (default: 1) + (ngầm định: 1) + + + + Accept command line and JSON-RPC commands + Chấp nhận dòng lệnh và các lệnh JSON-RPC + + + + Accept connections from outside (default: 1 if no -proxy or -connect) + Chấp nhật kết nối từ ngoài (ngầm định: 1 nếu không có -proxy hoặc -connect) + + + + Add a node to connect to and attempt to keep the connection open + Thêm nút để kết nối tới và giữ mở kết nối + + + + Allow DNS lookups for -addnode, -seednode and -connect + Cho phép DNS tìm kiếm -addnode, -seednode và -connect + + + + Already have that input. + Đã có đầu vào đó. + + + + Attempt to recover private keys from a corrupt wallet.dat + Thử khôi phục khoá riêng từ tệp wallet.dat bị lỗi + + + + Block creation options: + Tuỳ chọn tạo khối: + + + + Can't denominate: no compatible inputs left. + Không thể định giá: không còn đầu vào tương tích. + + + + Cannot downgrade wallet + Không thể hạ cấp ví + + + + Cannot resolve -bind address: '%s' + Không thể phân giải địa chỉ -bind: '%s' + + + + Cannot resolve -externalip address: '%s' + Không thể phân giải địa chỉ -externalip: '%s' + + + + Cannot write default address + Không thể viết vào địa chỉ ngầm định + + + + Collateral not valid. + Collateral không hợp lệ. + + + + Connect only to the specified node(s) + Kết nối chỉ với (các) nút nhất định + + + + Connect to a node to retrieve peer addresses, and disconnect + Kết nối với một nút để lấy địa chỉ ngang hàng, và ngắt kết nối + + + + Connection options: + Tuỳ chọn kết nối: + + + + Corrupted block database detected + Phát hiện ra dữ liệu khối bị hỏng + + + + Darksend is disabled. + Darksend đã được tắt. + + + + Darksend options: + Tuỳ chọn Darksend: + + + + Debugging/Testing options: + Tuỳ chọn Gỡ rối/Kiểm tra: + + + + Discover own IP address (default: 1 when listening and no -externalip) + Phát hiện địa chỉ IP của mình (ngầm định: 1 khi lắng nghe và không dùng -externalip) + + + + Do not load the wallet and disable wallet RPC calls + Không tải ví và tắt các lời gọi ví RPC + + + + Do you want to rebuild the block database now? + Bạn có muốn xây dựng lại dữ liệu khối bây giờ không? + + + + Done loading + Nạp xong + + + + Entries are full. + Các đầu vào đã đầy. + + + + Error initializing block database + Lỗi khởi tạo cơ sở dữ liệu khối + + + + Error initializing wallet database environment %s! + Lỗi khởi tạo cơ sở dữ liệu môi trường ví %s! + + + + Error loading block database + Lỗi nạp cơ sở dữ liệu khối + + + + Error loading wallet.dat + Lỗi nạp wallet.dat + + + + Error loading wallet.dat: Wallet corrupted + Lỗi nạp wallet.dat: Ví bị lỗi + + + + Error opening block database + Lỗi mở cơ sở dữ liệu khối + + + + Error reading from database, shutting down. + Lỗi đọc từ cơ sở dữ liệu, đang tắt phần mềm. + + + + Error recovering public key. + Lỗi khi phục hồi khoá công khai. + + + + Error + Lỗi + + + + Error: Disk space is low! + Lỗi: Dung lượng đĩa thấp! + + + + Error: Wallet locked, unable to create transaction! + Lỗi: Ví đã bị khoá, không thể tạo giao dịch! + + + + Error: You already have pending entries in the Darksend pool + Lỗi: Bạn đã có các thành phần đang chờ trong Darksend pool + + + + Failed to listen on any port. Use -listen=0 if you want this. + Không thành công khi lắng nghe trên các cổng. Sử dụng -listen=0 nếu bạn muốn nó. + + + + Failed to read block + Thất bại trong việc đọc khối + + + + If <category> is not supplied, output all debugging information. + Nếu <category> không được cung cấp, đưa ra tất cả các thông tin gỡ rối. + + + + (1 = keep tx meta data e.g. account owner and payment request information, 2 = drop tx meta data) + + + + + Allow JSON-RPC connections from specified source. Valid for <ip> are a single IP (e.g. 1.2.3.4), a network/netmask (e.g. 1.2.3.4/255.255.255.0) or a network/CIDR (e.g. 1.2.3.4/24). This option can be specified multiple times + + + + + An error occurred while setting up the RPC address %s port %u for listening: %s + + + + + Bind to given address and whitelist peers connecting to it. Use [host]:port notation for IPv6 + + + + + Bind to given address to listen for JSON-RPC connections. Use [host]:port notation for IPv6. This option can be specified multiple times (default: bind to all interfaces) + + + + + Change automatic finalized budget voting behavior. mode=auto: Vote for only exact finalized budget match to my generated budget. (string, default: auto) + + + + + Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:%u) + + + + + Create new files with system default permissions, instead of umask 077 (only effective with disabled wallet functionality) + + + + + Delete all wallet transactions and only recover those parts of the blockchain through -rescan on startup + + + + + Disable all Masternode and Darksend related functionality (0-1, default: %u) + + + + + Distributed under the MIT software license, see the accompanying file COPYING or <http://www.opensource.org/licenses/mit-license.php>. + + + + + Enable instantx, show confirmations for locked transactions (bool, default: %s) + Bật InstantX, hiển thị các xác thực cho các giao dịch bị khoá (bool, ngầm định: %s) + + + + Enable use of automated darksend for funds stored in this wallet (0-1, default: %u) + + + + + Error: Unsupported argument -socks found. Setting SOCKS version isn't possible anymore, only SOCKS5 proxies are supported. + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for relaying (default: %s) + + + + + Fees (in DASH/Kb) smaller than this are considered zero fee for transaction creation (default: %s) + + + + + Flush database activity from memory pool to disk log every <n> megabytes (default: %u) + + + + + How thorough the block verification of -checkblocks is (0-4, default: %u) + + + + + If paytxfee is not set, include enough fee so transactions begin confirmation on average within n blocks (default: %u) + + + + + Invalid amount for -maxtxfee=<amount>: '%s' (must be at least the minrelay fee of %s to prevent stuck transactions) + + + + + Log transaction priority and fee per kB when mining blocks (default: %u) + + + + + Maintain a full transaction index, used by the getrawtransaction rpc call (default: %u) + + + + + Maximum size of data in data carrier transactions we relay and mine (default: %u) + + + + + Maximum total fees to use in a single wallet transaction, setting too low may abort large transactions (default: %s) + + + + + Number of seconds to keep misbehaving peers from reconnecting (default: %u) + + + + + Output debugging information (default: %u, supplying <category> is optional) + + + + + Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: %u, 1=very frequent, high fees, 100=very infrequent, low fees) + + + + + Require high priority for relaying free or low-fee transactions (default:%u) + + + + + Set the number of threads for coin generation if enabled (-1 = all cores, default: %d) + + + + + Show N confirmations for a successfully locked transaction (0-9999, default: %u) + + + + + This product includes software developed by the OpenSSL Project for use in the OpenSSL Toolkit <https://www.openssl.org/> and cryptographic software written by Eric Young and UPnP software written by Thomas Bernard. + + + + + To use dashd, or the -server option to dash-qt, you must set an rpcpassword in the configuration file: %s It is recommended you use the following random password: rpcuser=dashrpc @@ -4517,1358 +4710,911 @@ If the file does not exist, create it with owner-readable-only file permissions. It is also recommended to set alertnotify so you are notified of problems; for example: alertnotify=echo %%s | mail -s "Dash Alert" admin@foo.com - %s, bạn phải gửi một rpcpassword trong tệp cấu hình: -%s -Gợi ý rằng bạn sử dụng mật khẩu ngẫu nhiên sau: -rpcuser=dảkcoinrpc -rpcpassword=%s -(bạn không cần thiết phải nhớ mật khẩu này) -Username và mật khẩu KHÔNG ĐƯỢC giống nhau. -Nếu tệp không tồn tại, tạo nó với quyền owner-readable-only. -Cũng gợi ý rằng bạn nên đặt alertnotify để bạn có thể nhận thông báo về những vấn đề; -ví dụ: alertnotify=echo %%s | mail -s "Cảnh báo Dash" admin@foo.com - + - - Acceptable ciphers (default: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) - Các mã hoá chấp nhận được (ngầm định: TLSv1.2+HIGH:TLSv1+HIGH:!SSLv2:!aNULL:!eNULL:!3DES:@STRENGTH) + + Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: %s) + - - An error occurred while setting up the RPC port %u for listening on IPv4: %s - Có lỗi xảy ra khi thiết lập cổng RPC để lắng nghe trên IPv4: %s + + Warning: -maxtxfee is set very high! Fees this large could be paid on a single transaction. + - - An error occurred while setting up the RPC port %u for listening on IPv6, falling back to IPv4: %s - Một lỗi xảy ra trong khi thiết lập cổng RPC để lắng nghe trên IPv6, chuyển xuống IPv4: %s + + Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash Core will not work properly. + - - Bind to given address and always listen on it. Use [host]:port notation for IPv6 - Liên kết với địa chỉ nhất định và luôn luôn lắng nghe trên đó. Sử dụng ký hiệu [host]:port cho IPv6 + + Whitelist peers connecting from the given netmask or IP address. Can be specified multiple times. + - - Cannot obtain a lock on data directory %s. Dash Core is probably already running. - Không nhận được một khoá trong thư mục %s. Dash Core có thể đã đang chạy. + + Whitelisted peers cannot be DoS banned and their transactions are always relayed, even if they are already in the mempool, useful e.g. for a gateway + - - Continuously rate-limit free transactions to <n>*1000 bytes per minute (default:15) - Liên tục giới hạn tỷ lệ miễn phí giao dịch về <n>*1000 byte cho mỗi phút (ngầm định: 15) + + (default: %s) + (ngầm định: %s) - - Darksend uses exact denominated amounts to send funds, you might simply need to anonymize some more coins. - Darksend sử dụng số lượng mệnh giá nhất định để gửi tiền, bạn có thể chỉ cần đơn giản ẩn danh vài coin nữa. + + <category> can be: + + - - Disable all Masternode and Darksend related functionality (0-1, default: 0) - Tắt tất cả các chức năng liên quan đến Masternode và Darksend (0-1, ngầm định: 0) + + Accept public REST requests (default: %u) + - - Enable instantx, show confirmations for locked transactions (bool, default: true) - Cho phép InstantX, hiển thị xác nhận cho các giao dịch bị khoá (bool, ngầm định: true) + + Acceptable ciphers (default: %s) + - - Enable use of automated darksend for funds stored in this wallet (0-1, default: 0) - Cho phép sử dụng tự động darksend cho những ngân sách được lưu trong ví (0-1, ngầm định: 0) + + Always query for peer addresses via DNS lookup (default: %u) + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. This is intended for regression testing tools and app development. - Hãy nhập chế độ kiểm tra hồi quy, mà sử dụng một chuỗi đặc biệt mà trong những khối được giải tức thời. Điều này là để dành cho công cụ kiểm tra hồi quy và phát triển ứng dụng. + + Cannot resolve -whitebind address: '%s' + - - Enter regression test mode, which uses a special chain in which blocks can be solved instantly. - Hãy nhập chế độ kiểm tra hồi quy, mà sử dụng một chuỗi đặc biệt mà trong những khối được giải tức thời. + + Connect through SOCKS5 proxy + Kết nối thông qua SOCKS 5 proxy - - Error: Listening for incoming connections failed (listen returned error %s) - Lỗi: Lắng nghe để nhận kết nối bị lỗi (lỗi trả về %s) + + Connect to KeePassHttp on port <port> (default: %u) + - - Error: The transaction was rejected! This might happen if some of the coins in your wallet were already spent, such as if you used a copy of wallet.dat and coins were spent in the copy but not marked as spent here. - Lỗi: Giao dịch bị từ chối! Nó có thể xảy ra nếu một số tiền trong ví của bạn đã được tiêu, ví dụ như trường hợp bạn sử dụng bản sao của wallet.dat và số tiền đã được tiêu trong bản sao nhưng không được đánh dấu đã được tiêu ở đây. + + Copyright (C) 2009-%i The Bitcoin Core Developers + Bản quyền (C) 2009-%i bởi Nhóm phát triển Bitcoin Core - - Error: This transaction requires a transaction fee of at least %s because of its amount, complexity, or use of recently received funds! - Lỗi: Giao dịch này cần khoản phí giao dịch ít nhất %s bởi vì số tiền của nó, mức độ phức tạp, hoặc sử dụng nguồn tiền mới nhận! + + Copyright (C) 2014-%i The Dash Core Developers + Bản quyền (C) 2014-%i bởi Nhóm phát triển Dash Core - - Error: Wallet unlocked for anonymization only, unable to create transaction. - Lỗi: Ví đã được mở chỉ cho việc ẩn danh, không thể tạo được giao dịch. + + Could not parse -rpcbind value %s as network address + - - Execute command when a relevant alert is received or we see a really long fork (%s in cmd is replaced by message) - Thực hiện lệnh khi một cảnh báo liên quan được nhận hoặc chúng ta thấy sự phân nhánh thực sự dài (%s trong cmd được thay bởi message) + + Darksend is idle. + Darksend đang nghỉ. - - Execute command when a wallet transaction changes (%s in cmd is replaced by TxID) - Thực hiện lệnh khi một giao dịch ví thay đổi (%s trong cmd được thay thế bởi TxID) + + Darksend request complete: + Yêu cầu Darksend hoàn thành: - - Execute command when the best block changes (%s in cmd is replaced by block hash) - Thực hiện lệnh khi khối tốt nhất thay đổi (%s trong cmd được thay thế bởi giá trị băm của khối) + + Darksend request incomplete: + Yêu cầu Darksend chưa hoàn thành: - - Fees smaller than this are considered zero fee (for transaction creation) (default: - Mức phí nhỏ hơn này có thể được xem là không phí (để cho việc tạo giao dịch) (ngầm định: + + Disable safemode, override a real safe mode event (default: %u) + Tắt chế độ an toàn, ghi đè lên một sự kiện của chế đọ an toàn (ngầm định: %u) - - Flush database activity from memory pool to disk log every <n> megabytes (default: 100) - Đẩy các hoạt động với cơ sở dữ liệu từ bộ nhớ xuống nhật ký trên đĩa mỗi <n> megabytes (ngầm định: 100) + + Enable the client to act as a masternode (0-1, default: %u) + Cho phép phần mềm hoạt động như là masternode (0-1, ngầm định: %u) - - Found unconfirmed denominated outputs, will wait till they confirm to continue. - Đã thấy các mệnh giá đầu ra chưa được xác nhận, sẽ đợi đến khi chúng xác nhận để tiếp tục. + + Error connecting to Masternode. + Lỗi kết nối tới Masternode. - - How thorough the block verification of -checkblocks is (0-4, default: 3) - Cách kiểm tra khối triệt để -checkblocks là (0-4, ngầm định: 3) + + Error loading wallet.dat: Wallet requires newer version of Dash Core + Lỗi nạp wallet.dat: Ví cần một phiên bản mới hơn của Dash Core - - In this mode -genproclimit controls how many blocks are generated immediately. - Chế độ này -genproclimit kiểm soát bao nhiêu khối được sinh tức thời. + + Error: A fatal internal error occured, see debug.log for details + - - InstantX requires inputs with at least 6 confirmations, you might need to wait a few minutes and try again. - InstantX cần đầu vào với ít nhất 6 xác nhận, bạn có thể cần phải đợi vài phút và thử lại. + + Error: Unsupported argument -tor found, use -onion. + - - Listen for JSON-RPC connections on <port> (default: 9998 or testnet: 19998) - Lắng nghe kết nối từ JSON-RPC trên <cổng> (ngầm định: 9998 hoặc mạng thử: 19998) + + Fee (in DASH/kB) to add to transactions you send (default: %s) + - - Name to construct url for KeePass entry that stores the wallet passphrase - Đặt tên để tạo dựng url cho các thành phần KeePass mà nó sẽ lưu giữ mật khẩu của ví + + Finalizing transaction. + Đang hoàn tất giao dịch. - - Number of seconds to keep misbehaving peers from reconnecting (default: 86400) - Số giây hạn chế để không cho phép các đối tác ngang hàng kết nối lại (ngầm định: 86400) + + Force safe mode (default: %u) + Cưỡng bức ở chế độ an toàn (ngầm định: %u) - - Output debugging information (default: 0, supplying <category> is optional) - Kết xuất thông tin gỡ rối (ngầm định: 0, cung cấp <category> là không bắt buộc) + + Found enough users, signing ( waiting %s ) + - - Provide liquidity to Darksend by infrequently mixing coins on a continual basis (0-100, default: 0, 1=very frequent, high fees, 100=very infrequent, low fees) - Cung cấp thanh khoản cho Darksend bằng việc thường xuyên trộn tiền một cách liên tục (0-100, ngầm định: 0, 1=rất thường xuyên, phí cao, 100=rất ít thường xuyên, phí thấp) + + Found enough users, signing ... + Đã kiếm đủ người dùng, đang ký ... - - Query for peer addresses via DNS lookup, if low on addresses (default: 1 unless -connect) - Truy vấn địa chỉ đối tác ngang hàng thông qua tìm kiếm DNS, nếu có ít địa chỉ (ngầm định: 1 trừ trường hợp -connect) - - - - Set external address:port to get to this masternode (example: address:port) - Đặt external address:port cho masternode này (ví dụ: address:port) - - - - Set maximum size of high-priority/low-fee transactions in bytes (default: %d) - Đặt kích thước tối đa cho giao dịch với ưu tiên cao/phí thấp theo bytes (ngầm định: %d) - - - - Set the number of script verification threads (%u to %d, 0 = auto, <0 = leave that many cores free, default: %d) - Thiết lập số luồng của kịch bản kiểm tra (%u to %d, 0 = tự động, <0 = để nhiều lõi miễn phí, ngầm định: %d) - - - - Set the processor limit for when generation is on (-1 = unlimited, default: -1) - Đặt giới hạn xử lý khi quá trình phát sinh là bật (-1 = không giới hạn, ngầm định: -1) - - - - Show N confirmations for a successfully locked transaction (0-9999, default: 1) - Hiển thị N xác nhận cho mỗi giao dịch được khoá thành công (0-9999, ngầm định: 1) - - - - This is a pre-release test build - use at your own risk - do not use for mining or merchant applications - Đây là phiên bản chưa chính thức - hãy dùng và tự chấp nhận mạo hiểm - đừng dùng để đào coin hoặc các ứng dụng thương mại. - - - - Unable to bind to %s on this computer. Dash Core is probably already running. - Không thể để ràng buộc vào %s trên máy tính này. Dash Core có thể đã chạy. - - - - Unable to locate enough Darksend denominated funds for this transaction. - Không tìm đủ ngân sách Darksend denominated cho giao dịch này. - - - - Unable to locate enough Darksend non-denominated funds for this transaction that are not equal 1000 DASH. - Không tìm đủ ngân sách Darksend denominated cho giao dịch mà nó không bằng 1000 DASH - - - - Unable to locate enough Darksend non-denominated funds for this transaction. - Không kiếm đủ ngân sách Darksend non-denominated cho giao dịch này. - - - - Use separate SOCKS5 proxy to reach peers via Tor hidden services (default: -proxy) - Sử dụng SOCKS5 proxy riêng biệt đối với mỗi thành phần ngang hàng thông qua Tor cho các dịch vụ ẩn (ngầm định: -proxy) - - - - Warning: -paytxfee is set very high! This is the transaction fee you will pay if you send a transaction. - Cảnh báo: -paytxfee được đặt rất cao! Đây là mức phí giao dịch mà bạn sẽ trả nếu bạn gửi một giao dịch. - - - - Warning: Please check that your computer's date and time are correct! If your clock is wrong Dash will not work properly. - Cảnh báo: Hãy kiểm tra ngày giờ trên máy tính của bạn xem có chính xác! Nếu đồng hồ của bạn không đúng Dash sẽ không hoạt động tốt. - - - - Warning: The network does not appear to fully agree! Some miners appear to be experiencing issues. - Cảnh báo: Mạng lưới có vẻ chưa hoàn toàn đồng ý! Một vài máy đào có vẻ như đã kinh nghiệm với những vấn đề này. - - - - Warning: We do not appear to fully agree with our peers! You may need to upgrade, or other nodes may need to upgrade. - Cảnh báo: Chúng ta có vẻ không được sự đồng ý một cách đầy đủ từ các đối tác ngang hàng! Bạn cần nâng cấp hoặc các nút khác cần nâng cấp. - - - - Warning: error reading wallet.dat! All keys read correctly, but transaction data or address book entries might be missing or incorrect. - Cảnh báo: lỗi đọc tệp wallet.dat! Tất cả các khoá được đọc đúng, như dữ liệu giao dich hoặc các thành phần địa chỉ khối có thể bị mất hoặc không chính xác. - - - - Warning: wallet.dat corrupt, data salvaged! Original wallet.dat saved as wallet.{timestamp}.bak in %s; if your balance or transactions are incorrect you should restore from a backup. - Cảnh báo: wallet.dat đã bị hỏng, dữ liệu đã được cứu! Tệp gốc wallet.dat đã được lưu thành wallet.{timestamp}.bak trong %s; nếu số dư hoặc các giao dịch của bạn không chính xác, bạn có thể khôi phục từ bản sao lưu. - - - - You must set rpcpassword=<password> in the configuration file: -%s -If the file does not exist, create it with owner-readable-only file permissions. - Bạn phải đặt rpcpassword=<mật khẩu> trong tệp cấu hình: -%s -Nếu tệp không tồn tại, tạo nó với quyền tệp owner-readable-only. - - - - You must specify a masternodeprivkey in the configuration. Please see documentation for help. - Bạn cần chỉ rõ masternodeprivkey trong tệp cấu hình. Hãy xem tài liệu để có hướng dẫn. - - - - (default: 1) - (ngầm định: 1) - - - - (default: wallet.dat) - (ngầm định: wallet.dat) - - - - <category> can be: - <category> có thể là: - - - - Accept command line and JSON-RPC commands - Chấp nhận dòng lệnh và các lệnh JSON-RPC - - - - Accept connections from outside (default: 1 if no -proxy or -connect) - Chấp nhật kết nối từ ngoài (ngầm định: 1 nếu không có -proxy hoặc -connect) - - - - Add a node to connect to and attempt to keep the connection open - Thêm nút để kết nối tới và giữ mở kết nối - - - - Allow DNS lookups for -addnode, -seednode and -connect - Cho phép DNS tìm kiếm -addnode, -seednode và -connect - - - - Allow JSON-RPC connections from specified IP address - Cho phép các kết nối JSON-RPC từ các địa chỉ IP xác định - - - - Already have that input. - Đã có đầu vào đó. - - - - Always query for peer addresses via DNS lookup (default: 0) - Luôn truy vấn cho các địa chỉ ngang hàng thông qua DNS (ngầm định: 0) - - - - Attempt to recover private keys from a corrupt wallet.dat - Thử khôi phục khoá riêng từ tệp wallet.dat bị lỗi - - - - Block creation options: - Tuỳ chọn tạo khối: - - - - Can't denominate: no compatible inputs left. - Không thể định giá: không còn đầu vào tương tích. - - - - Cannot downgrade wallet - Không thể hạ cấp ví - - - - Cannot resolve -bind address: '%s' - Không thể phân giải địa chỉ -bind: '%s' - - - - Cannot resolve -externalip address: '%s' - Không thể phân giải địa chỉ -externalip: '%s' - - - - Cannot write default address - Không thể viết vào địa chỉ ngầm định - - - - Clear list of wallet transactions (diagnostic tool; implies -rescan) - Xoá danh sách các giao dịch của ví (công cụ chuẩn đoán; implies -rescan) - - - - Collateral is not valid. - Collateral là không hợp lệ. - - - - Collateral not valid. - Collateral không hợp lệ. - - - - Connect only to the specified node(s) - Kết nối chỉ với (các) nút nhất định - - - - Connect through SOCKS proxy - Kết nối thông qua SOCKS proxy - - - - Connect to JSON-RPC on <port> (default: 9998 or testnet: 19998) - Kết nối tới JSON-RPC trên <cổng> (ngầm định: 9998 hoặc mạng thử: 19998) - - - - Connect to KeePassHttp on port <port> (default: 19455) - Kết nối tới KeePassHttp trên cổng <port> (ngầm định: 19455) - - - - Connect to a node to retrieve peer addresses, and disconnect - Kết nối với một nút để lấy địa chỉ ngang hàng, và ngắt kết nối - - - - Connection options: - Tuỳ chọn kết nối: - - - - Corrupted block database detected - Phát hiện ra dữ liệu khối bị hỏng - - - - Dash Core Daemon - Dash Core Daemon - - - - Dash Core RPC client version - Phiên bản phần mềm Dash Core RPC - - - - Darksend is disabled. - Darksend đã được tắt. - - - - Darksend options: - Tuỳ chọn Darksend: - - - - Debugging/Testing options: - Tuỳ chọn Gỡ rối/Kiểm tra: - - - - Disable safemode, override a real safe mode event (default: 0) - Tắt chế độ an toàn, ghi đè lên một sự kiện của chế đọ an toàn (ngầm định: 0) - - - - Discover own IP address (default: 1 when listening and no -externalip) - Phát hiện địa chỉ IP của mình (ngầm định: 1 khi lắng nghe và không dùng -externalip) - - - - Do not load the wallet and disable wallet RPC calls - Không tải ví và tắt các lời gọi ví RPC - - - - Do you want to rebuild the block database now? - Bạn có muốn xây dựng lại dữ liệu khối bây giờ không? - - - - Done loading - Nạp xong - - - - Downgrading and trying again. - Hạ cấp và thử lại xem. - - - - Enable the client to act as a masternode (0-1, default: 0) - Cho phép phần mềm hoạt động như là masternode (0-1, ngầm định: 0) - - - - Entries are full. - Các đầu vào đã đầy. - - - - Error connecting to masternode. - Lỗi kết nối đến masternode. - - - - Error initializing block database - Lỗi khởi tạo cơ sở dữ liệu khối - - - - Error initializing wallet database environment %s! - Lỗi khởi tạo cơ sở dữ liệu môi trường ví %s! - - - - Error loading block database - Lỗi nạp cơ sở dữ liệu khối - - - - Error loading wallet.dat - Lỗi nạp wallet.dat - - - - Error loading wallet.dat: Wallet corrupted - Lỗi nạp wallet.dat: Ví bị lỗi - - - - Error loading wallet.dat: Wallet requires newer version of Dash - Lỗi nạp wallet.dat: Ví cần một phiên bản mới hơn của Dash - - - - Error opening block database - Lỗi mở cơ sở dữ liệu khối - - - - Error reading from database, shutting down. - Lỗi đọc từ cơ sở dữ liệu, đang tắt phần mềm. - - - - Error recovering public key. - Lỗi khi phục hồi khoá công khai. - - - - Error - Lỗi - - - - Error: Disk space is low! - Lỗi: Dung lượng đĩa thấp! - - - - Error: Wallet locked, unable to create transaction! - Lỗi: Ví đã bị khoá, không thể tạo giao dịch! - - - - Error: You already have pending entries in the Darksend pool - Lỗi: Bạn đã có các thành phần đang chờ trong Darksend pool - - - - Error: system error: - Lỗi: lỗi hệ thống. - - - - Failed to listen on any port. Use -listen=0 if you want this. - Không thành công khi lắng nghe trên các cổng. Sử dụng -listen=0 nếu bạn muốn nó. - - - - Failed to read block info - Thất bại trong việc đọc thông tin khối - - - - Failed to read block - Thất bại trong việc đọc khối - - - - Failed to sync block index - Thất bại trong việc đồng bộ chỉ mục khối - - - - Failed to write block index - Thất bại trong việc ghi chỉ mục khối - - - - Failed to write block info - Thất bại trong việc ghi thông tin khối - - - - Failed to write block - Thất bại trong việc ghi khối - - - - Failed to write file info - Thất bại trong việc ghi thông tin tệp - - - - Failed to write to coin database - Thất bại trong việc ghi cơ sở dữ liệu tiền - - - - Failed to write transaction index - Thất bại trong việc ghi chỉ mục giao dịch - - - - Failed to write undo data - Thất bại trong việc ghi dữ liệu hoãn - - - - Fee per kB to add to transactions you send - Phí cho mỗi kB được thêm vào giao dịch bạn gửi - - - - Fees smaller than this are considered zero fee (for relaying) (default: - Mức phí nhỏ hơn đây được coi là không phí (cho tiếp sức) (ngầm định: - - - - Force safe mode (default: 0) - Cưỡng bức ở chế độ an toàn (ngầm định: 0) - - - - Generate coins (default: 0) + + Generate coins (default: %u) Sinh tiền (ngầm định: 0) - - Get help for a command - Để có trợ giúp cho một lệnh + + How many blocks to check at startup (default: %u, 0 = all) + Bao nhiêu khối để kiểm tra khi khởi động (ngầm định: %u, 0 = tất cả) - - How many blocks to check at startup (default: 288, 0 = all) - Bao nhiêu khối để kiểm tra khi khởi động (ngầm định: 288, 0 = tất cả) + + Ignore masternodes less than version (example: 70050; default: %u) + - - If <category> is not supplied, output all debugging information. - Nếu <category> không được cung cấp, đưa ra tất cả các thông tin gỡ rối. - - - - Ignore masternodes less than version (example: 70050; default : 0) - Bỏ qua các masternodes có phiên bản thấp hơn (ví dụ: 70050; ngầm định: 0) - - - + Importing... Đang nạp... - + Imports blocks from external blk000??.dat file Nạp khối từ tệp ngoài blk000??.dat - + + Include IP addresses in debug output (default: %u) + + + + Incompatible mode. Kiểu không tương thích. - + Incompatible version. Phiên bản không tương thích. - + Incorrect or no genesis block found. Wrong datadir for network? Khối sáng thế không chính xác hoặc không tìm thấy. Sai datadir cho mạng lưới? - + Information Thông tin - + Initialization sanity check failed. Dash Core is shutting down. Khởi tạo việc kiểm tra tính đúng đắn thất bại. Dash Core đang được tắt. - + Input is not valid. Đầu vào không hợp lệ. - + InstantX options: Tuỳ chọn InstantX: - + Insufficient funds Không đủ tiền - + Insufficient funds. Không đủ tiền. - + Invalid -onion address: '%s' Địa chỉ -onion không hợp lệ: '%s' - + Invalid -proxy address: '%s' Địa chỉ proxy không hợp lệ: '%s' - + + Invalid amount for -maxtxfee=<amount>: '%s' + Số tiền không hợp lệ cho -maxtxfee=<số tiền>: '%s' + + + Invalid amount for -minrelaytxfee=<amount>: '%s' Số tiền không hợp lệ cho -minrelaytxfee=<số tiền>: '%s' - + Invalid amount for -mintxfee=<amount>: '%s' Số tiền không hợp lệ cho -mintxfee =<số tiền>: '%s' - + + Invalid amount for -paytxfee=<amount>: '%s' (must be at least %s) + Số tiền không hợp lệ cho -paytxfee=<số tiền>: '%s' (ít nhất phải bằng %s) + + + Invalid amount for -paytxfee=<amount>: '%s' Số tiền không hợp lệ cho -paytxfee =<số tiền>: '%s' - - Invalid amount - Số tiền không hợp lệ + + Last successful Darksend action was too recent. + Phiên giao dịch Darksend thành công cuối cùng quá gần đây. - + + Limit size of signature cache to <n> entries (default: %u) + Giới hạn kích thước bộ đệm chữ ký tới <n> thành phần (ngầm định: %u) + + + + Listen for JSON-RPC connections on <port> (default: %u or testnet: %u) + Lắng nghe kết nối JSON-RPC trên <cổng> (ngầm định: %u hoặc mạng thử: %u) + + + + Listen for connections on <port> (default: %u or testnet: %u) + Lắng nghe kết nối từ <cổng> (ngầm định: %u hoặc mạng thử: %u) + + + + Lock masternodes from masternode configuration file (default: %u) + Khoá các masternode từ tệp cấu hình masternode (ngầm định: %u) + + + + Maintain at most <n> connections to peers (default: %u) + Duy trì nhiều nhất <n> kết nối tới các điểm ngang cấp (ngầm định: %u) + + + + Maximum per-connection receive buffer, <n>*1000 bytes (default: %u) + + + + + Maximum per-connection send buffer, <n>*1000 bytes (default: %u) + + + + + Mixing in progress... + Đang trong quá trình trộn... + + + + Need to specify a port with -whitebind: '%s' + + + + + No Masternodes detected. + Không tìm thấy các Master node. + + + + No compatible Masternode found. + Không tìm thấy Masternode tương thích. + + + + Not in the Masternode list. + Không có trong danh sách Masternode. + + + + Number of automatic wallet backups (default: 10) + Số lượng ví tự động sao lưu (ngầm định: 10) + + + + Only accept block chain matching built-in checkpoints (default: %u) + + + + + Only connect to nodes in network <net> (ipv4, ipv6 or onion) + Chỉ kết nối với các nút trong mạng <net> (IPv4, IPv6 hoặc onion) + + + + Prepend debug output with timestamp (default: %u) + Thêm tiền tố đầu ra debug với dấu thời gian (ngầm định: %u) + + + + Run a thread to flush wallet periodically (default: %u) + + + + + Send transactions as zero-fee transactions if possible (default: %u) + Gửi giao dịch như là giao dịch không phí nếu có thể (ngầm định: %u) + + + + Server certificate file (default: %s) + Tệp chứng thực máy chủ (ngầm định: %s) + + + + Server private key (default: %s) + Khoá riêng của máy chủ (ngầm định: %s) + + + + Session timed out, please resubmit. + Phiên làm việc đã quá giờ, vui lòng gửi yêu cầu lại. + + + + Set key pool size to <n> (default: %u) + Thiết lập kích thước pool đến <n> (ngầm định: %u) + + + + Set minimum block size in bytes (default: %u) + Thiết lập kích thước khối tối thiểu tính theo bytes (ngầm định: %u) + + + + Set the number of threads to service RPC calls (default: %d) + Thiết lập số luồng phục vụ các lời gọi RPC (ngầm định: %d) + + + + Sets the DB_PRIVATE flag in the wallet db environment (default: %u) + + + + + Specify configuration file (default: %s) + Hãy chỉ rõ tệp cấu hình (ngầm định: %s) + + + + Specify connection timeout in milliseconds (minimum: 1, default: %d) + Hãy xác định thời gian hết hạn tính theo milli giây (tối thiểu: 1, ngầm định: %d) + + + + Specify masternode configuration file (default: %s) + Hãy chỉ ra tệp cấu hình masternode (ngầm định: %s) + + + + Specify pid file (default: %s) + Hãy chỉ rõ tệp pid (ngầm định: %s) + + + + Spend unconfirmed change when sending transactions (default: %u) + + + + + Stop running after importing blocks from disk (default: %u) + Dừng chạy sau khi nạp các khối từ đĩa (ngầm định: %u) + + + + Submitted following entries to masternode: %u / %d + Đã gửi các những thành phần sau tới masternode: %u / %d + + + + Submitted to masternode, waiting for more entries ( %u / %d ) %s + Đã gửi đến masternode, đang đợi các đầu vào khác nữa (%u / %d) %s + + + + Submitted to masternode, waiting in queue %s + Đã được gửi cho masternode, đang đợi trong hàng đợi %s + + + + This is not a Masternode. + Đây không phải là một Masternode. + + + + Threshold for disconnecting misbehaving peers (default: %u) + Ngưỡng ngắt kết nối khi đối tác ngang hàng cư xử không đúng (ngầm định: %u) + + + + Use KeePass 2 integration using KeePassHttp plugin (default: %u) + + + + + Use N separate masternodes to anonymize funds (2-8, default: %u) + Sử dụng N masternods riêng biệt để ẩn danh khoản tiền (2-8, ngầm định: %u) + + + + Use UPnP to map the listening port (default: %u) + + + + + Wallet needed to be rewritten: restart Dash Core to complete + Ví cần được ghi lại: khởi động lại Dash Core để hoàn tất + + + + Warning: Unsupported argument -benchmark ignored, use -debug=bench. + + + + + Warning: Unsupported argument -debugnet ignored, use -debug=net. + Cảnh báo: Tham số không hỗ trợ -debugnet được bỏ qua, hãy sử dụng -debug=net + + + + Will retry... + Sẽ thử lại... + + + Invalid masternodeprivkey. Please see documenation. Masternodeprivkey không hợp lệ. Hãy xem lại tài liệu. - + + Invalid netmask specified in -whitelist: '%s' + + + + Invalid private key. Khoá riêng không hợp lệ. - + Invalid script detected. Kịch bản được phát hiện không hợp lệ. - + KeePassHttp id for the established association KeePassHttp id cho thiết lập sự kết hợp - + KeePassHttp key for AES encrypted communication with KeePass Khoá KeePassHttp cho liên lạc mã hoá AES với KeePass - - Keep N dash anonymized (default: 0) - Giữ N dash ẩn danh hoá (ngầm định: 0) + + Keep N DASH anonymized (default: %u) + - - Keep at most <n> unconnectable blocks in memory (default: %u) - Giữ nhiều nhất <n> các khối không kết nối được trong bộ nhớ (ngầm định: %u) - - - + Keep at most <n> unconnectable transactions in memory (default: %u) Giữ nhiều nhất <n> các giao dịch không kết nối được trong bộ nhớ (ngầm định: %u) - + Last Darksend was too recent. Darksend cuối cùng quá gần. - - Last successful darksend action was too recent. - Darksend thành công cuối cùng quá gần. - - - - Limit size of signature cache to <n> entries (default: 50000) - Giới hạn kích thước bộ đệm chữ ký tới <n> thành phần (ngầm định: 50000) - - - - List commands - Liệt kê các lệnh - - - - Listen for connections on <port> (default: 9999 or testnet: 19999) - Lắng nghe kết nối từ <cổng> (ngầm định: 9999 hoặc mạng thử: 19999) - - - + Loading addresses... Nạp các địa chỉ... - + Loading block index... Đang nạp chỉ mục khối... - + + Loading budget cache... + Đang nạp bộ đệm ngân sách... + + + Loading masternode cache... - + Đang tải cache cho masternode... - Loading masternode list... - Đang tải danh sách master node... - - - + Loading wallet... (%3.2f %%) Đang nạp ví... (%3.2f %%) - + Loading wallet... Đang tải ví... - - Log transaction priority and fee per kB when mining blocks (default: 0) - Lưu nhật ký các ưu tiên và phí giao dịch cho mỗi kB khi đào các khối (ngầm định: 0) - - - - Maintain a full transaction index (default: 0) - Duy trì một chỉ mục giao dịch đầy đủ (ngầm định: 0) - - - - Maintain at most <n> connections to peers (default: 125) - Duy trì nhiều nhất <n> kết nối tới các điểm ngang hàng (ngầm định: 125) - - - + Masternode options: Tuỳ chọn Masternode: - + Masternode queue is full. Danh sách hàng đợi Masternode đã đầy. - + Masternode: Masternode: - - Maximum per-connection receive buffer, <n>*1000 bytes (default: 5000) - Tối đa cho bộ đệm nhận của mỗi kết nối, <n>*1000 bytes (ngầm định: 5000) - - - - Maximum per-connection send buffer, <n>*1000 bytes (default: 1000) - Tối đa cho bộ đệm gửi của mỗi kết nối, <n>*1000 bytes (ngầm định: 5000) - - - + Missing input transaction information. Thiếu thông tin giao dịch đầu vào. - - No compatible masternode found. - Không tìm thấy masternode tương thích. - - - + No funds detected in need of denominating. Không thấy có nguồn tiền cần thiết để định giá. - - No masternodes detected. - Không phát hiện được masternode. - - - + No matching denominations found for mixing. Không tìm thấy mệnh giá tương ứng để trộn. - + + Node relay options: + + + + Non-standard public key detected. Phát hiện thấy khoá công khai không hợp chuẩn. - + Not compatible with existing transactions. Không tương thích với các giao dịch hiện tại. - + Not enough file descriptors available. Chưa có đủ thông tin mô tả tệp. - - Not in the masternode list. - Không có trong danh sách masternode. - - - - Only accept block chain matching built-in checkpoints (default: 1) - Chỉ chấp nhận các chuỗi khối tương ứng với các điểm kiểm tra trong (ngầm định: 1) - - - - Only connect to nodes in network <net> (IPv4, IPv6 or Tor) - Chỉ kết nối với các nút trong mạng <net> (IPv4, IPv6 hoặc Tor) - - - + Options: Tuỳ chọn: - + Password for JSON-RPC connections Mật khẩu cho kết nối JSON-RPC - - Prepend debug output with timestamp (default: 1) - Thêm tiền tố đầu ra debug với dấu thời gian (ngầm định: 1) - - - - Print block on startup, if found in block index - In khối khi khởi động, nếu tìm thấy trong chỉ mục khối - - - - Print block tree on startup (default: 0) - In cây khối khi khởi động (ngầm định: 0) - - - + RPC SSL options: (see the Bitcoin Wiki for SSL setup instructions) Tuỳ chọn RPC SSL (xem Bitcoin Wiki để có hướng dẫn cài đặt SSL) - - RPC client options: - Tuỳ chọn phần mềm RPC: - - - + RPC server options: Tuỳ chọn cho RPC server - + + RPC support for HTTP persistent connections (default: %d) + + + + Randomly drop 1 of every <n> network messages Bỏ ngẫu nhiên 1 mỗi <n> thông điệp mạng - + Randomly fuzz 1 of every <n> network messages Làm xơ ngẫu nhiên 1 trên mỗi <n> thông điệp mạng. - + Rebuild block chain index from current blk000??.dat files Tái tạo lại chỉ mục chuỗi khối từ tệp blk000??.dat - + + Relay and mine data carrier transactions (default: %u) + + + + + Relay non-P2SH multisig (default: %u) + + + + Rescan the block chain for missing wallet transactions Quét lại chuỗi khối cho các giao dịch ví bị thiếu. - + Rescanning... Đang quét lại... - - Run a thread to flush wallet periodically (default: 1) - Chạy một luồng để làm sạch ví một cách thường xuyên (ngầm định: 1) - - - + Run in the background as a daemon and accept commands Chạy trên chế độ nền như là một tiến trình ngầm và chấp nhận các lệnh - - SSL options: (see the Bitcoin Wiki for SSL setup instructions) - Tuỳ chọn SSL: (xem Bitcoin Wiki để có hướng dẫn cài đặt SSL) - - - - Select SOCKS version for -proxy (4 or 5, default: 5) - Chọn phiên bản SOCK cho -proxy (4 hoặc 5, ngầm định: 5) - - - - Send command to Dash Core - Gửi lệnh đến Dash Core - - - - Send commands to node running on <ip> (default: 127.0.0.1) - Gửi các lệnh đến nút chạy trên <ip> (ngầm định: 127.0.0.1) - - - + Send trace/debug info to console instead of debug.log file Gửi thông tin theo dõi/gỡ rối đến console thay vì tệp debug.log - - Server certificate file (default: server.cert) - Tệp chứng thực máy chủ (ngầm định: server.cert) - - - - Server private key (default: server.pem) - Mã riêng của máy chủ (ngầm định: server.pem) - - - + Session not complete! Phiên làm việc chưa hoàn thành. - - Session timed out (30 seconds), please resubmit. - Phiên làm việc đã hết hạn (30 giây), hãy gửi lại. - - - + Set database cache size in megabytes (%d to %d, default: %d) Thiết lập kích thước bộ đệm cơ sở dữ liệu theo megabytes (%d đến %d, ngầm định: %d) - - Set key pool size to <n> (default: 100) - Đăt kích thước pool đến <n> (ngầm định: 100) - - - + Set maximum block size in bytes (default: %d) Thiết lập kích thước khối tối đa theo bytes (ngầm định: %d) - - Set minimum block size in bytes (default: 0) - Thiết lập kích thước khối tối thiểu theo bytes (ngầm định: 0) - - - + Set the masternode private key Đặt khoá riêng cho masternode - - Set the number of threads to service RPC calls (default: 4) - Thiết lập số luồng phục vụ các lời gọi RPC (ngầm định: 4) - - - - Sets the DB_PRIVATE flag in the wallet db environment (default: 1) - Thiết lập cờ DB_PRIVATE trong môi trường cơ sở dữ liệu ví (ngầm định: 1) - - - + Show all debugging options (usage: --help -help-debug) Hiển thị tất cả các tuỳ chọn gỡ rối (cách sử dụng: --help -help-debug) - - Show benchmark information (default: 0) - Hiển thị thông tin tốc độ (ngầm định: 0) - - - + Shrink debug.log file on client startup (default: 1 when no -debug) Rút gọn tệp debug.log khi phần mềm khởi động (ngầm định: 1 khi không có -debug) - + Signing failed. Ký không thành công. - + Signing timed out, please resubmit. Ký không kịp, hãy gửi lại. - + Signing transaction failed Thất bại khi ký giao dịch - - Specify configuration file (default: dash.conf) - Xác định tệp cấu hình (ngầm định: dash.conf) - - - - Specify connection timeout in milliseconds (default: 5000) - Xác định thời gian chờ kết nối tính theo mili giây (ngầm định: 5000) - - - + Specify data directory Hãy chọn thư mục - - Specify masternode configuration file (default: masternode.conf) - Xác định tệp cấu hình masternode (ngầm định: masternode.conf) - - - - Specify pid file (default: dashd.pid) - Xác định tệp pid (ngầm định: dashd.pid) - - - + Specify wallet file (within data directory) Xác định tệp ví (trong thư mục dữ liệu) - + Specify your own public address Hãy xác định địa chỉ công khai của bạn - - Spend unconfirmed change when sending transactions (default: 1) - Tiên các khoản trả lại chưa được xác nhận khi gửi các giao dịch (ngầm định: 1) - - - - Start Dash Core Daemon - Khởi động Dash Core Daemon - - - - System error: - Lỗi hệ thống: - - - + This help message Đây là thông điệp trợ giúp - + + This is experimental software. + Đây là phần mềm thử nghiệm. + + + This is intended for regression testing tools and app development. Điều này là để dành cho công cụ kiểm tra hồi quy và phát triển ứng dụng. - - This is not a masternode. - Đây không phải là một masternode. - - - - Threshold for disconnecting misbehaving peers (default: 100) - Ngưỡng ngắt kết nối khi đối tác ngang hàng cư xử không đúng (ngầm định: 100) - - - - To use the %s option - Để sử dụng tuỳ chọn %s - - - + Transaction amount too small Số tiền của giao dịch quá nhỏ - + Transaction amounts must be positive Số tiền của giao dịch phải là số dương - + Transaction created successfully. Giao dịch được tạo thành công. - + Transaction fees are too high. Phí giao dịch quá cao. - + Transaction not valid. Giao dịch không hợp lệ. - + + Transaction too large for fee policy + Giao dịch quá lớn cho chính sách miễn phí + + + Transaction too large Giao dịch quá lớn - + + Transmitting final transaction. + Đang truyền tải giao dịch cuối cùng. + + + Unable to bind to %s on this computer (bind returned error %s) Không thể để ràng buộc vào %s trên máy tính này (bind trả lại lỗi %s) - - Unable to sign masternode payment winner, wrong key? - Không thể ký cho giao dịch masternod chiến thắng, khoá sai? - - - + Unable to sign spork message, wrong key? Không thể ký vào thông điệp phân nhánh, sai khoá? - - Unknown -socks proxy version requested: %i - Không biết phiên bản proxy yêu cầu -socks: %i - - - + Unknown network specified in -onlynet: '%s' Không biết mạng được chỉ ra trong -onlynet: '%s' - + + Unknown state: id = %u + Trạng thái không xác định: id = %u + + + Upgrade wallet to latest format Nâng cấp ví lên định dạng mới nhất - - Usage (deprecated, use dash-cli): - Cách sử dụng (đã từ bỏ, sử dụng dash-cli): - - - - Usage: - Cách dùng: - - - - Use KeePass 2 integration using KeePassHttp plugin (default: 0) - Sử dụng tích hợp KeePass 2 dùng KeePassHttp plugin (ngầm định: 0) - - - - Use N separate masternodes to anonymize funds (2-8, default: 2) - Sử dụng N masternods riêng biệt để ẩn danh khoản tiền (2-8, ngầm định: 2) - - - + Use OpenSSL (https) for JSON-RPC connections Sử dụng OpenSSL (https) cho các kết nối JSON-RPC - - Use UPnP to map the listening port (default: 0) - Sử dụng UPnP để ánh xạ cổng lắng nghe (ngầm định: 0) - - - + Use UPnP to map the listening port (default: 1 when listening) Sử dụng UPnP để ánh xạ cổng lắng nghe (ngầm định: 1 khi lắng nghe) - + Use the test network Sử dụng mạng thử - + Username for JSON-RPC connections Username cho kết nối JSON-RPC - + Value more than Darksend pool maximum allows. Giá tri trị lớn hơn giá trị tối đa mà bể Darksend cho phép. - + Verifying blocks... Đang kiểm tra các khối... - + Verifying wallet... Đang kiểm tra ví... - - Wait for RPC server to start - Chờ cho RPC server khởi động - - - + Wallet %s resides outside data directory %s Ví %s nằm ở bên ngoài thư mục dữ liệu %s - + Wallet is locked. Ví đã bị khoá. - - Wallet needed to be rewritten: restart Dash to complete - Ví cần được ghi lại: khởi động lại Dash để hoàn tất - - - + Wallet options: Tuỳ chọn ví: - + Warning Cảnh báo - - Warning: Deprecated argument -debugnet ignored, use -debug=net - Cảnh báo: Tham số -debugnet đã được bỏ, hãy sử dụng -debug=net - - - + Warning: This version is obsolete, upgrade required! Cảnh báo: Phiên bản này đã cũ, cần phải cập nhật mới! - + You need to rebuild the database using -reindex to change -txindex Bạn cần xây dựng lại cơ sở dữ liệu sử dụng -reindex để thay cho -txindex - + + Your entries added successfully. + Các đầu vào của bạn đã được thêm vào một cách thành công. + + + + Your transaction was accepted into the pool! + Giao dịch của bạn đã được chấp nhận vào bể! + + + Zapping all transactions from wallet... Dọn sạch tất cả các giao dịch khỏi ví... - + on startup khi khởi động - - version - phiên bản - - - + wallet.dat corrupt, salvage failed wallet.dat bị lỗi, cứu chữa không thành công. diff --git a/src/rpcmasternode-budget.cpp b/src/rpcmasternode-budget.cpp index 0fd22447a..85b487b37 100644 --- a/src/rpcmasternode-budget.cpp +++ b/src/rpcmasternode-budget.cpp @@ -223,7 +223,7 @@ Value mnbudget(const Array& params, bool fHelp) mapSeenMasternodeBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateProposal(vote); + budget.UpdateProposal(vote, NULL); } @@ -400,7 +400,7 @@ Value mnfinalbudget(const Array& params, bool fHelp) mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, NULL); return "success"; @@ -455,7 +455,7 @@ Value mnfinalbudget(const Array& params, bool fHelp) mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, NULL); success++; } @@ -488,7 +488,7 @@ Value mnfinalbudget(const Array& params, bool fHelp) mapSeenFinalizedBudgetVotes.insert(make_pair(vote.GetHash(), vote)); vote.Relay(); - budget.UpdateFinalizedBudget(vote); + budget.UpdateFinalizedBudget(vote, NULL); return "success"; } diff --git a/src/version.h b/src/version.h index fb2ac5860..db712ded2 100644 --- a/src/version.h +++ b/src/version.h @@ -10,7 +10,7 @@ * network protocol versioning */ -static const int PROTOCOL_VERSION = 70082; +static const int PROTOCOL_VERSION = 70083; //! initial proto version, to be increased after version/verack negotiation static const int INIT_PROTO_VERSION = 209; @@ -22,13 +22,13 @@ static const int GETHEADERS_VERSION = 70077; static const int MIN_PEER_PROTO_VERSION = 70066; //! minimum peer version accepted by DarksendPool -static const int MIN_POOL_PEER_PROTO_VERSION = 70082; +static const int MIN_POOL_PEER_PROTO_VERSION = 70083; //! minimum peer version that can receive masternode payments // V1 - Last protocol version before update // V2 - Newest protocol version static const int MIN_MASTERNODE_PAYMENT_PROTO_VERSION_1 = 70066; -static const int MIN_MASTERNODE_PAYMENT_PROTO_VERSION_2 = 70082; +static const int MIN_MASTERNODE_PAYMENT_PROTO_VERSION_2 = 70083; //! nTime field added to CAddress, starting with this version; //! if possible, avoid requesting addresses nodes older than this